Server : LiteSpeed
System : Linux server51.dnsbootclub.com 4.18.0-553.62.1.lve.el8.x86_64 #1 SMP Mon Jul 21 17:50:35 UTC 2025 x86_64
User : nandedex ( 1060)
PHP Version : 8.1.33
Disable Function : NONE
Directory :  /home/nandedex/www/s.nandedexpress.com/

Upload File :
current_dir [ Writeable ] document_root [ Writeable ]


Current File : /home/nandedex/www/s.nandedexpress.com/advanced-custom-fields-pro.zip
PK�
�[���U3U3pro/blocks.phpnu�[���<?php

// Exit if accessed directly.
defined( 'ABSPATH' ) || exit;

// Register store.
acf_register_store( 'block-types' );
		
/**
 * acf_register_block_type
 *
 * Registers a block type.
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	array $block The block settings.
 * @return	(array|false)
 */
function acf_register_block_type( $block ) {
	
	// Validate block type settings.
	$block = acf_validate_block_type( $block );
	
	// Bail early if already exists.
	if( acf_has_block_type($block['name']) ) {
		return false;
	}
	
	// Add to storage.
	acf_get_store( 'block-types' )->set( $block['name'], $block );
	
	// Register block type in WP.
	if( function_exists('register_block_type') ) {
		register_block_type($block['name'], array(
			'attributes'		=> acf_get_block_type_default_attributes(),
			'render_callback'	=> 'acf_rendered_block',
		));
	}
	
	// Register action.
	add_action( 'enqueue_block_editor_assets', 'acf_enqueue_block_assets' );
	
	// Return block.
	return $block;
}

/**
 * acf_register_block
 *
 * See acf_register_block_type().
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	array $block The block settings.
 * @return	(array|false)
 */
function acf_register_block( $block ) {
	return acf_register_block_type( $block );
}

/**
 * acf_has_block_type
 *
 * Returns true if a block type exists for the given name.
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	string $name The block type name.
 * @return	bool
 */
function acf_has_block_type( $name ) {
	return acf_get_store( 'block-types' )->has( $name );
}

/**
 * acf_get_block_types
 *
 * Returns an array of all registered block types.
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	void
 * @return	array
 */
function acf_get_block_types() {
	return acf_get_store( 'block-types' )->get();
}

/**
 * acf_get_block_types
 *
 * Returns a block type for the given name.
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	string $name The block type name.
 * @return	(array|null)
 */
function acf_get_block_type( $name ) {
	return acf_get_store( 'block-types' )->get( $name );
}

/**
 * acf_remove_block_type
 *
 * Removes a block type for the given name.
 *
 * @date	18/2/19
 * @since	5.7.12
 *
 * @param	string $name The block type name.
 * @return	void
 */
function acf_remove_block_type( $name ) {
	acf_get_store( 'block-types' )->remove( $name );
}

/**
 * acf_get_block_type_default_attributes
 *
 * Returns an array of default attribute settings for a block type.
 *
 * @date	19/11/18
 * @since	5.8.0
 *
 * @param	void
 * @return	array
 */
function acf_get_block_type_default_attributes() {
	return array(
		'id'		=> array(
			'type'		=> 'string',
			'default'	=> '',
		),
		'name'		=> array(
			'type'		=> 'string',
			'default'	=> '',
		),
		'data'		=> array(
			'type'		=> 'object',
			'default'	=> array(),
		),
		'align'		=> array(
			'type'		=> 'string',
			'default'	=> '',
		),
		'mode'		=> array(
			'type'		=> 'string',
			'default'	=> '',
		)
	);
}

/**
 * acf_validate_block_type
 *
 * Validates a block type ensuring all settings exist.
 *
 * @date	10/4/18
 * @since	5.8.0
 *
 * @param	array $block The block settings.
 * @return	array
 */
function acf_validate_block_type( $block ) {
	
	// Add default settings.
	$block = wp_parse_args($block, array(
		'name'				=> '',
		'title'				=> '',
		'description'		=> '',
		'category'			=> 'common',
		'icon'				=> '',
		'mode'				=> 'preview',
		'align'				=> '',
		'keywords'			=> array(),
		'supports'			=> array(),
		'post_types'		=> array(),
		'render_template'	=> false,
		'render_callback'	=> false,
		'enqueue_style'		=> false,
		'enqueue_script'	=> false,
		'enqueue_assets'	=> false,
	));
	
	// Restrict keywords to 3 max to avoid JS error in older versions.
	if( acf_version_compare('wp', '<', '5.2') ) {
		$block['keywords'] = array_slice($block['keywords'], 0, 3);
	}
	
	// Generate name with prefix.
	$block['name'] = 'acf/' . acf_slugify($block['name']);
	
	// Add default 'supports' settings.
	$block['supports'] = wp_parse_args($block['supports'], array(
		'align'		=> true,
		'html'		=> false,
		'mode'		=> true,
	));
	
	// Return block.
	return $block;
}

/**
 * acf_prepare_block
 *
 * Prepares a block for use in render_callback by merging in all settings and attributes.
 *
 * @date	19/11/18
 * @since	5.8.0
 *
 * @param	array $block The block props.
 * @return	array
 */
function acf_prepare_block( $block ) {
	
	// Bail early if no name.
	if( !isset($block['name']) ) {
		return false;
	}
	
	// Get block type and return false if doesn't exist.
	$block_type = acf_get_block_type( $block['name'] );
	if( !$block_type ) {
		return false;
	}
	
	// Generate default attributes.
	$attributes = array();
	foreach( acf_get_block_type_default_attributes() as $k => $v ) {
		$attributes[ $k ] = $v['default'];
	}
	
	// Merge together arrays in order of least to most specific.
	$block = array_merge($block_type, $attributes, $block);
	
	// Return block.
	return $block;
}

/**
 * acf_rendered_block
 *
 * Returns the HTML from acf_render_block().
 *
 * @date	28/2/19
 * @since	5.7.13
 * @see		acf_render_block() for list of parameters.
 *
 * @return	string
 */
function acf_rendered_block( $block, $content = '', $is_preview = false, $post_id = 0 ) {
	
	// Start capture.
	ob_start();
	
	// Render.
	acf_render_block( $block, $content, $is_preview, $post_id );
	
	// Return capture.
	return ob_get_clean();
}

/**
 * acf_render_block
 *
 * Renders the block HTML.
 *
 * @date	19/2/19
 * @since	5.7.12
 *
 * @param	array $block The block props.
 * @param	string $content The block content (emtpy string).
 * @param	bool $is_preview True during AJAX preview.
 * @param	int $post_id The post being edited.
 * @return	void
 */
function acf_render_block( $block, $content = '', $is_preview = false, $post_id = 0 ) {
	
	// Prepare block ensuring all settings and attributes exist.
	$block = acf_prepare_block( $block );
	if( !$block ) {
		return '';
	}
	
	// Find post_id if not defined.
	if( !$post_id ) {
		$post_id = get_the_ID();
	}
	
	// Enqueue block type assets.
	acf_enqueue_block_type_assets( $block );
	
	// Setup postdata allowing get_field() to work.
	acf_setup_meta( $block['data'], $block['id'], true );
	
	// Call render_callback.
	if( is_callable( $block['render_callback'] ) ) {
		call_user_func( $block['render_callback'], $block, $content, $is_preview, $post_id );
	
	// Or include template.
	} elseif( $block['render_template'] ) {
		
		// Locate template.
		if( file_exists($block['render_template']) ) {
			$path = $block['render_template'];
	    } else {
		    $path = locate_template( $block['render_template'] );
	    }
	    
	    // Include template.
	    if( file_exists($path) ) {
		    include( $path );
	    }
	}
	
	// Reset postdata.
	acf_reset_meta( $block['id'] );
}

/**
 * acf_get_block_fields
 *
 * Returns an array of all fields for the given block.
 *
 * @date	24/10/18
 * @since	5.8.0
 *
 * @param	array $block The block props.
 * @return	array
 */
function acf_get_block_fields( $block ) {
	
	// Vars.
	$fields = array();
	
	// Get field groups for this block.
	$field_groups = acf_get_field_groups( array(
		'block'	=> $block['name']
	));
			
	// Loop over results and append fields.
	if( $field_groups ) {
	foreach( $field_groups as $field_group ) {
		$fields = array_merge( $fields, acf_get_fields( $field_group ) );
	}}
	
	// Return fields.
	return $fields;
}

/**
 * acf_enqueue_block_assets
 *
 * Enqueues and localizes block scripts and styles.
 *
 * @date	28/2/19
 * @since	5.7.13
 *
 * @param	void
 * @return	void
 */
function acf_enqueue_block_assets() {
	
	// Localize text.
	acf_localize_text(array(
		'Switch to Edit'		=> __('Switch to Edit', 'acf'),
		'Switch to Preview'		=> __('Switch to Preview', 'acf'),
	));
	
	// Get block types.
	$block_types = acf_get_block_types();
	
	// Localize data.
	acf_localize_data(array(
		'blockTypes'	=> array_values( $block_types )
	));
	
	// Enqueue script.
	wp_enqueue_script('acf-blocks', acf_get_url("pro/assets/js/acf-pro-blocks.min.js"), array('acf-input', 'wp-blocks'), ACF_VERSION, true );
	
	// Enqueue block assets.
	array_map( 'acf_enqueue_block_type_assets', $block_types );
}

/**
 * acf_enqueue_block_type_assets
 *
 * Enqueues scripts and styles for a specific block type.
 *
 * @date	28/2/19
 * @since	5.7.13
 *
 * @param	array $block_type The block type settings.
 * @return	void
 */
function acf_enqueue_block_type_assets( $block_type ) {
	
	// Generate handle from name.
	$handle = 'block-' . acf_slugify($block_type['name']);
	
	// Enqueue style.
	if( $block_type['enqueue_style'] ) {
		wp_enqueue_style( $handle, $block_type['enqueue_style'], array(), false, 'all' );
	}
	
	// Enqueue script.
	if( $block_type['enqueue_script'] ) {
		wp_enqueue_script( $handle, $block_type['enqueue_script'], array(), false, true );
	}
	
	// Enqueue assets callback.
	if( $block_type['enqueue_assets'] && is_callable($block_type['enqueue_assets']) ) {
		call_user_func( $block_type['enqueue_assets'], $block_type );
	}
}

/**
 * acf_ajax_fetch_block
 *
 * Handles the ajax request for block data.
 *
 * @date	28/2/19
 * @since	5.7.13
 *
 * @param	void
 * @return	void
 */
function acf_ajax_fetch_block() {
	
	// Validate ajax request.
	if( !acf_verify_ajax() ) {
		 wp_send_json_error();
	}
	
	// Get request args.
	extract(acf_request_args(array(
		'block'		=> false,
		'post_id'	=> 0,
		'query'		=> array(),
	)));
	
	// Bail ealry if no block.
	if( !$block ) {
		wp_send_json_error();
	}
	
	// Unslash and decode $_POST data.
	$block = wp_unslash($block);
	$block = json_decode($block, true);
	
	// Prepare block ensuring all settings and attributes exist.
	if( !$block = acf_prepare_block( $block ) ) {
		wp_send_json_error();
	}
	
	// Load field defaults when first previewing a block.
	if( !empty($query['preview']) && !$block['data'] ) {
		$fields = acf_get_block_fields( $block );
		foreach( $fields as $field ) {
		   	$block['data'][ "_{$field['name']}" ] = $field['key'];
   		}
	}
	
	// Setup postdata allowing form to load meta.
	acf_setup_meta( $block['data'], $block['id'], true );
   	
	// Vars.
	$response = array();
	
	// Query form.
	if( !empty($query['form']) ) {
		
		// Load fields for form.
		$fields = acf_get_block_fields( $block );
		
		// Prefix field inputs to avoid multiple blocks using the same name/id attributes.
		acf_prefix_fields( $fields, "acf-{$block['id']}" );
		
		// Start Capture.
		ob_start();
		
		// Render.
		echo '<div class="acf-block-fields acf-fields">';
   			acf_render_fields( $fields, $block['id'], 'div', 'field' );
		echo '</div>';
		
		// Store Capture.
		$response['form'] = ob_get_contents();
		ob_end_clean();
	}
	
	// Query preview.
	if( !empty($query['preview']) ) {
		
		// Render_callback vars.
   		$content = '';
   		$is_preview = true;
   		
		// Render.
		$html = '';
		$html .= '<div class="acf-block-preview">';
   		$html .= 	acf_rendered_block( $block, $content, $is_preview, $post_id );
		$html .= '</div>';
		
		// Store HTML.
		$response['preview'] = $html;
	}
	
	// Send repsonse.
	wp_send_json_success( $response );
}

// Register ajax action.
acf_register_ajax( 'fetch-block', 'acf_ajax_fetch_block' );

/**
 * acf_parse_save_blocks
 *
 * Parse content that may contain HTML block comments and saves ACF block meta.
 *
 * @date	27/2/19
 * @since	5.7.13
 *
 * @param	string $text Content that may contain HTML block comments.
 * @return	string
 */
function acf_parse_save_blocks( $text = '' ) {
	
	// Search text for dynamic blocks and modify attrs.
	return addslashes(
		preg_replace_callback(
			'/<!--\s+wp:(?P<name>[\S]+)\s+(?P<attrs>{[\S\s]+?})\s+(?P<void>\/)?-->/',
			'acf_parse_save_blocks_callback',
			stripslashes( $text )
		)
	);
}

// Hook into saving process.
add_filter( 'content_save_pre', 'acf_parse_save_blocks', 5, 1 );

/**
 * acf_parse_save_blocks_callback
 *
 * Callback used in preg_replace to modify ACF Block comment.
 *
 * @date	1/3/19
 * @since	5.7.13
 *
 * @param	array $matches The preg matches.
 * @return	string
 */
function acf_parse_save_blocks_callback( $matches ) {
	
	// Defaults
	$name = isset($matches['name']) ? $matches['name'] : '';
	$attrs = isset($matches['attrs']) ? json_decode( $matches['attrs'], true) : '';
	$void = isset($matches['void']) ? $matches['void'] : '';
	
	// Bail early if missing data or not an ACF Block.
	if( !$name || !$attrs || !acf_has_block_type($name) ) {
		return $matches[0];
	}
	
	// Convert "data" to "meta".
	// No need to check if already in meta format. Local Meta will do this for us.
	if( isset($attrs['data']) ) {
		$attrs['data'] = acf_setup_meta( $attrs['data'], $attrs['id'] );
	}
	
	// Prevent wp_targeted_link_rel from corrupting JSON.
	remove_filter( 'content_save_pre', 'wp_filter_post_kses' );
	remove_filter( 'content_save_pre', 'wp_targeted_link_rel' );
	remove_filter( 'content_save_pre', 'balanceTags', 50 );
	
	/**
	 * Filteres the block attributes before saving.
	 *
	 * @date	18/3/19
	 * @since	5.7.14
	 *
	 * @param	array $attrs The block attributes.
	 */
	$attrs = apply_filters( 'acf/pre_save_block', $attrs );
	
	// Return new comment
	return '<!-- wp:' . $name . ' ' . acf_json_encode($attrs) . ' ' . $void . '-->';
}
PK�
�[�����
�
pro/acf-pro.phpnu�[���<?php 

if( !class_exists('acf_pro') ):

class acf_pro {
	
	/*
	*  __construct
	*
	*  
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	5.0.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function __construct() {
		
		// constants
		acf()->define( 'ACF_PRO', true );
		
		
		// update setting
		acf_update_setting( 'pro', true );
		acf_update_setting( 'name', __('Advanced Custom Fields PRO', 'acf') );
		

		// includes
		acf_include('pro/blocks.php');
		acf_include('pro/options-page.php');
		acf_include('pro/updates.php');
		
		if( is_admin() ) {
			
			acf_include('pro/admin/admin-options-page.php');
			acf_include('pro/admin/admin-updates.php');
			
		}
		
		
		// actions
		add_action('init',										array($this, 'register_assets'));
		add_action('acf/include_field_types',					array($this, 'include_field_types'), 5);
		add_action('acf/include_location_rules',				array($this, 'include_location_rules'), 5);
		add_action('acf/input/admin_enqueue_scripts',			array($this, 'input_admin_enqueue_scripts'));
		add_action('acf/field_group/admin_enqueue_scripts',		array($this, 'field_group_admin_enqueue_scripts'));
		
	}
	
	
	/*
	*  include_field_types
	*
	*  description
	*
	*  @type	function
	*  @date	21/10/2015
	*  @since	5.2.3
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function include_field_types() {
		
		acf_include('pro/fields/class-acf-field-repeater.php');
		acf_include('pro/fields/class-acf-field-flexible-content.php');
		acf_include('pro/fields/class-acf-field-gallery.php');
		acf_include('pro/fields/class-acf-field-clone.php');
		
	}
	
	
	/*
	*  include_location_rules
	*
	*  description
	*
	*  @type	function
	*  @date	10/6/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function include_location_rules() {
		
		acf_include('pro/locations/class-acf-location-block.php');
		acf_include('pro/locations/class-acf-location-options-page.php');
		
	}
	
	
	/*
	*  register_assets
	*
	*  description
	*
	*  @type	function
	*  @date	4/11/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function register_assets() {
		
		// vars
		$version = acf_get_setting('version');
		$min = defined('SCRIPT_DEBUG') && SCRIPT_DEBUG ? '' : '.min';
		
		
		// register scripts
		wp_register_script( 'acf-pro-input', acf_get_url( "pro/assets/js/acf-pro-input{$min}.js" ), array('acf-input'), $version );
		wp_register_script( 'acf-pro-field-group', acf_get_url( "pro/assets/js/acf-pro-field-group{$min}.js" ), array('acf-field-group'), $version );
		
		
		// register styles
		wp_register_style( 'acf-pro-input', acf_get_url( 'pro/assets/css/acf-pro-input.css' ), array('acf-input'), $version ); 
		wp_register_style( 'acf-pro-field-group', acf_get_url( 'pro/assets/css/acf-pro-field-group.css' ), array('acf-input'), $version ); 
		
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	4/11/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		wp_enqueue_script('acf-pro-input');
		wp_enqueue_style('acf-pro-input');
		
	}
	
	
	/*
	*  field_group_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	4/11/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function field_group_admin_enqueue_scripts() {
		
		wp_enqueue_script('acf-pro-field-group');
		wp_enqueue_style('acf-pro-field-group');
		
	}
	 
}


// instantiate
new acf_pro();


// end class
endif;

?>PK�
�[�͖�pro/updates.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_pro_updates') ) :

class acf_pro_updates {
	

	/*
	*  __construct
	*
	*  Initialize filters, action, variables and includes
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('init',	array($this, 'init'), 20);
		
	}
	
	
	/*
	*  init
	*
	*  description
	*
	*  @type	function
	*  @date	10/4/17
	*  @since	5.5.10
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function init() {
		
		// bail early if no show_updates
		if( !acf_get_setting('show_updates') ) return;
		
		
		// bail early if not a plugin (included in theme)
		if( !acf_is_plugin_active() ) return;
		
		
		// register update
		acf_register_plugin_update(array(
			'id'		=> 'pro',
			'key'		=> acf_pro_get_license_key(),
			'slug'		=> acf_get_setting('slug'),
			'basename'	=> acf_get_setting('basename'),
			'version'	=> acf_get_setting('version'),
		));
		
		
		// admin
		if( is_admin() ) {
			
			add_action('in_plugin_update_message-' . acf_get_setting('basename'), array($this, 'modify_plugin_update_message'), 10, 2 );
			
		}
		
		
	}
	
	
	/*
	*  modify_plugin_update_message
	*
	*  Displays an update message for plugin list screens.
	*
	*  @type	function
	*  @date	14/06/2016
	*  @since	5.3.8
	*
	*  @param	$message (string)
	*  @param	$plugin_data (array)
	*  @param	$r (object)
	*  @return	$message
	*/
	
	function modify_plugin_update_message( $plugin_data, $response ) {
		
		// bail ealry if has key
		if( acf_pro_get_license_key() ) return;
		
		
		// display message
		echo '<br />' . sprintf( __('To enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don\'t have a licence key, please see <a href="%s">details & pricing</a>.', 'acf'), admin_url('edit.php?post_type=acf-field-group&page=acf-settings-updates'), 'https://www.advancedcustomfields.com/pro' );
		
	}
	
}


// initialize
new acf_pro_updates();

endif; // class_exists check


/*
*  acf_pro_get_license
*
*  This function will return the license
*
*  @type	function
*  @date	20/09/2016
*  @since	5.4.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_pro_get_license() {
	
	// get option
	$license = get_option('acf_pro_license');
	
	
	// bail early if no value
	if( !$license ) return false;
	
	
	// decode
	$license = maybe_unserialize(base64_decode($license));
	
	
	// bail early if corrupt
	if( !is_array($license) ) return false;
	
	
	// return
	return $license;
	
}


/*
*  acf_pro_get_license_key
*
*  This function will return the license key
*
*  @type	function
*  @date	20/09/2016
*  @since	5.4.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_pro_get_license_key() {
	
	// vars
	$license = acf_pro_get_license();
	$home_url = home_url();
	
	
	// bail early if empty
	if( !$license || !$license['key'] ) return false;
	
	
	// bail early if url has changed
	if( acf_strip_protocol($license['url']) !== acf_strip_protocol($home_url) ) return false;
	
	
	// return
	return $license['key'];
	
}


/*
*  acf_pro_update_license
*
*  This function will update the DB license
*
*  @type	function
*  @date	20/09/2016
*  @since	5.4.0
*
*  @param	$key (string)
*  @return	n/a
*/

function acf_pro_update_license( $key = '' ) {
	
	// vars
	$value = '';
	
	
	// key
	if( $key ) {
		
		// vars
		$data = array(
			'key'	=> $key,
			'url'	=> home_url()
		);
		
		
		// encode
		$value = base64_encode(maybe_serialize($data));
		
	}
	
	
	// re-register update (key has changed)
	acf_register_plugin_update(array(
		'id'		=> 'pro',
		'key'		=> $key,
		'slug'		=> acf_get_setting('slug'),
		'basename'	=> acf_get_setting('basename'),
		'version'	=> acf_get_setting('version'),
	));
	
	
	// update
	return update_option('acf_pro_license', $value);
	
}

?>PK�
�[�*��	 	 pro/admin/admin-updates.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin_Updates') ) :

class ACF_Admin_Updates {
	
	/** @var array Data used in the view. */
	var $view = array();
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	23/06/12
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function __construct() {
	
		// Add actions.
		add_action( 'admin_menu', array($this, 'admin_menu'), 20 );
	}
	
	/**
	 * display_wp_error
	 *
	 * Adds an admin notice using the provided WP_Error.
	 *
	 * @date	14/1/19
	 * @since	5.7.10
	 *
	 * @param	WP_Error $wp_error The error to display.
	 * @return	void
	 */
	function display_wp_error( $wp_error ) {
		
		// Only show one error on page.
		if( acf_has_done('display_wp_error') ) {
			return;
		}
		
		// Create new notice.
		acf_new_admin_notice(array(
			'text'	=> __('<b>Error</b>. Could not connect to update server', 'acf') . ' <span class="description">(' . esc_html( $wp_error->get_error_message() ) . ').</span>',
			'type'	=> 'error'
		));	
	}
	
	/**
	 * get_changelog_changes
	 *
	 * Finds the specific changes for a given version from the provided changelog snippet.
	 *
	 * @date	14/1/19
	 * @since	5.7.10
	 *
	 * @param	string $changelog The changelog text.
	 * @param	string $version The version to find.
	 * @return	string
	 */
	function get_changelog_changes( $changelog = '', $version = '' ) {
		
		// Explode changelog into sections.
		$bits = array_filter( explode('<h4>', $changelog) );
		
		// Loop over each version chunk.
		foreach( $bits as $bit ) {
			
			// Find the version number for this chunk.
			$bit = explode('</h4>', $bit);
			$bit_version = trim( $bit[0] );
	    	$bit_text = trim( $bit[1] );
			
			// Compare the chunk version number against param and return HTML.
			if( acf_version_compare($bit_version, '==', $version) ) {
	        	return '<h4>' . esc_html($bit_version) . '</h4>' . acf_esc_html($bit_text);
	    	}
		}
		
		// Return.
		return '';
	}
	
	/**
	 * admin_menu
	 *
	 * Adds the admin menu subpage.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function admin_menu() {
		
		// Bail early if no show_admin.
		if( !acf_get_setting('show_admin') ) {
			return;
		}
		
		// Bail early if no show_updates.
		if( !acf_get_setting('show_updates') ) {
			return;
		}
		
		// Bail early if not a plugin (included in theme).
		if( !acf_is_plugin_active() ) {
			return;
		}
		
		// Add submenu.
		$page = add_submenu_page( 'edit.php?post_type=acf-field-group', __('Updates','acf'), __('Updates','acf'), acf_get_setting('capability'), 'acf-settings-updates', array($this,'html') );
		
		// Add actions to page.
		add_action( "load-$page", array($this,'load') );
	}
	
	/**
	 * load
	 *
	 * Runs when loading the submenu page.
	 *
	 * @date	7/01/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function load() {
		
		// Check activate.
		if( acf_verify_nonce('activate_pro_licence') ) {
			$this->activate_pro_licence();
		
		// Check deactivate.
		} elseif( acf_verify_nonce('deactivate_pro_licence') ) {
			$this->deactivate_pro_licence();
		}
		
		// vars
		$license = acf_pro_get_license_key();
		$this->view = array(
			'license'			=> $license,
			'active'			=> $license ? 1 : 0,
			'current_version'	=> acf_get_setting('version'),
			'remote_version'	=> '',
			'update_available'	=> false,
			'changelog'			=> '',
			'upgrade_notice'	=> ''
		);
		
		// get plugin updates
		$force_check = !empty( $_GET['force-check'] );
		$info = acf_updates()->get_plugin_info('pro', $force_check);
		
		// Display error.
		if( is_wp_error($info) ) {
			return $this->display_wp_error( $info );
		}
		
        // add info to view
        $this->view['remote_version'] = $info['version'];
        
        // add changelog if the remote version is '>' than the current version
        $version = acf_get_setting('version');
		
	    // check if remote version is higher than current version
		if( version_compare($info['version'], $version, '>') ) {
			
			// update view
        	$this->view['update_available'] = true;
        	$this->view['changelog'] = $this->get_changelog_changes($info['changelog'], $info['version']);
        	$this->view['upgrade_notice'] = $this->get_changelog_changes($info['upgrade_notice'], $info['version']);
        	
        	// perform update checks if license is active
        	$basename = acf_get_setting('basename');
        	$update = acf_updates()->get_plugin_update( $basename );
        	if( $license ) {
	        	
	        	// display error if no package url
	        	// - possible if license key has been modified
	        	if( $update && !$update['package'] ) {
		        	$this->view['update_available'] = false;
		        	acf_new_admin_notice(array(
						'text'	=> __('<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.', 'acf'),
						'type'	=> 'error'
					));	
	        	}
	        	
	        	// refresh transient
	        	// - if no update exists in the transient
	        	// - or if the transient 'new_version' is stale
	        	if( !$update || $update['new_version'] !== $info['version'] ) {
		        	acf_updates()->refresh_plugins_transient();
	        	}
        	}
        }
	}
	
	/**
	 * activate_pro_licence
	 *
	 * Activates the submitted license key.
	 *
	 * @date	16/01/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function activate_pro_licence() {
		
		// Connect to API.
		$post = array(
			'acf_license'	=> trim($_POST['acf_pro_licence']),
			'acf_version'	=> acf_get_setting('version'),
			'wp_name'		=> get_bloginfo('name'),
			'wp_url'		=> home_url(),
			'wp_version'	=> get_bloginfo('version'),
			'wp_language'	=> get_bloginfo('language'),
			'wp_timezone'	=> get_option('timezone_string'),
		);
		$response = acf_updates()->request('v2/plugins/activate?p=pro', $post);
		
		// Check response is expected JSON array (not string).
		if( is_string($response) ) {
			$response = new WP_Error( 'server_error', esc_html($response) );
		}
		
		// Display error.
		if( is_wp_error($response) ) {
			return $this->display_wp_error( $response );
		}

		// On success.
		if( $response['status'] == 1 ) {
			
			// Update license.
			acf_pro_update_license( $response['license'] );
			
			// Refresh plugins transient to fetch new update data.
			acf_updates()->refresh_plugins_transient();
			
			// Show notice.
			acf_add_admin_notice( $response['message'], 'success' );
		
		// On failure.	
		} else {
			
			// Show notice.
			acf_add_admin_notice( $response['message'], 'warning' );
		}
	}
	
	/**
	 * activate_pro_licence
	 *
	 * Deactivates the registered license key.
	 *
	 * @date	16/01/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function deactivate_pro_licence() {
		
		// Get license key.
		$license = acf_pro_get_license_key();
		
		// Bail early if no key.
		if( !$license ) {
			return;
		}
		
		// Connect to API.
		$post = array(
			'acf_license'	=> $license,
			'wp_url'		=> home_url(),
		);
		$response = acf_updates()->request('v2/plugins/deactivate?p=pro', $post);
		
		
		// Check response is expected JSON array (not string).
		if( is_string($response) ) {
			$response = new WP_Error( 'server_error', esc_html($response) );
		}
		
		// Display error.
		if( is_wp_error($response) ) {
			return $this->display_wp_error( $response );
		}
		
		// Remove license key from DB.
		acf_pro_update_license('');
		
		// Refresh plugins transient to fetch new update data.
		acf_updates()->refresh_plugins_transient();
			
		// On success.
		if( $response['status'] == 1 ) {
			
			// Show notice.
			acf_add_admin_notice( $response['message'], 'info' );
			
		// On failure.	
		} else {
			
			// Show notice.
			acf_add_admin_notice( $response['message'], 'warning' );
		}
	}
	
	/**
	 * html
	 *
	 * Displays the submenu page's HTML.
	 *
	 * @date	7/01/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function html() {
		acf_get_view( dirname(__FILE__) . '/views/html-settings-updates.php', $this->view);
	}
}

// Initialize.
acf_new_instance('ACF_Admin_Updates');

endif; // class_exists check
PK�
�[}sP��� pro/admin/admin-options-page.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_admin_options_page') ) :

class acf_admin_options_page {
	
	/** @var array Contains the current options page */
	var $page;
	
	
	/*
	*  __construct
	*
	*  Initialize filters, action, variables and includes
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// add menu items
		add_action('admin_menu', array($this,'admin_menu'), 99, 0);
		
	}
	
	
	/*
	*  admin_menu
	*
	*  description
	*
	*  @type	function
	*  @date	24/02/2014
	*  @since	5.0.0
	*
	*  @param	
	*  @return	
	*/
	
	function admin_menu() {
		
		// vars
		$pages = acf_get_options_pages();
		
		
		// bail early if no pages
		if( empty($pages) ) return;
		
		
		// loop
		foreach( $pages as $page ) {
			
			// vars
			$slug = '';
			
			
			// parent
			if( empty($page['parent_slug']) ) {
				
				$slug = add_menu_page( $page['page_title'], $page['menu_title'], $page['capability'], $page['menu_slug'], array($this, 'html'), $page['icon_url'], $page['position'] );
			
			// child
			} else {
				
				$slug = add_submenu_page( $page['parent_slug'], $page['page_title'], $page['menu_title'], $page['capability'], $page['menu_slug'], array($this, 'html') );
				
			}
			
			
			// actions
			add_action("load-{$slug}", array($this,'admin_load'));
			
		}
		
	}
	
	
	/*
	*  load
	*
	*  description
	*
	*  @type	function
	*  @date	2/02/13
	*  @since	3.6
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_load() {
		
		// globals
		global $plugin_page;
		
		
		// vars
		$this->page = acf_get_options_page( $plugin_page );
		
		
		// get post_id (allow lang modification)
		$this->page['post_id'] = acf_get_valid_post_id($this->page['post_id']);
		
		
		// verify and remove nonce
		if( acf_verify_nonce('options') ) {
		
			// save data
		    if( acf_validate_save_post(true) ) {
		    	
		    	// set autoload
		    	acf_update_setting('autoload', $this->page['autoload']);
		    	
		    	
		    	// save
				acf_save_post( $this->page['post_id'] );
				
				
				// redirect
				wp_redirect( add_query_arg(array('message' => '1')) );
				exit;
				
			}
			
		}
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action( 'acf/input/admin_enqueue_scripts',		array($this,'admin_enqueue_scripts') );
		add_action( 'acf/input/admin_head',					array($this,'admin_head') );
		
		
		// add columns support
		add_screen_option('layout_columns', array('max'	=> 2, 'default' => 2));
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This function will enqueue the 'post.js' script which adds support for 'Screen Options' column toggle
	*
	*  @type	function
	*  @date	23/03/2016
	*  @since	5.3.2
	*
	*  @param	
	*  @return	
	*/
	
	function admin_enqueue_scripts() {
		
		wp_enqueue_script('post');
		
	}
	
	
	/*
	*  admin_head
	*
	*  This action will find and add field groups to the current edit page
	*
	*  @type	action (admin_head)
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_head() {
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'options_page' => $this->page['menu_slug']
		));
		
		
		// notices
		if( !empty($_GET['message']) && $_GET['message'] == '1' ) {
			acf_add_admin_notice( $this->page['updated_message'], 'success' );
		}
		
		
		// add submit div
		add_meta_box('submitdiv', __('Publish','acf'), array($this, 'postbox_submitdiv'), 'acf_options_page', 'side', 'high');
		
		
		
		if( empty($field_groups) ) {
			
			acf_add_admin_notice( sprintf( __('No Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>', 'acf'), admin_url('post-new.php?post_type=acf-field-group') ), 'warning' );
		
		} else {
			
			foreach( $field_groups as $i => $field_group ) {
			
				// vars
				$id = "acf-{$field_group['key']}";
				$title = $field_group['title'];
				$context = $field_group['position'];
				$priority = 'high';
				$args = array( 'field_group' => $field_group );
				
				
				// tweaks to vars
				if( $context == 'acf_after_title' ) {
					
					$context = 'normal';
					
				} elseif( $context == 'side' ) {
				
					$priority = 'core';
					
				}
				
				
				// filter for 3rd party customization
				$priority = apply_filters('acf/input/meta_box_priority', $priority, $field_group);
				
				
				// add meta box
				add_meta_box( $id, $title, array($this, 'postbox_acf'), 'acf_options_page', $context, $priority, $args );
				
				
			}
			// foreach
			
		}
		// if
		
	}
	
	
	/*
	*  postbox_submitdiv
	*
	*  This function will render the submitdiv metabox
	*
	*  @type	function
	*  @date	23/03/2016
	*  @since	5.3.2
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function postbox_submitdiv( $post, $args ) {
		
		/**
		*   Fires before the major-publishing-actions div.
		*
		*  @date	24/9/18
		*  @since	5.7.7
		*
		*  @param array $page The current options page.
		*/
		do_action( 'acf/options_page/submitbox_before_major_actions', $this->page );
		?>
		<div id="major-publishing-actions">

			<div id="publishing-action">
				<span class="spinner"></span>
				<input type="submit" accesskey="p" value="<?php echo $this->page['update_button']; ?>" class="button button-primary button-large" id="publish" name="publish">
			</div>
			
			<?php
			/**
			*   Fires before the major-publishing-actions div.
			*
			*  @date	24/9/18
			*  @since	5.7.7
			*
			*  @param array $page The current options page.
			*/
			do_action( 'acf/options_page/submitbox_major_actions', $this->page );
			?>
			<div class="clear"></div>
		
		</div>
		<?php
	}
	
	
	/*
	*  render_meta_box
	*
	*  description
	*
	*  @type	function
	*  @date	24/02/2014
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$args (array)
	*  @return	n/a
	*/
	
	function postbox_acf( $post, $args ) {
		
		// extract args
		extract( $args ); // all variables from the add_meta_box function
		extract( $args ); // all variables from the args argument
		
		
		// vars
		$o = array(
			'id'			=> $id,
			'key'			=> $field_group['key'],
			'style'			=> $field_group['style'],
			'label'			=> $field_group['label_placement'],
			'editLink'		=> '',
			'editTitle'		=> __('Edit field group', 'acf'),
			'visibility'	=> true
		);
		
		
		// edit_url
		if( $field_group['ID'] && acf_current_user_can_admin() ) {
			
			$o['editLink'] = admin_url('post.php?post=' . $field_group['ID'] . '&action=edit');
				
		}
		
		
		// load fields
		$fields = acf_get_fields( $field_group );
		
		
		// render
		acf_render_fields( $fields, $this->page['post_id'], 'div', $field_group['instruction_placement'] );
		
		
		
?>
<script type="text/javascript">
if( typeof acf !== 'undefined' ) {
		
	acf.newPostbox(<?php echo json_encode($o); ?>);	

}
</script>
<?php
		
	}
	
	
	/*
	*  html
	*
	*  @description: 
	*  @since: 2.0.4
	*  @created: 5/12/12
	*/
	
	function html() {
		
		// load view
		acf_get_view(dirname(__FILE__) . '/views/html-options-page.php', $this->page);
				
	}
	
	
}


// initialize
new acf_admin_options_page();

endif;

?>PK�
�[B
q���%pro/admin/views/html-options-page.phpnu�[���<div class="wrap acf-settings-wrap">
	
	<h1><?php echo $page_title; ?></h1>
	
	<form id="post" method="post" name="post">
		
		<?php 
		
		// render post data
		acf_form_data(array(
			'screen'	=> 'options',
			'post_id'	=> $post_id,
		));
		
		wp_nonce_field( 'meta-box-order', 'meta-box-order-nonce', false );
		wp_nonce_field( 'closedpostboxes', 'closedpostboxesnonce', false );
		
		?>
		
		<div id="poststuff" class="poststuff">
			
			<div id="post-body" class="metabox-holder columns-<?php echo 1 == get_current_screen()->get_columns() ? '1' : '2'; ?>">
				
				<div id="postbox-container-1" class="postbox-container">
					
					<?php do_meta_boxes('acf_options_page', 'side', null); ?>
						
				</div>
				
				<div id="postbox-container-2" class="postbox-container">
					
					<?php do_meta_boxes('acf_options_page', 'normal', null); ?>
					
				</div>
			
			</div>
			
			<br class="clear">
		
		</div>
		
	</form>
	
</div>PK�
�[�q;uu)pro/admin/views/html-settings-updates.phpnu�[���<?php 

// vars
$active = $license ? true : false;
$nonce = $active ? 'deactivate_pro_licence' : 'activate_pro_licence';
$input = $active ? 'password' : 'text';
$button = $active ? __('Deactivate License', 'acf') : __('Activate License', 'acf');
$readonly = $active ? 1 : 0;

?>
<div class="wrap acf-settings-wrap">
	
	<h1><?php _e('Updates', 'acf'); ?></h1>
	
	<div class="acf-box" id="acf-license-information">
		<div class="title">
			<h3><?php _e('License Information', 'acf'); ?></h3>
		</div>
		<div class="inner">
			<p><?php printf(__('To unlock updates, please enter your license key below. If you don\'t have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.','acf'), esc_url('https://www.advancedcustomfields.com/pro')); ?></p>
			<form action="" method="post">
			<div class="acf-hidden">
				<?php acf_nonce_input($nonce); ?>
			</div>
			<table class="form-table">
                <tbody>
                	<tr>
                    	<th>
                    		<label for="acf-field-acf_pro_licence"><?php _e('License Key', 'acf'); ?></label>
                    	</th>
						<td>
							<?php 
							
							// render field
							acf_render_field(array(
								'type'		=> $input,
								'name'		=> 'acf_pro_licence',
								'value'		=> str_repeat('*', strlen($license)),
								'readonly'	=> $readonly
							));
							
							?>
						</td>
					</tr>
					<tr>
						<th></th>
						<td>
							<input type="submit" value="<?php echo $button; ?>" class="button button-primary">
						</td>
					</tr>
				</tbody>
			</table>
			</form>
            
		</div>
		
	</div>
	
	<div class="acf-box" id="acf-update-information">
		<div class="title">
			<h3><?php _e('Update Information', 'acf'); ?></h3>
		</div>
		<div class="inner">
			<table class="form-table">
                <tbody>
                	<tr>
                    	<th>
                    		<label><?php _e('Current Version', 'acf'); ?></label>
                    	</th>
						<td>
							<?php echo esc_html( $current_version ); ?>
						</td>
					</tr>
					<tr>
                    	<th>
                    		<label><?php _e('Latest Version', 'acf'); ?></label>
                    	</th>
						<td>
							<?php echo esc_html( $remote_version ); ?>
						</td>
					</tr>
					<tr>
                    	<th>
                    		<label><?php _e('Update Available', 'acf'); ?></label>
                    	</th>
						<td>
							<?php if( $update_available ): ?>
								
								<span style="margin-right: 5px;"><?php _e('Yes', 'acf'); ?></span>
								
								<?php if( $active ): ?>
									<a class="button button-primary" href="<?php echo admin_url('plugins.php?s=Advanced+Custom+Fields+Pro'); ?>"><?php _e('Update Plugin', 'acf'); ?></a>
								<?php else: ?>
									<a class="button" disabled="disabled" href="#"><?php _e('Please enter your license key above to unlock updates', 'acf'); ?></a>
								<?php endif; ?>
								
							<?php else: ?>
								
								<span style="margin-right: 5px;"><?php _e('No', 'acf'); ?></span>
								<a class="button" href="<?php echo add_query_arg('force-check', 1); ?>"><?php _e('Check Again', 'acf'); ?></a>
							<?php endif; ?>
						</td>
					</tr>
					<?php if( $changelog ): ?>
					<tr>
                    	<th>
                    		<label><?php _e('Changelog', 'acf'); ?></label>
                    	</th>
						<td>
							<?php echo acf_esc_html( $changelog ); ?>
						</td>
					</tr>
					<?php endif; ?>
					<?php if( $upgrade_notice ): ?>
					<tr>
                    	<th>
                    		<label><?php _e('Upgrade Notice', 'acf'); ?></label>
                    	</th>
						<td>
							<?php echo acf_esc_html( $upgrade_notice ); ?>
						</td>
					</tr>
					<?php endif; ?>
				</tbody>
			</table>
		</div>
	</div>
</div>
<style type="text/css">
	#acf_pro_licence {
		width: 75%;
	}
	
	#acf-update-information td h4 {
		display: none;
	}
</style>PK�
�[jT�d�M�M&pro/fields/class-acf-field-gallery.phpnu�[���<?php

if( ! class_exists('acf_field_gallery') ) :

class acf_field_gallery extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'gallery';
		$this->label = __("Gallery",'acf');
		$this->category = 'content';
		$this->defaults = array(
			'return_format'	=> 'array',
			'preview_size'	=> 'medium',
			'insert'		=> 'append',
			'library'		=> 'all',
			'min'			=> 0,
			'max'			=> 0,
			'min_width'		=> 0,
			'min_height'	=> 0,
			'min_size'		=> 0,
			'max_width'		=> 0,
			'max_height'	=> 0,
			'max_size'		=> 0,
			'mime_types'	=> '',
		);
		
		
		// actions
		add_action('wp_ajax_acf/fields/gallery/get_attachment',				array($this, 'ajax_get_attachment'));
		add_action('wp_ajax_nopriv_acf/fields/gallery/get_attachment',		array($this, 'ajax_get_attachment'));
		
		add_action('wp_ajax_acf/fields/gallery/update_attachment',			array($this, 'ajax_update_attachment'));
		add_action('wp_ajax_nopriv_acf/fields/gallery/update_attachment',	array($this, 'ajax_update_attachment'));
		
		add_action('wp_ajax_acf/fields/gallery/get_sort_order',				array($this, 'ajax_get_sort_order'));
		add_action('wp_ajax_nopriv_acf/fields/gallery/get_sort_order',		array($this, 'ajax_get_sort_order'));
		
	}
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
		   	'Add Image to Gallery'		=> __('Add Image to Gallery', 'acf'),
			'Maximum selection reached'	=> __('Maximum selection reached', 'acf'),
	   	));
	}
	
	
	/*
	*  ajax_get_attachment
	*
	*  description
	*
	*  @type	function
	*  @date	13/12/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_get_attachment() {
		
		// Validate requrest.
		if( !acf_verify_ajax() ) {
			die();
		}
		
		// Get args.
   		$args = acf_request_args(array(
			'id'		=> 0,
			'field_key'	=> '',
		));
		
		// Cast args.
   		$args['id'] = (int) $args['id'];
		
		// Bail early if no id.
		if( !$args['id'] ) {
			die();
		}
		
		// Load field.
		$field = acf_get_field( $args['field_key'] );
		if( !$field ) {
			die();
		}
		
		// Render.
		$this->render_attachment( $args['id'], $field );
		die;
	}
	
	
	/*
	*  ajax_update_attachment
	*
	*  description
	*
	*  @type	function
	*  @date	13/12/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_update_attachment() {
		
		// validate nonce
		if( !wp_verify_nonce($_POST['nonce'], 'acf_nonce') ) {
		
			wp_send_json_error();
			
		}
		
		
		// bail early if no attachments
		if( empty($_POST['attachments']) ) {
		
			wp_send_json_error();
			
		}
		
		
		// loop over attachments
		foreach( $_POST['attachments'] as $id => $changes ) {
			
			if ( !current_user_can( 'edit_post', $id ) )
				wp_send_json_error();
				
			$post = get_post( $id, ARRAY_A );
		
			if ( 'attachment' != $post['post_type'] )
				wp_send_json_error();
		
			if ( isset( $changes['title'] ) )
				$post['post_title'] = $changes['title'];
		
			if ( isset( $changes['caption'] ) )
				$post['post_excerpt'] = $changes['caption'];
		
			if ( isset( $changes['description'] ) )
				$post['post_content'] = $changes['description'];
		
			if ( isset( $changes['alt'] ) ) {
				$alt = wp_unslash( $changes['alt'] );
				if ( $alt != get_post_meta( $id, '_wp_attachment_image_alt', true ) ) {
					$alt = wp_strip_all_tags( $alt, true );
					update_post_meta( $id, '_wp_attachment_image_alt', wp_slash( $alt ) );
				}
			}
			
			
			// save post
			wp_update_post( $post );
			
			
			/** This filter is documented in wp-admin/includes/media.php */
			// - seems off to run this filter AFTER the update_post function, but there is a reason
			// - when placed BEFORE, an empty post_title will be populated by WP
			// - this filter will still allow 3rd party to save extra image data!
			$post = apply_filters( 'attachment_fields_to_save', $post, $changes );
			
			
			// save meta
			acf_save_post( $id );
						
		}
		
		
		// return
		wp_send_json_success();
			
	}
	
	
	/*
	*  ajax_get_sort_order
	*
	*  description
	*
	*  @type	function
	*  @date	13/12/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_get_sort_order() {
		
		// vars
		$r = array();
		$order = 'DESC';
   		$args = acf_parse_args( $_POST, array(
			'ids'			=> 0,
			'sort'			=> 'date',
			'field_key'		=> '',
			'nonce'			=> '',
		));
		
		
		// validate
		if( ! wp_verify_nonce($args['nonce'], 'acf_nonce') ) {
		
			wp_send_json_error();
			
		}
		
		
		// reverse
		if( $args['sort'] == 'reverse' ) {
		
			$ids = array_reverse($args['ids']);
			
			wp_send_json_success($ids);
			
		}
		
		
		if( $args['sort'] == 'title' ) {
			
			$order = 'ASC';
			
		}
		
		
		// find attachments (DISTINCT POSTS)
		$ids = get_posts(array(
			'post_type'		=> 'attachment',
			'numberposts'	=> -1,
			'post_status'	=> 'any',
			'post__in'		=> $args['ids'],
			'order'			=> $order,
			'orderby'		=> $args['sort'],
			'fields'		=> 'ids'		
		));
		
		
		// success
		if( !empty($ids) ) {
		
			wp_send_json_success($ids);
			
		}
		
		
		// failure
		wp_send_json_error();
		
	}
	
	/**
	 * render_attachment
	 *
	 * Renders the sidebar HTML shown when selecting an attachmemnt.
	 *
	 * @date	13/12/2013
	 * @since	5.0.0
	 *
	 * @param	int $id The attachment ID.
	 * @param	array $field The field array.
	 * @return	void
	 */	
	function render_attachment( $id = 0, $field ) {
		
		// Load attachmenet data.
		$attachment = wp_prepare_attachment_for_js( $id );
		$compat = get_compat_media_markup( $id );
		
		// Get attachment thumbnail (video).
		if( isset($attachment['thumb']['src']) ) {
			$thumb = $attachment['thumb']['src'];
		
		// Look for thumbnail size (image).
		} elseif( isset($attachment['sizes']['thumbnail']['url']) ) {
			$thumb = $attachment['sizes']['thumbnail']['url'];
		
		// Use url for svg.
		} elseif( $attachment['type'] === 'image' ) {
			$thumb = $attachment['url'];
		
		// Default to icon.
		} else {
			$thumb = wp_mime_type_icon( $id );	
		}
		
		// Get attachment dimensions / time / size.
		$dimensions = '';
		if( $attachment['type'] === 'audio' ) {
			$dimensions = __('Length', 'acf') . ': ' . $attachment['fileLength'];	
		} elseif( !empty($attachment['width']) ) {
			$dimensions = $attachment['width'] . ' x ' . $attachment['height'];
		}
		if( !empty($attachment['filesizeHumanReadable']) ) {
			$dimensions .=  ' (' . $attachment['filesizeHumanReadable'] . ')';
		}
		
		?>
		<div class="acf-gallery-side-info">
			<img src="<?php echo esc_attr($thumb); ?>" alt="<?php echo esc_attr($attachment['alt']); ?>" />
			<p class="filename"><strong><?php echo esc_html($attachment['filename']); ?></strong></p>
			<p class="uploaded"><?php echo esc_html($attachment['dateFormatted']); ?></p>
			<p class="dimensions"><?php echo esc_html($dimensions); ?></p>
			<p class="actions">
				<a href="#" class="acf-gallery-edit" data-id="<?php echo esc_attr($id); ?>"><?php _e('Edit', 'acf'); ?></a>
				<a href="#" class="acf-gallery-remove" data-id="<?php echo esc_attr($id); ?>"><?php _e('Remove', 'acf'); ?></a>
			</p>
		</div>
		<table class="form-table">
			<tbody>
				<?php 
				
				// Render fields.
				$prefix = 'attachments[' . $id . ']';
				
				acf_render_field_wrap(array(
					//'key'		=> "{$field['key']}-title",
					'name'		=> 'title',
					'prefix'	=> $prefix,
					'type'		=> 'text',
					'label'		=> __('Title', 'acf'),
					'value'		=> $attachment['title']
				), 'tr');
				
				acf_render_field_wrap(array(
					//'key'		=> "{$field['key']}-caption",
					'name'		=> 'caption',
					'prefix'	=> $prefix,
					'type'		=> 'textarea',
					'label'		=> __('Caption', 'acf'),
					'value'		=> $attachment['caption']
				), 'tr');
				
				acf_render_field_wrap(array(
					//'key'		=> "{$field['key']}-alt",
					'name'		=> 'alt',
					'prefix'	=> $prefix,
					'type'		=> 'text',
					'label'		=> __('Alt Text', 'acf'),
					'value'		=> $attachment['alt']
				), 'tr');
				
				acf_render_field_wrap(array(
					//'key'		=> "{$field['key']}-description",
					'name'		=> 'description',
					'prefix'	=> $prefix,
					'type'		=> 'textarea',
					'label'		=> __('Description', 'acf'),
					'value'		=> $attachment['description']
				), 'tr');
				
				?>
			</tbody>
		</table>
		<?php
		
		// Display compat fields.
		echo $compat['item'];
	}
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// Enqueue uploader assets.
		acf_enqueue_uploader();
		
		// Control attributes.
		$attrs = array(
			'id'				=> $field['id'],
			'class'				=> "acf-gallery {$field['class']}",
			'data-library'		=> $field['library'],
			'data-preview_size'	=> $field['preview_size'],
			'data-min'			=> $field['min'],
			'data-max'			=> $field['max'],
			'data-mime_types'	=> $field['mime_types'],
			'data-insert'		=> $field['insert'],
			'data-columns'		=> 4
		);
		
		// Set gallery height with deafult of 400px and minimum of 200px.
		$height = acf_get_user_setting('gallery_height', 400);
		$height = max( $height, 200 );
		$attrs['style'] = "height:{$height}px";
		
		// Load attachments.
		$attachments = array();
		if( $field['value'] ) {
			
			// Clean value into an array of IDs.
			$attachment_ids = array_map('intval', acf_array($field['value']));
			
			// Find posts in database (ensures all results are real).
			$posts = acf_get_posts(array(
				'post_type'					=> 'attachment',
				'post__in'					=> $attachment_ids,
				'update_post_meta_cache' 	=> true,
				'update_post_term_cache' 	=> false
			));
			
			// Load attatchment data for each post.
			$attachments = array_map('acf_get_attachment', $posts);
		}
		
		?>
<div <?php acf_esc_attr_e($attrs); ?>>
	<input type="hidden" name="<?php echo esc_attr($field['name']); ?>" value="" />
	<div class="acf-gallery-main">
		<div class="acf-gallery-attachments">
			<?php if( $attachments ): ?>
				<?php foreach( $attachments as $i => $attachment ): 
					
					// Vars
					$a_id = $attachment['ID'];
					$a_title = $attachment['title'];
					$a_type = $attachment['type'];
					$a_filename = $attachment['filename'];
					$a_class = "acf-gallery-attachment -{$a_type}";
					
					// Get thumbnail.
					$a_thumbnail = acf_get_post_thumbnail($a_id, $field['preview_size']);
					$a_class .= ($a_thumbnail['type'] === 'icon') ? ' -icon' : '';
					
					?>
					<div class="<?php echo esc_attr($a_class); ?>" data-id="<?php echo esc_attr($a_id); ?>">
						<input type="hidden" name="<?php echo esc_attr($field['name']); ?>[]" value="<?php echo esc_attr($a_id); ?>" />
						<div class="margin">
							<div class="thumbnail">
								<img src="<?php echo esc_url($a_thumbnail['url']); ?>" alt="" />
							</div>
							<?php if( $a_type !== 'image' ): ?>
								<div class="filename"><?php echo acf_get_truncated( $a_filename, 30 ); ?></div>	
							<?php endif; ?>
						</div>
						<div class="actions">
							<a class="acf-icon -cancel dark acf-gallery-remove" href="#" data-id="<?php echo esc_attr($a_id); ?>" title="<?php _e('Remove', 'acf'); ?>"></a>
						</div>
					</div>
				<?php endforeach; ?>
			<?php endif; ?>
		</div>
		<div class="acf-gallery-toolbar">
			<ul class="acf-hl">
				<li>
					<a href="#" class="acf-button button button-primary acf-gallery-add"><?php _e('Add to gallery', 'acf'); ?></a>
				</li>
				<li class="acf-fr">
					<select class="acf-gallery-sort">
						<option value=""><?php _e('Bulk actions', 'acf'); ?></option>
						<option value="date"><?php _e('Sort by date uploaded', 'acf'); ?></option>
						<option value="modified"><?php _e('Sort by date modified', 'acf'); ?></option>
						<option value="title"><?php _e('Sort by title', 'acf'); ?></option>
						<option value="reverse"><?php _e('Reverse current order', 'acf'); ?></option>
					</select>
				</li>
			</ul>
		</div>
	</div>
	<div class="acf-gallery-side">
		<div class="acf-gallery-side-inner">
			<div class="acf-gallery-side-data"></div>
			<div class="acf-gallery-toolbar">
				<ul class="acf-hl">
					<li>
						<a href="#" class="acf-button button acf-gallery-close"><?php _e('Close', 'acf'); ?></a>
					</li>
					<li class="acf-fr">
						<a class="acf-button button button-primary acf-gallery-update" href="#"><?php _e('Update', 'acf'); ?></a>
					</li>
				</ul>
			</div>
		</div>	
	</div>
</div>
		<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// clear numeric settings
		$clear = array(
			'min',
			'max',
			'min_width',
			'min_height',
			'min_size',
			'max_width',
			'max_height',
			'max_size'
		);
		
		foreach( $clear as $k ) {
			
			if( empty($field[$k]) ) $field[$k] = '';
			
		}
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'array'			=> __("Image Array",'acf'),
				'url'			=> __("Image URL",'acf'),
				'id'			=> __("Image ID",'acf')
			)
		));
		
		// preview_size
		acf_render_field_setting( $field, array(
			'label'			=> __('Preview Size','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'preview_size',
			'choices'		=> acf_get_image_sizes()
		));
		
		// insert
		acf_render_field_setting( $field, array(
			'label'			=> __('Insert','acf'),
			'instructions'	=> __('Specify where new attachments are added','acf'),
			'type'			=> 'select',
			'name'			=> 'insert',
			'choices' 		=> array(
				'append'		=> __('Append to the end', 'acf'),
				'prepend'		=> __('Prepend to the beginning', 'acf')
			)
		));
		
		// library
		acf_render_field_setting( $field, array(
			'label'			=> __('Library','acf'),
			'instructions'	=> __('Limit the media library choice','acf'),
			'type'			=> 'radio',
			'name'			=> 'library',
			'layout'		=> 'horizontal',
			'choices' 		=> array(
				'all'			=> __('All', 'acf'),
				'uploadedTo'	=> __('Uploaded to post', 'acf')
			)
		));
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum Selection','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min'
		));
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum Selection','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max'
		));
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum','acf'),
			'instructions'	=> __('Restrict which images can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'min_width',
			'prepend'		=> __('Width', 'acf'),
			'append'		=> 'px',
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'min_height',
			'prepend'		=> __('Height', 'acf'),
			'append'		=> 'px',
			'_append' 		=> 'min_width'
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'min_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
			'_append' 		=> 'min_width'
		));	
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum','acf'),
			'instructions'	=> __('Restrict which images can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'max_width',
			'prepend'		=> __('Width', 'acf'),
			'append'		=> 'px',
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'max_height',
			'prepend'		=> __('Height', 'acf'),
			'append'		=> 'px',
			'_append' 		=> 'max_width'
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'max_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
			'_append' 		=> 'max_width'
		));	
		
		// allowed type
		acf_render_field_setting( $field, array(
			'label'			=> __('Allowed file types','acf'),
			'instructions'	=> __('Comma separated list. Leave blank for all types','acf'),
			'type'			=> 'text',
			'name'			=> 'mime_types',
		));
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( !$value ) {
			return false;
		}
		
		// Clean value into an array of IDs.
		$attachment_ids = array_map('intval', acf_array($value));
		
		// Find posts in database (ensures all results are real).
		$posts = acf_get_posts(array(
			'post_type'					=> 'attachment',
			'post__in'					=> $attachment_ids,
			'update_post_meta_cache' 	=> true,
			'update_post_term_cache' 	=> false
		));
		
		// Bail early if no posts found.
		if( !$posts ) {
			return false;
		}
		
		// Format values using field settings.
		$value = array();
		foreach( $posts as $post ) {
			
			// Return object.
			if( $field['return_format'] == 'object' ) {
				$item = $post;
				
			// Return array.		
			} elseif( $field['return_format'] == 'array' ) {
				$item = acf_get_attachment( $post );
				
			// Return URL.		
			} elseif( $field['return_format'] == 'url' ) {
				$item = wp_get_attachment_url( $post->ID );
			
			// Return ID.		
			} else {
				$item = $post->ID;
			}
			
			// Append item.
			$value[] = $item;
		}
		
		// Return.
		return $value;
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		if( empty($value) || !is_array($value) ) {
		
			$value = array();
			
		}
		
		
		if( count($value) < $field['min'] ) {
		
			$valid = _n( '%s requires at least %s selection', '%s requires at least %s selections', $field['min'], 'acf' );
			$valid = sprintf( $valid, $field['label'], $field['min'] );
			
		}
		
				
		return $valid;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Convert to array.
		$value = acf_array( $value );
		
		// Format array of values.
		// - ensure each value is an id.
		// - Parse each id as string for SQL LIKE queries.
		$value = array_map('acf_idval', $value);
		$value = array_map('strval', $value);
		
		// Return value.
		return $value;
		
	}	
}


// initialize
acf_register_field_type( 'acf_field_gallery' );

endif; // class_exists check

?>PK�
�[Ԧ�g�g$pro/fields/class-acf-field-clone.phpnu�[���<?php

if( ! class_exists('acf_field_clone') ) :

class acf_field_clone extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'clone';
		$this->label = _x('Clone', 'noun', 'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'clone' 		=> '',
			'prefix_label'	=> 0,
			'prefix_name'	=> 0,
			'display'		=> 'seamless',
			'layout'		=> 'block'
		);
		$this->cloning = array();
		$this->have_rows = 'single';
		
		
		// register filter
		acf_enable_filter('clone');
		
		
		// ajax
		add_action('wp_ajax_acf/fields/clone/query', array($this, 'ajax_query'));
		
		
		// filters
		add_filter('acf/get_fields', 		array($this, 'acf_get_fields'), 5, 2);
		add_filter('acf/prepare_field',		array($this, 'acf_prepare_field'), 10, 1);
		add_filter('acf/clone_field',		array($this, 'acf_clone_field'), 10, 2);
    	
	}
	
	
	/*
	*  is_enabled
	*
	*  This function will return true if acf_local functionality is enabled
	*
	*  @type	function
	*  @date	14/07/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function is_enabled() {
		
		return acf_is_filter_enabled('clone');
		
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// bail early if not enabled
		if( !$this->is_enabled() ) return $field;
		
		
		// load sub fields
		// - sub field name's will be modified to include prefix_name settings
		$field['sub_fields'] = $this->get_cloned_fields( $field );
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  acf_get_fields
	*
	*  This function will hook into the 'acf/get_fields' filter and inject/replace seamless clones fields
	*
	*  @type	function
	*  @date	17/06/2016
	*  @since	5.3.8
	*
	*  @param	$fields (array)
	*  @param	$parent (array)
	*  @return	$fields
	*/
	
	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;
		
		
		// vars
		$i = 0;
		
		
		// loop
		while( $i < count($fields) ) {
			
			// vars
			$field = $fields[ $i ];
			
			
			// $i
			$i++;
			
			
			// bail ealry if not a clone field
			if( $field['type'] != 'clone' ) continue;
			
			
			// bail ealry if not seamless
			if( $field['display'] != 'seamless' ) continue;
			
			
			// replace this clone field with sub fields
			$i--;
			array_splice($fields, $i, 1, $field['sub_fields']);

		}
		
		
		// return
		return $fields;
		
	}
	
	
	/*
	*  get_cloned_fields
	*
	*  This function will return an array of fields for a given clone field
	*
	*  @type	function
	*  @date	28/06/2016
	*  @since	5.3.8
	*
	*  @param	$field (array)
	*  @param	$parent (array)
	*  @return	(array)
	*/
	
	function get_cloned_fields( $field ) {
		
		// vars
		$fields = array();
		
		
		// bail early if no clone setting
		if( empty($field['clone']) ) return $fields;
		
		
		// bail ealry if already cloning this field (avoid infinite looping)
		if( isset($this->cloning[ $field['key'] ]) ) return $fields;
		
		
		// update local ref
		$this->cloning[ $field['key'] ] = 1;
		
		
		// loop
		foreach( $field['clone'] as $selector ) {
			
			// field group
			if( acf_is_field_group_key($selector) ) {
				
				// vars
				$field_group = acf_get_field_group($selector);
				$field_group_fields = acf_get_fields($field_group);
				
				
				// bail early if no fields
				if( !$field_group_fields ) continue;
				
				
				// append
				$fields = array_merge($fields, $field_group_fields);
				
			// field
			} elseif( acf_is_field_key($selector) ) {
				
				// append
				$fields[] = acf_get_field($selector);
				
			}
			
		}
		
		
		// field has ve been loaded for this $parent, time to remove cloning ref
		unset( $this->cloning[ $field['key'] ] );
		
		
		// clear false values (fields that don't exist)
		$fields = array_filter($fields);
		
		
		// bail early if no sub fields
		if( empty($fields) ) return array();
		
		
		// loop
		// run acf_clone_field() on each cloned field to modify name, key, etc
		foreach( array_keys($fields) as $i ) {
			
			$fields[ $i ] = acf_clone_field( $fields[ $i ], $field );
				
		}
		
		
		// return
		return $fields;
		
	}
	
	
	/*
	*  acf_clone_field
	*
	*  This function is run when cloning a clone field
	*  Important to run the acf_clone_field function on sub fields to pass on settings such as 'parent_layout' 
	*
	*  @type	function
	*  @date	28/06/2016
	*  @since	5.3.8
	*
	*  @param	$field (array)
	*  @param	$clone_field (array)
	*  @return	$field
	*/
	
	function acf_clone_field( $field, $clone_field ) {
		
		// bail early if this field is being cloned by some other kind of field (future proof)
		if( $clone_field['type'] != 'clone' ) return $field;
		
		
		// backup (used later)
		// - backup only once (cloned clone fields can cause issues)
		if( !isset($field['__key']) ) {
			
			$field['__key'] = $field['key'];
			$field['__name'] = $field['_name'];
			$field['__label'] = $field['label'];
			
		}
		
		
		// seamless
		if( $clone_field['display'] == 'seamless' ) {
			
			// modify key 
			// - this will allow sub clone fields to correctly load values for the same cloned field
			// - the original key will later be restored by acf/prepare_field allowing conditional logic JS to work
			$field['key'] = $clone_field['key'] . '_' . $field['key'];
			
			
			// modify prefix allowing clone field to save sub fields
			// - only used for parent seamless fields. Block or sub field's prefix will be overriden which also works
			$field['prefix'] = $clone_field['prefix'] . '[' . $clone_field['key'] . ']';
			
			
			// modify parent
			$field['parent'] = $clone_field['parent'];
			
						
			// label_format
			if( $clone_field['prefix_label'] ) {
				
				$field['label'] = $clone_field['label'] . ' ' . $field['label'];
				
			}
		}
		
		
		// prefix_name
		if( $clone_field['prefix_name'] ) {
			
			// modify the field name
			// - this will allow field to load / save correctly
			$field['name'] = $clone_field['name'] . '_' . $field['_name'];
			
			
			// modify the field _name (orig name)
			// - this will allow fields to correctly understand the modified field
			if( $clone_field['display'] == 'seamless' ) {
				
				$field['_name'] = $clone_field['_name'] . '_' . $field['_name'];
				
			}
		}
		
		
		// required
		if( $clone_field['required'] ) {
			
			$field['required'] = 1;
			
		}
		
		
		// type specific
		// note: seamless clone fields will not be triggered
		if( $field['type'] == 'clone' ) {
			
			$field = $this->acf_clone_clone_field( $field, $clone_field );
			
		}
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  acf_clone_clone_field
	*
	*  This function is run when cloning a clone field
	*  Important to run the acf_clone_field function on sub fields to pass on settings such as 'parent_layout'
	*  Do not delete! Removing this logic causes major issues with cloned clone fields within a flexible content layout.
	*
	*  @type	function
	*  @date	28/06/2016
	*  @since	5.3.8
	*
	*  @param	$field (array)
	*  @param	$clone_field (array)
	*  @return	$field
	*/
	
	function acf_clone_clone_field( $field, $clone_field ) {
		
		// modify the $clone_field name
		// This seems odd, however, the $clone_field is later passed into the acf_clone_field() function
		// Do not delete! 
		// when cloning a clone field, it is important to also change the _name too
		// this allows sub clone fields to appear correctly in get_row() row array
		if( $field['prefix_name'] ) {
			
			$clone_field['name'] = $field['_name'];
			$clone_field['_name'] = $field['_name'];
			
		}
		
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $field;
		
		
		// loop
		foreach( $field['sub_fields'] as &$sub_field ) {
			
			// clone
			$sub_field = acf_clone_field( $sub_field, $clone_field );
			
		}
		
		
		// return
		return $field;
			
	}
	
	
	/*
	*  prepare_field_for_db
	*
	*  description
	*
	*  @type	function
	*  @date	4/11/16
	*  @since	5.5.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function prepare_field_for_db( $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $field;
		
		
		// bail early if name == _name
		// this is a parent clone field and does not require any modification to sub field names
		if( $field['name'] == $field['_name'] ) return $field;
		
		
		// this is a sub field
		// _name = 'my_field'
		//  name = 'rep_0_my_field'
		// modify all sub fields to add 'rep_0_' name prefix (prefix_name setting has already been applied)
		$length = strlen($field['_name']);
		$prefix = substr($field['name'], 0, -$length);
		
		
		// bail ealry if _name is not found at the end of name (unknown potential error)
		if( $prefix . $field['_name'] !== $field['name'] ) return $field;
		
		//acf_log('== prepare_field_for_db ==');
		//acf_log('- clone name:', $field['name']);
		//acf_log('- clone _name:', $field['_name']);
		
		// loop
		foreach( $field['sub_fields'] as &$sub_field ) {
			
			$sub_field['name'] = $prefix . $sub_field['name'];
			
		}
		
		// return
		return $field;

	}
		
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $value;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );


		// load sub fields
		$value = array();
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// add value
			$value[ $sub_field['key'] ] = acf_get_value( $post_id, $sub_field );
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// extract value
			$sub_value = acf_extract_var( $value, $sub_field['key'] );
			
			
			// format value
			$sub_value = acf_format_value( $sub_value, $post_id, $sub_field );
			
			
			// append to $row
			$value[ $sub_field['__name'] ] = $sub_value;
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( !acf_is_array($value) ) return null;
		
		
		// bail ealry if no sub fields
		if( empty($field['sub_fields']) ) return null;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// vars
			$v = false;
			
			
			// key (backend)
			if( isset($value[ $sub_field['key'] ]) ) {
				
				$v = $value[ $sub_field['key'] ];
			
			// name (frontend)
			} elseif( isset($value[ $sub_field['_name'] ]) ) {
				
				$v = $value[ $sub_field['_name'] ];
			
			// empty
			} else {
				
				// input is not set (hidden by conditioanl logic)
				continue;
				
			}
			
			
			// restore original field key
			$sub_field = $this->acf_prepare_field( $sub_field );
			
			
			// update value
			acf_update_value( $v, $post_id, $sub_field );
			
		}
		
		
		// return
		return '';
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return;
		
		
		// load values
		foreach( $field['sub_fields'] as &$sub_field ) {
			
			// add value
			if( isset($field['value'][ $sub_field['key'] ]) ) {
				
				// this is a normal value
				$sub_field['value'] = $field['value'][ $sub_field['key'] ];
				
			} elseif( isset($sub_field['default_value']) ) {
				
				// no value, but this sub field has a default value
				$sub_field['value'] = $sub_field['default_value'];
				
			}
			
			
			// update prefix to allow for nested values
			$sub_field['prefix'] = $field['name'];
			
			
			// restore label
			$sub_field['label'] = $sub_field['__label'];
			
			
			// restore required
			if( $field['required'] ) $sub_field['required'] = 0;
		
		}
		
		
		// render
		if( $field['layout'] == 'table' ) {
			
			$this->render_field_table( $field );
			
		} else {
			
			$this->render_field_block( $field );
			
		}
		
	}
	
	
	/*
	*  render_field_block
	*
	*  description
	*
	*  @type	function
	*  @date	12/07/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_block( $field ) {
		
		// vars
		$label_placement = $field['layout'] == 'block' ? 'top' : 'left';
		
		
		// html
		echo '<div class="acf-clone-fields acf-fields -'.$label_placement.' -border">';
			
		foreach( $field['sub_fields'] as $sub_field ) {
			
			acf_render_field_wrap( $sub_field );
			
		}
		
		echo '</div>';
		
	}
	
	
	/*
	*  render_field_table
	*
	*  description
	*
	*  @type	function
	*  @date	12/07/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_table( $field ) {
		
?>
<table class="acf-table">
	<thead>
		<tr>
		<?php foreach( $field['sub_fields'] as $sub_field ): 
			
			// prepare field (allow sub fields to be removed)
			$sub_field = acf_prepare_field($sub_field);
			
			
			// bail ealry if no field
			if( !$sub_field ) continue;
			
			
			// vars
			$atts = array();
			$atts['class'] = 'acf-th';
			$atts['data-name'] = $sub_field['_name'];
			$atts['data-type'] = $sub_field['type'];
			$atts['data-key'] = $sub_field['key'];
			
			
			// Add custom width
			if( $sub_field['wrapper']['width'] ) {
			
				$atts['data-width'] = $sub_field['wrapper']['width'];
				$atts['style'] = 'width: ' . $sub_field['wrapper']['width'] . '%;';
				
			}
			
				
			?>
			<th <?php acf_esc_attr_e( $atts ); ?>>
				<?php echo acf_get_field_label( $sub_field ); ?>
				<?php if( $sub_field['instructions'] ): ?>
					<p class="description"><?php echo $sub_field['instructions']; ?></p>
				<?php endif; ?>
			</th>
		<?php endforeach; ?>
		</tr>
	</thead>
	<tbody>
		<tr class="acf-row">
		<?php 
		
		foreach( $field['sub_fields'] as $sub_field ) {
			
			acf_render_field_wrap( $sub_field, 'td' );
			
		}
				
		?>
		</tr>
	</tbody>
</table>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
		// temp enable 'local' to allow .json fields to be displayed
		acf_enable_filter('local');
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Fields', 'acf'),
			'instructions'	=> __('Select one or more fields you wish to clone','acf'),
			'type'			=> 'select',
			'name'			=> 'clone',
			'multiple' 		=> 1,
			'allow_null' 	=> 1,
			'choices'		=> $this->get_clone_setting_choices( $field['clone'] ),
			'ui'			=> 1,
			'ajax'			=> 1,
			'ajax_action'	=> 'acf/fields/clone/query',
			'placeholder'	=> '',
		));
		
		acf_disable_filter('local');
		
		
		// display
		acf_render_field_setting( $field, array(
			'label'			=> __('Display','acf'),
			'instructions'	=> __('Specify the style used to render the clone field', 'acf'),
			'type'			=> 'select',
			'name'			=> 'display',
			'class'			=> 'setting-display',
			'choices'		=> array(
				'group'			=> __('Group (displays selected fields in a group within this field)','acf'),
				'seamless'		=> __('Seamless (replaces this field with selected fields)','acf'),
			),
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> __('Specify the style used to render the selected fields', 'acf'),
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'block'			=> __('Block','acf'),
				'table'			=> __('Table','acf'),
				'row'			=> __('Row','acf')
			)
		));
		
		
		// prefix_label
		$instructions = __('Labels will be displayed as %s', 'acf');
		$instructions = sprintf($instructions, '<code class="prefix-label-code-1"></code>');
		acf_render_field_setting( $field, array(
			'label'			=> __('Prefix Field Labels','acf'),
			'message'	=> $instructions,
			//'instructions_placement'	=> 'field',
			'name'			=> 'prefix_label',
			'class'			=> 'setting-prefix-label',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// prefix_name
		$instructions = __('Values will be saved as %s', 'acf');
		$instructions = sprintf($instructions, '<code class="prefix-name-code-1"></code>');
		acf_render_field_setting( $field, array(
			'label'			=> __('Prefix Field Names','acf'),
			'message'	=> $instructions,
			//'instructions_placement'	=> 'field',
			'name'			=> 'prefix_name',
			'class'			=> 'setting-prefix-name',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
	}
	
	
	/*
	*  get_clone_setting_choices
	*
	*  This function will return an array of choices data for Select2
	*
	*  @type	function
	*  @date	17/06/2016
	*  @since	5.3.8
	*
	*  @param	$value (mixed)
	*  @return	(array)
	*/
	
	function get_clone_setting_choices( $value ) {
		
		// vars
		$choices = array();
		
		
		// bail early if no $value
		if( empty($value) ) return $choices;
		
		
		// force value to array
		$value = acf_get_array( $value );
			
			
		// loop
		foreach( $value as $v ) {
			
			$choices[ $v ] = $this->get_clone_setting_choice( $v );
			
		}
		
		
		// return
		return $choices;
		
	}
	
	
	/*
	*  get_clone_setting_choice
	*
	*  This function will return the label for a given clone choice
	*
	*  @type	function
	*  @date	17/06/2016
	*  @since	5.3.8
	*
	*  @param	$selector (mixed)
	*  @return	(string)
	*/
	
	function get_clone_setting_choice( $selector = '' ) {
		
		// bail early no selector
		if( !$selector ) return '';
		
		
		// ajax_fields
		if( isset($_POST['fields'][ $selector ]) ) {
			
			return $this->get_clone_setting_field_choice( $_POST['fields'][ $selector ] );
						
		}
		
		
		// field
		if( acf_is_field_key($selector) ) {
			
			return $this->get_clone_setting_field_choice( acf_get_field($selector) );
			
		}
		
		
		// group
		if( acf_is_field_group_key($selector) ) {
			
			return $this->get_clone_setting_group_choice( acf_get_field_group($selector) );
			
		} 
		
		
		// return
		return $selector;
		
	}
	
	
	/*
	*  get_clone_setting_field_choice
	*
	*  This function will return the text for a field choice
	*
	*  @type	function
	*  @date	20/07/2016
	*  @since	5.4.0
	*
	*  @param	$field (array)
	*  @return	(string)
	*/
	
	function get_clone_setting_field_choice( $field ) {
		
		// bail early if no field
		if( !$field ) return __('Unknown field', 'acf');
		
		
		// title
		$title = $field['label'] ? $field['label'] : __('(no title)', 'acf');
					
		
		// append type
		$title .= ' (' . $field['type'] . ')';
		
		
		// ancestors
		// - allow for AJAX to send through ancestors count
		$ancestors = isset($field['ancestors']) ? $field['ancestors'] : count(acf_get_field_ancestors($field));
		$title = str_repeat('- ', $ancestors) . $title;
		
		
		// return
		return $title;
		
	}
	
	
	/*
	*  get_clone_setting_group_choice
	*
	*  This function will return the text for a group choice
	*
	*  @type	function
	*  @date	20/07/2016
	*  @since	5.4.0
	*
	*  @param	$field_group (array)
	*  @return	(string)
	*/
	
	function get_clone_setting_group_choice( $field_group ) {
		
		// bail early if no field group
		if( !$field_group ) return __('Unknown field group', 'acf');
		
		
		// return
		return sprintf( __('All fields from %s field group', 'acf'), $field_group['title'] );
		
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	17/06/2016
	*  @since	5.3.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// disable field to allow clone fields to appear selectable
		acf_disable_filter('clone');
		
		
   		// options
   		$options = acf_parse_args($_POST, array(
			'post_id'	=> 0,
			'paged'		=> 0,
			's'			=> '',
			'title'		=> '',
			'fields'	=> array()
		));
		
		
		// vars
		$results = array();
		$s = false;
		$i = -1;
		$limit = 20;
		$range_start = $limit * ($options['paged']-1); 	//	0,	20,	40
		$range_end = $range_start + ($limit-1);			//	19,	39,	59
		
		
		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
		}		
		
		
		// load groups
		$field_groups = acf_get_field_groups();
		$field_group = false;
		
		
		// bail early if no field groups
		if( empty($field_groups) ) die();
		
		
		// move current field group to start
		foreach( array_keys($field_groups) as $j ) {
			
			// check ID
			if( $field_groups[ $j ]['ID'] !== $options['post_id'] ) continue;
			
			
			// extract field group and move to start
			$field_group = acf_extract_var($field_groups, $j);
			
			
			// field group found, stop looking
			break;
			
		}
		
		
		// if field group was not found, this is a new field group (not yet saved)
		if( !$field_group ) {
			
			$field_group = array(
				'ID'	=> $options['post_id'],
				'title'	=> $options['title'],
				'key'	=> '',
			);
			
		}
		
		
		// move current field group to start of list
		array_unshift($field_groups, $field_group);
		
		
		// loop
		foreach( $field_groups as $field_group ) {
			
			// vars
			$fields = false;
			$ignore_s = false;
			$data = array(
				'text'		=> $field_group['title'],
				'children'	=> array()
			);
			
			
			// get fields
			if( $field_group['ID'] == $options['post_id'] ) {
				
				$fields = $options['fields'];
				
			} else {
				
				$fields = acf_get_fields( $field_group );
				$fields = acf_prepare_fields_for_import( $fields );
			
			}
			
			
			// bail early if no fields
			if( !$fields ) continue;
			
			
			// show all children for field group search match
			if( $s !== false && stripos($data['text'], $s) !== false ) {
				
				$ignore_s = true;
				
			}
			
			
			// populate children
			$children = array();
			$children[] = $field_group['key'];
			foreach( $fields as $field ) { $children[] = $field['key']; }
			
			
			// loop
			foreach( $children as $child ) {
				
				// bail ealry if no key (fake field group or corrupt field)
				if( !$child ) continue;
				
				
				// vars
				$text = false;
				
				
				// bail early if is search, and $text does not contain $s
				if( $s !== false && !$ignore_s ) {
					
					// get early
					$text = $this->get_clone_setting_choice( $child );
					
					
					// search
					if( stripos($text, $s) === false ) continue;
					
				}
				
				
				// $i
				$i++;
				
				
				// bail early if $i is out of bounds
				if( $i < $range_start || $i > $range_end ) continue;
				
				
				
				// load text
				if( $text === false ) $text = $this->get_clone_setting_choice( $child );
				
				
				// append
				$data['children'][] = array(
					'id'	=> $child,
					'text'	=> $text
				);
				
			}
			
			
			// bail early if no children
			// - this group contained fields, but none shown on this page
			if( empty($data['children']) ) continue;
			
			
			// append
			$results[] = $data;
			
			
			// end loop if $i is out of bounds
			// - no need to look further
			if( $i > $range_end ) break;
				
		}
		
		
		// return
		acf_send_ajax_results(array(
			'results'	=> $results,
			'limit'		=> $limit
		));
		
	}
	
	
	/*
	*  acf_prepare_field
	*
	*  This function will restore a field's key ready for input
	*
	*  @type	function
	*  @date	6/09/2016
	*  @since	5.4.0
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function acf_prepare_field( $field ) {
		
		// bail ealry if not cloned
		if( empty($field['_clone']) ) return $field;
		
		
		// restore key
		if( isset($field['__key']) ) {
			$field['key'] = $field['__key'];
		}
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if no $value
		if( empty($value) ) return $valid;
		
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $valid;
		
		
		// loop
		foreach( array_keys($field['sub_fields']) as $i ) {
			
			// get sub field
			$sub_field = $field['sub_fields'][ $i ];
			$k = $sub_field['key'];
			
			
			// bail early if valu enot set (conditional logic?)
			if( !isset($value[ $k ]) ) continue;
			
			
			// validate
			acf_validate_value( $value[ $k ], $sub_field, "{$input}[{$k}]" );
			
		}
		
		
		// return
		return $valid;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_clone' );

endif; // class_exists check

?>
PK�
�[[q��U�U'pro/fields/class-acf-field-repeater.phpnu�[���<?php

if( ! class_exists('acf_field_repeater') ) :

class acf_field_repeater extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'repeater';
		$this->label = __("Repeater",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'sub_fields'	=> array(),
			'min'			=> 0,
			'max'			=> 0,
			'layout' 		=> 'table',
			'button_label'	=> '',
			'collapsed'		=> ''
		);
		
		
		// field filters
		$this->add_field_filter('acf/prepare_field_for_export', array($this, 'prepare_field_for_export'));
		$this->add_field_filter('acf/prepare_field_for_import', array($this, 'prepare_field_for_import'));
		
		
		// filters
		$this->add_filter('acf/validate_field',					array($this, 'validate_any_field'));
		
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
		   	'Minimum rows reached ({min} rows)'	=> __('Minimum rows reached ({min} rows)', 'acf'),
			'Maximum rows reached ({max} rows)'	=> __('Maximum rows reached ({max} rows)', 'acf'),
	   	));
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// min/max
		$field['min'] = (int) $field['min'];
		$field['max'] = (int) $field['max'];
		
		
		// vars
		$sub_fields = acf_get_fields( $field );
		
		
		// append
		if( $sub_fields ) {
			
			$field['sub_fields'] = $sub_fields;
			
		}
				
		
		// return
		return $field;
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$sub_fields = $field['sub_fields'];
		$show_order = true;
		$show_add = true;
		$show_remove = true;
		
		
		// bail early if no sub fields
		if( empty($sub_fields) ) return;
		
		
		// value
		$value = is_array($field['value']) ? $field['value'] : array();
		
		
		// div
		$div = array(
			'class' 		=> 'acf-repeater',
			'data-min' 		=> $field['min'],
			'data-max'		=> $field['max']
		);
		
		
		// empty
		if( empty($value) ) {
			
			$div['class'] .= ' -empty';
			
		}
		
		
		// If there are less values than min, populate the extra values
		if( $field['min'] ) {
			
			$value = array_pad($value, $field['min'], array());
			
		}
		
		
		// If there are more values than man, remove some values
		if( $field['max'] ) {
			
			$value = array_slice($value, 0, $field['max']);
			
			
			// if max 1 row, don't show order
			if( $field['max'] == 1 ) {
			
				$show_order = false;
				
			}
			
			
			// if max == min, don't show add or remove buttons
			if( $field['max'] <= $field['min'] ) {
			
				$show_remove = false;
				$show_add = false;
				
			}
			
		}
		
		
		// setup values for row clone
		$value['acfcloneindex'] = array();
		
		
		// button label
		if( $field['button_label'] === '' ) $field['button_label'] = __('Add Row', 'acf');
		
		
		// field wrap
		$el = 'td';
		$before_fields = '';
		$after_fields = '';
		
		if( $field['layout'] == 'row' ) {
		
			$el = 'div';
			$before_fields = '<td class="acf-fields -left">';
			$after_fields = '</td>';
			
		} elseif( $field['layout'] == 'block' ) {
		
			$el = 'div';
			
			$before_fields = '<td class="acf-fields">';
			$after_fields = '</td>';
			
		}
		
		
		// layout
		$div['class'] .= ' -' . $field['layout'];
		
		
		// collapsed
		if( $field['collapsed'] ) {
			
			// loop
			foreach( $sub_fields as &$sub_field ) {
				
				// add target class
				if( $sub_field['key'] == $field['collapsed'] ) {
					$sub_field['wrapper']['class'] .= ' -collapsed-target';
				}
			}
			unset( $sub_field );
		}
		
?>
<div <?php acf_esc_attr_e( $div ); ?>>
	<?php acf_hidden_input(array( 'name' => $field['name'], 'value' => '' )); ?>
<table class="acf-table">
	
	<?php if( $field['layout'] == 'table' ): ?>
		<thead>
			<tr>
				<?php if( $show_order ): ?>
					<th class="acf-row-handle"></th>
				<?php endif; ?>
				
				<?php foreach( $sub_fields as $sub_field ): 
					
					// prepare field (allow sub fields to be removed)
					$sub_field = acf_prepare_field($sub_field);
					
					
					// bail ealry if no field
					if( !$sub_field ) continue;
					
					
					// vars
					$atts = array();
					$atts['class'] = 'acf-th';
					$atts['data-name'] = $sub_field['_name'];
					$atts['data-type'] = $sub_field['type'];
					$atts['data-key'] = $sub_field['key'];
					
					
					// Add custom width
					if( $sub_field['wrapper']['width'] ) {
					
						$atts['data-width'] = $sub_field['wrapper']['width'];
						$atts['style'] = 'width: ' . $sub_field['wrapper']['width'] . '%;';
						
					}
					
					?>
					<th <?php echo acf_esc_attr( $atts ); ?>>
						<?php echo acf_get_field_label( $sub_field ); ?>
						<?php if( $sub_field['instructions'] ): ?>
							<p class="description"><?php echo $sub_field['instructions']; ?></p>
						<?php endif; ?>
					</th>
				<?php endforeach; ?>

				<?php if( $show_remove ): ?>
					<th class="acf-row-handle"></th>
				<?php endif; ?>
			</tr>
		</thead>
	<?php endif; ?>
	
	<tbody>
		<?php foreach( $value as $i => $row ): 
			
			// Generate row id.
			$id = ( $i === 'acfcloneindex' ) ? 'acfcloneindex' : "row-$i";
			
			?>
			<tr class="acf-row<?php if( $i === 'acfcloneindex' ){ echo ' acf-clone'; } ?>" data-id="<?php echo $id; ?>">
				
				<?php if( $show_order ): ?>
					<td class="acf-row-handle order" title="<?php _e('Drag to reorder','acf'); ?>">
						<?php if( $field['collapsed'] ): ?>
						<a class="acf-icon -collapse small" href="#" data-event="collapse-row" title="<?php _e('Click to toggle','acf'); ?>"></a>
						<?php endif; ?>
						<span><?php echo intval($i) + 1; ?></span>
					</td>
				<?php endif; ?>
				
				<?php echo $before_fields; ?>
				
				<?php foreach( $sub_fields as $sub_field ): 
					
					// add value
					if( isset($row[ $sub_field['key'] ]) ) {
						
						// this is a normal value
						$sub_field['value'] = $row[ $sub_field['key'] ];
						
					} elseif( isset($sub_field['default_value']) ) {
						
						// no value, but this sub field has a default value
						$sub_field['value'] = $sub_field['default_value'];
						
					}
					
					
					// update prefix to allow for nested values
					$sub_field['prefix'] = $field['name'] . '[' . $id . ']';
					
					
					// render input
					acf_render_field_wrap( $sub_field, $el ); ?>
					
				<?php endforeach; ?>
				
				<?php echo $after_fields; ?>
				
				<?php if( $show_remove ): ?>
					<td class="acf-row-handle remove">
						<a class="acf-icon -plus small acf-js-tooltip" href="#" data-event="add-row" title="<?php _e('Add row','acf'); ?>"></a>
						<a class="acf-icon -minus small acf-js-tooltip" href="#" data-event="remove-row" title="<?php _e('Remove row','acf'); ?>"></a>
					</td>
				<?php endif; ?>
				
			</tr>
		<?php endforeach; ?>
	</tbody>
</table>
<?php if( $show_add ): ?>
	
	<div class="acf-actions">
		<a class="acf-button button button-primary" href="#" data-event="add-row"><?php echo $field['button_label']; ?></a>
	</div>
			
<?php endif; ?>
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// vars
		$args = array(
			'fields'	=> $field['sub_fields'],
			'parent'	=> $field['ID']
		);
		
		
		?><tr class="acf-field acf-field-setting-sub_fields" data-setting="repeater" data-name="sub_fields">
			<td class="acf-label">
				<label><?php _e("Sub Fields",'acf'); ?></label>
				<p class="description"></p>		
			</td>
			<td class="acf-input">
				<?php 
				
				acf_get_view('field-group-fields', $args);
				
				?>
			</td>
		</tr>
		<?php
		
		
		// rows
		$field['min'] = empty($field['min']) ? '' : $field['min'];
		$field['max'] = empty($field['max']) ? '' : $field['max'];
		
		
		// collapsed
		$choices = array();
		if( $field['collapsed'] ) {
			
			// load sub field
			$sub_field = acf_get_field($field['collapsed']);
			
			// append choice
			if( $sub_field ) {
				$choices[ $sub_field['key'] ] = $sub_field['label'];
			}
		}
		
		acf_render_field_setting( $field, array(
			'label'			=> __('Collapsed','acf'),
			'instructions'	=> __('Select a sub field to show when row is collapsed','acf'),
			'type'			=> 'select',
			'name'			=> 'collapsed',
			'allow_null'	=> 1,
			'choices'		=> $choices
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum Rows','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min',
			'placeholder'	=> '0',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum Rows','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max',
			'placeholder'	=> '0',
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> '',
			'class'			=> 'acf-repeater-layout',
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'table'			=> __('Table','acf'),
				'block'			=> __('Block','acf'),
				'row'			=> __('Row','acf')
			)
		));
		
		
		// button_label
		acf_render_field_setting( $field, array(
			'label'			=> __('Button Label','acf'),
			'instructions'	=> '',
			'type'			=> 'text',
			'name'			=> 'button_label',
			'placeholder'	=> __('Add Row','acf')
		));
		
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// bail ealry if not numeric
		if( !is_numeric($value) ) return false;
		
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return false;
		
		
		// vars
		$value = intval($value);
		$rows = array();
		
		
		// loop
		for( $i = 0; $i < $value; $i++ ) {
			
			// create empty array
			$rows[ $i ] = array();
			
			
			// loop through sub fields
			foreach( array_keys($field['sub_fields']) as $j ) {
				
				// get sub field
				$sub_field = $field['sub_fields'][ $j ];
				
				
				// bail ealry if no name (tab)
				if( acf_is_empty($sub_field['name']) ) continue;
				
				
				// update $sub_field name
				$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
				
				
				// get value
				$sub_value = acf_get_value( $post_id, $sub_field );
			
			
				// add value
				$rows[ $i ][ $sub_field['key'] ] = $sub_value;
				
			}
			
		}
		
		
		// return
		return $rows;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// bail ealry if not array
		if( !is_array($value) ) return false;
		
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return false;
		
		
		// loop over rows
		foreach( array_keys($value) as $i ) {
			
			// loop through sub fields
			foreach( array_keys($field['sub_fields']) as $j ) {
				
				// get sub field
				$sub_field = $field['sub_fields'][ $j ];
				
				
				// bail ealry if no name (tab)
				if( acf_is_empty($sub_field['name']) ) continue;
				
				
				// extract value
				$sub_value = acf_extract_var( $value[ $i ], $sub_field['key'] );
				
				
				// update $sub_field name
				$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
				
				
				// format value
				$sub_value = acf_format_value( $sub_value, $post_id, $sub_field );
				
				
				// append to $row
				$value[ $i ][ $sub_field['_name'] ] = $sub_value;
				
			}
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// vars
		$count = 0;
		
		
		// check if is value (may be empty string)
		if( is_array($value) ) {
			
			// remove acfcloneindex
			if( isset($value['acfcloneindex']) ) {
				unset($value['acfcloneindex']);
			}
			
			// count
			$count = count($value);
		}
		
		
		// validate required
		if( $field['required'] && !$count ) {
			$valid = false;
		}
		
		
		// min
		$min = (int) $field['min'];
		if( $min && $count < $min ) {
			
			// create error
			$error = __('Minimum rows reached ({min} rows)', 'acf');
 			$error = str_replace('{min}', $min, $error);
 			
 			// return
			return $error;
		}
		
		
		// validate value
		if( $count ) {
			
			// bail early if no sub fields
			if( !$field['sub_fields'] ) {
				return $valid;
			}
			
			// loop rows
			foreach( $value as $i => $row ) {
				
				// loop sub fields
				foreach( $field['sub_fields'] as $sub_field ) {
					
					// vars
					$k = $sub_field['key'];
					
					// test sub field exists
					if( !isset($row[ $k ]) ) {
						continue;
					}
					
					// validate
					acf_validate_value( $row[ $k ], $sub_field, "{$input}[{$i}][{$k}]" );
				}
				// end loop sub fields
			}
			// end loop rows
		}
		
		
		// return
		return $valid;
	}
	
	
	/*
	*  update_row
	*
	*  This function will update a value row
	*
	*  @type	function
	*  @date	15/2/17
	*  @since	5.5.8
	*
	*  @param	$i (int)
	*  @param	$field (array)
	*  @param	$post_id (mixed)
	*  @return	(boolean)
	*/
	
	function update_row( $row, $i = 0, $field, $post_id ) {
		
		// bail early if no layout reference
		if( !is_array($row) ) return false;
		
		
		// bail early if no layout
		if( empty($field['sub_fields']) ) return false;
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// value
			$value = null;
			
			
			// find value (key)
			if( isset($row[ $sub_field['key'] ]) ) {
				
				$value = $row[ $sub_field['key'] ];
			
			// find value (name)	
			} elseif( isset($row[ $sub_field['name'] ]) ) {
				
				$value = $row[ $sub_field['name'] ];
				
			// value does not exist	
			} else {
				
				continue;
				
			}
			
			
			// modify name for save
			$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
						
			
			// update field
			acf_update_value( $value, $post_id, $sub_field );
				
		}
		
		
		// return
		return true;
		
	}
	
	
	/*
	*  delete_row
	*
	*  This function will delete a value row
	*
	*  @type	function
	*  @date	15/2/17
	*  @since	5.5.8
	*
	*  @param	$i (int)
	*  @param	$field (array)
	*  @param	$post_id (mixed)
	*  @return	(boolean)
	*/
	
	function delete_row( $i = 0, $field, $post_id ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return false;
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// modify name for delete
			$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
			
			
			// delete value
			acf_delete_value( $post_id, $sub_field );
			
		}
		
		
		// return
		return true;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $value;
		
		
		// vars
		$new_value = 0;
		$old_value = (int) acf_get_metadata( $post_id, $field['name'] );
		
		
		// update sub fields
		if( !empty($value) ) { $i = -1;
			
			// remove acfcloneindex
			if( isset($value['acfcloneindex']) ) {
			
				unset($value['acfcloneindex']);
				
			}
			
			// loop through rows
			foreach( $value as $row ) {	$i++;
				
				// bail early if no row
				if( !is_array($row) ) continue;
				
				
				// update row
				$this->update_row( $row, $i, $field, $post_id );
				
				
				// append
				$new_value++;
				
			}
			
		}
		
		
		// remove old rows
		if( $old_value > $new_value ) {
			
			// loop
			for( $i = $new_value; $i < $old_value; $i++ ) {
				
				$this->delete_row( $i, $field, $post_id );
				
			}
			
		}
		
		
		// save false for empty value
		if( empty($new_value) ) $new_value = '';
		
		
		// return
		return $new_value;
	}
	
	
	/*
	*  delete_value
	*
	*  description
	*
	*  @type	function
	*  @date	1/07/2015
	*  @since	5.2.3
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function delete_value( $post_id, $key, $field ) {
		
		// get old value (db only)
		$old_value = (int) acf_get_metadata( $post_id, $field['name'] );
		
		
		// bail early if no rows or no sub fields
		if( !$old_value || empty($field['sub_fields']) ) return;
		
		
		// loop
		for( $i = 0; $i < $old_value; $i++ ) {
			
			$this->delete_row( $i, $field, $post_id );
			
		}
			
	}
	
	
	/*
	*  delete_field
	*
	*  description
	*
	*  @type	function
	*  @date	4/04/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function delete_field( $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return;
		
		
		// loop through sub fields
		foreach( $field['sub_fields'] as $sub_field ) {
		
			acf_delete_field( $sub_field['ID'] );
			
		}
		
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the field group ID (post_type = acf)
	*
	*  @return	$field - the modified field
	*/

	function update_field( $field ) {
		
		// remove sub fields
		unset($field['sub_fields']);
		
				
		// return		
		return $field;
	}
	
	
	/*
	*  duplicate_field()
	*
	*  This filter is appied to the $field before it is duplicated and saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the modified field
	*/

	function duplicate_field( $field ) {
		
		// get sub fields
		$sub_fields = acf_extract_var( $field, 'sub_fields' );
		
		
		// save field to get ID
		$field = acf_update_field( $field );
		
		
		// duplicate sub fields
		acf_duplicate_fields( $sub_fields, $field['ID'] );
		
						
		// return		
		return $field;
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		// translate
		$field['button_label'] = acf_translate( $field['button_label'] );
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  validate_any_field
	*
	*  This function will add compatibility for the 'column_width' setting
	*
	*  @type	function
	*  @date	30/1/17
	*  @since	5.5.6
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function validate_any_field( $field ) {
		
		// width has changed
		if( isset($field['column_width']) ) {
			
			$field['wrapper']['width'] = acf_extract_var($field, 'column_width');
			
		}
		
		
		// return
		return $field;
		
	}
	
	/**
	 * prepare_field_for_export
	 *
	 * Prepares the field for export.
	 *
	 * @date	11/03/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field settings.
	 * @return	array
	 */
	function prepare_field_for_export( $field ) {
		
		// Check for sub fields.
		if( !empty($field['sub_fields']) ) {
			$field['sub_fields'] = acf_prepare_fields_for_export( $field['sub_fields'] );
		}
		return $field;
	}
	
	/**
	 * prepare_field_for_import
	 *
	 * Returns a flat array of fields containing all sub fields ready for import.
	 *
	 * @date	11/03/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field settings.
	 * @return	array
	 */
	function prepare_field_for_import( $field ) {
		
		// Check for sub fields.
		if( !empty($field['sub_fields']) ) {
			$sub_fields = acf_extract_var( $field, 'sub_fields' );
			
			// Modify sub fields.
			foreach( $sub_fields as $i => $sub_field ) {
				$sub_fields[ $i ]['parent'] = $field['key'];
				$sub_fields[ $i ]['menu_order'] = $i;
			}
			
			// Return array of [field, sub_1, sub_2, ...].
			return array_merge( array($field), $sub_fields );
			
		}
		return $field;
	}

}


// initialize
acf_register_field_type( 'acf_field_repeater' );

endif; // class_exists check

?>
PK�
�[�v�eօօ/pro/fields/class-acf-field-flexible-content.phpnu�[���<?php

if( ! class_exists('acf_field_flexible_content') ) :

class acf_field_flexible_content extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'flexible_content';
		$this->label = __("Flexible Content",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'layouts'		=> array(),
			'min'			=> '',
			'max'			=> '',
			'button_label'	=> __("Add Row",'acf'),
		);
		
		
		// ajax
		$this->add_action('wp_ajax_acf/fields/flexible_content/layout_title',			array($this, 'ajax_layout_title'));
		$this->add_action('wp_ajax_nopriv_acf/fields/flexible_content/layout_title',	array($this, 'ajax_layout_title'));
		
		
		// filters
		$this->add_filter('acf/prepare_field_for_export',	array($this, 'prepare_any_field_for_export'));
		$this->add_filter('acf/clone_field', 				array($this, 'clone_any_field'), 10, 2);
		$this->add_filter('acf/validate_field',					array($this, 'validate_any_field'));
		
		
		// field filters
		$this->add_field_filter('acf/get_sub_field', 			array($this, 'get_sub_field'), 10, 3);
		$this->add_field_filter('acf/prepare_field_for_export', array($this, 'prepare_field_for_export'));
		$this->add_field_filter('acf/prepare_field_for_import', array($this, 'prepare_field_for_import'));
		
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
			
			// identifiers
		   	'layout'													=> __('layout', 'acf'),
			'layouts'													=> __('layouts', 'acf'),
			
			// min / max
			'This field requires at least {min} {label} {identifier}'	=> __('This field requires at least {min} {label} {identifier}', 'acf'),
			'This field has a limit of {max} {label} {identifier}'		=> __('This field has a limit of {max} {label} {identifier}', 'acf'),
			
			// popup badge
			'{available} {label} {identifier} available (max {max})'	=> __('{available} {label} {identifier} available (max {max})', 'acf'),
			'{required} {label} {identifier} required (min {min})'		=> __('{required} {label} {identifier} required (min {min})', 'acf'),
			
			// field settings
			'Flexible Content requires at least 1 layout'				=> __('Flexible Content requires at least 1 layout', 'acf')
	   	));
	}
	
	
	/*
	*  get_valid_layout
	*
	*  This function will fill in the missing keys to create a valid layout
	*
	*  @type	function
	*  @date	3/10/13
	*  @since	1.1.0
	*
	*  @param	$layout (array)
	*  @return	$layout (array)
	*/
	
	function get_valid_layout( $layout = array() ) {
		
		// parse
		$layout = wp_parse_args($layout, array(
			'key'			=> uniqid('layout_'),
			'name'			=> '',
			'label'			=> '',
			'display'		=> 'block',
			'sub_fields'	=> array(),
			'min'			=> '',
			'max'			=> '',
		));
		
		
		// return
		return $layout;
	}
	

	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// bail early if no field layouts
		if( empty($field['layouts']) ) {
			
			return $field;
			
		}
		
		
		// vars
		$sub_fields = acf_get_fields($field);
		
		
		// loop through layouts, sub fields and swap out the field key with the real field
		foreach( array_keys($field['layouts']) as $i ) {
			
			// extract layout
			$layout = acf_extract_var( $field['layouts'], $i );
			
			
			// validate layout
			$layout = $this->get_valid_layout( $layout );
			
			
			// append sub fields
			if( !empty($sub_fields) ) {
				
				foreach( array_keys($sub_fields) as $k ) {
					
					// check if 'parent_layout' is empty
					if( empty($sub_fields[ $k ]['parent_layout']) ) {
					
						// parent_layout did not save for this field, default it to first layout
						$sub_fields[ $k ]['parent_layout'] = $layout['key'];
						
					}
					
					
					// append sub field to layout, 
					if( $sub_fields[ $k ]['parent_layout'] == $layout['key'] ) {
					
						$layout['sub_fields'][] = acf_extract_var( $sub_fields, $k );
						
					}
					
				}
				
			}
			
			
			// append back to layouts
			$field['layouts'][ $i ] = $layout;
			
		}
		
		
		// return
		return $field;
	}
	
	
	/*
	*  get_sub_field
	*
	*  This function will return a specific sub field
	*
	*  @type	function
	*  @date	29/09/2016
	*  @since	5.4.0
	*
	*  @param	$sub_field 
	*  @param	$selector (string)
	*  @param	$field (array)
	*  @return	$post_id (int)
	*/
	function get_sub_field( $sub_field, $id, $field ) {
		
		// Get active layout.
		$active = get_row_layout();
		
		// Loop over layouts.
		if( $field['layouts'] ) {
			foreach( $field['layouts'] as $layout ) {
				
				// Restict to active layout if within a have_rows() loop.
				if( $active && $active !== $layout['name'] ) {
					continue;
				}
				
				// Check sub fields.
				if( $layout['sub_fields'] ) {
					$sub_field = acf_search_fields( $id, $layout['sub_fields'] );
					if( $sub_field ) {
						break;
					}
				}
			}
		}
				
		// return
		return $sub_field;
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
	
		// defaults
		if( empty($field['button_label']) ) {
		
			$field['button_label'] = $this->defaults['button_label'];
			
		}
		
		
		// sort layouts into names
		$layouts = array();
		
		foreach( $field['layouts'] as $k => $layout ) {
		
			$layouts[ $layout['name'] ] = $layout;
			
		}
		
		
		// vars
		$div = array(
			'class'		=> 'acf-flexible-content',
			'data-min'	=> $field['min'],
			'data-max'	=> $field['max']
		);
		
		// empty
		if( empty($field['value']) ) {
			$div['class'] .= ' -empty';
		}
		
		
		// no value message
		$no_value_message = __('Click the "%s" button below to start creating your layout','acf');
		$no_value_message = apply_filters('acf/fields/flexible_content/no_value_message', $no_value_message, $field);

?>
<div <?php acf_esc_attr_e( $div ); ?>>
	
	<?php acf_hidden_input(array( 'name' => $field['name'] )); ?>
	
	<div class="no-value-message">
		<?php printf( $no_value_message, $field['button_label'] ); ?>
	</div>
	
	<div class="clones">
		<?php foreach( $layouts as $layout ): ?>
			<?php $this->render_layout( $field, $layout, 'acfcloneindex', array() ); ?>
		<?php endforeach; ?>
	</div>
	
	<div class="values">
		<?php if( !empty($field['value']) ): 
			
			foreach( $field['value'] as $i => $value ):
				
				// validate
				if( empty($layouts[ $value['acf_fc_layout'] ]) ) continue;
				
				
				// render
				$this->render_layout( $field, $layouts[ $value['acf_fc_layout'] ], $i, $value );
				
			endforeach;
			
		endif; ?>
	</div>
	
	<div class="acf-actions">
		<a class="acf-button button button-primary" href="#" data-name="add-layout"><?php echo $field['button_label']; ?></a>
	</div>
	
	<script type="text-html" class="tmpl-popup"><?php 
		?><ul><?php foreach( $layouts as $layout ): 
			
			$atts = array(
				'href'			=> '#',
				'data-layout'	=> $layout['name'],
				'data-min' 		=> $layout['min'],
				'data-max' 		=> $layout['max'],
			);
			
			?><li><a <?php acf_esc_attr_e( $atts ); ?>><?php echo $layout['label']; ?></a></li><?php 
		
		endforeach; ?></ul>
	</script>
	
</div>
<?php
		
	}
	
	
	/*
	*  render_layout
	*
	*  description
	*
	*  @type	function
	*  @date	19/11/2013
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_layout( $field, $layout, $i, $value ) {
		
		// vars
		$order = 0;
		$el = 'div';
		$sub_fields = $layout['sub_fields'];
		$id = ( $i === 'acfcloneindex' ) ? 'acfcloneindex' : "row-$i";
		$prefix = $field['name'] . '[' . $id .  ']';
		
		
		// div
		$div = array(
			'class'			=> 'layout',
			'data-id'		=> $id,
			'data-layout'	=> $layout['name']
		);
		
		
		// clone
		if( is_numeric($i) ) {
			
			$order = $i + 1;
			
		} else {
			
			$div['class'] .= ' acf-clone';
			
		}
		
		
		// display
		if( $layout['display'] == 'table' ) {
			
			$el = 'td';
			
		}
		
		
		// title
		$title = $this->get_layout_title( $field, $layout, $i, $value );
		
		
		// remove row
		reset_rows();
		
?>
<div <?php echo acf_esc_attr($div); ?>>
			
	<?php acf_hidden_input(array( 'name' => $prefix.'[acf_fc_layout]', 'value' => $layout['name'] )); ?>
	
	<div class="acf-fc-layout-handle" title="<?php _e('Drag to reorder','acf'); ?>" data-name="collapse-layout"><?php echo $title; ?></div>
	
	<div class="acf-fc-layout-controls">
		<a class="acf-icon -plus small light acf-js-tooltip" href="#" data-name="add-layout" title="<?php _e('Add layout','acf'); ?>"></a>
		<a class="acf-icon -minus small light acf-js-tooltip" href="#" data-name="remove-layout" title="<?php _e('Remove layout','acf'); ?>"></a>
		<a class="acf-icon -collapse small acf-js-tooltip" href="#" data-name="collapse-layout" title="<?php _e('Click to toggle','acf'); ?>"></a>
	</div>
	
<?php if( !empty($sub_fields) ): ?>
	
	<?php if( $layout['display'] == 'table' ): ?>
	<table class="acf-table">
		
		<thead>
			<tr>
				<?php foreach( $sub_fields as $sub_field ): 
					
					// prepare field (allow sub fields to be removed)
					$sub_field = acf_prepare_field($sub_field);
					
					
					// bail ealry if no field
					if( !$sub_field ) continue;
					
					
					// vars
					$atts = array();
					$atts['class'] = 'acf-th';
					$atts['data-name'] = $sub_field['_name'];
					$atts['data-type'] = $sub_field['type'];
					$atts['data-key'] = $sub_field['key'];
					
					
					// Add custom width
					if( $sub_field['wrapper']['width'] ) {
					
						$atts['data-width'] = $sub_field['wrapper']['width'];
						$atts['style'] = 'width: ' . $sub_field['wrapper']['width'] . '%;';
						
					}
					
					?>
					<th <?php echo acf_esc_attr( $atts ); ?>>
						<?php echo acf_get_field_label( $sub_field ); ?>
						<?php if( $sub_field['instructions'] ): ?>
							<p class="description"><?php echo $sub_field['instructions']; ?></p>
						<?php endif; ?>
					</th>
					
				<?php endforeach; ?> 
			</tr>
		</thead>
		
		<tbody>
			<tr class="acf-row">
	<?php else: ?>
	<div class="acf-fields <?php if($layout['display'] == 'row'): ?>-left<?php endif; ?>">
	<?php endif; ?>
	
		<?php
			
		// loop though sub fields
		foreach( $sub_fields as $sub_field ) {
			
			// add value
			if( isset($value[ $sub_field['key'] ]) ) {
				
				// this is a normal value
				$sub_field['value'] = $value[ $sub_field['key'] ];
				
			} elseif( isset($sub_field['default_value']) ) {
				
				// no value, but this sub field has a default value
				$sub_field['value'] = $sub_field['default_value'];
				
			}
			
			
			// update prefix to allow for nested values
			$sub_field['prefix'] = $prefix;
			
			
			// render input
			acf_render_field_wrap( $sub_field, $el );
		
		}
		
		?>
			
	<?php if( $layout['display'] == 'table' ): ?>
			</tr>
		</tbody>
	</table>
	<?php else: ?>
	</div>
	<?php endif; ?>

<?php endif; ?>

</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// load default layout
		if( empty($field['layouts']) ) {
		
			$field['layouts'] = array(
				array()
			);
			
		}
		
		
		// loop through layouts
		foreach( $field['layouts'] as $layout ) {
			
			// get valid layout
			$layout = $this->get_valid_layout( $layout );
			
			
			// vars
			$layout_prefix = "{$field['prefix']}[layouts][{$layout['key']}]";
			
			
?><tr class="acf-field acf-field-setting-fc_layout" data-name="fc_layout" data-setting="flexible_content" data-id="<?php echo $layout['key']; ?>">
	<td class="acf-label">
		<label><?php _e("Layout",'acf'); ?></label>
		<ul class="acf-bl acf-fl-actions">
			<li><a class="reorder-layout" href="#" title="<?php _e("Reorder Layout",'acf'); ?>"><?php _e("Reorder",'acf'); ?></a></li>
			<li><a class="delete-layout" href="#" title="<?php _e("Delete Layout",'acf'); ?>"><?php _e("Delete",'acf'); ?></a></li>
			<li><a class="duplicate-layout" href="#" title="<?php _e("Duplicate Layout",'acf'); ?>"><?php _e("Duplicate",'acf'); ?></a></li>
			<li><a class="add-layout" href="#" title="<?php _e("Add New Layout",'acf'); ?>"><?php _e("Add New",'acf'); ?></a></li>
		</ul>
	</td>
	<td class="acf-input">
		<?php 
			
		acf_hidden_input(array(
			'id'		=> acf_idify( $layout_prefix . '[key]' ),
			'name'		=> $layout_prefix . '[key]',
			'class'		=> 'layout-key',
			'value'		=> $layout['key']
		));
		
		?>
		<ul class="acf-fc-meta acf-bl">
			<li class="acf-fc-meta-label">
				<?php 
				
				acf_render_field(array(
					'type'		=> 'text',
					'name'		=> 'label',
					'class'		=> 'layout-label',
					'prefix'	=> $layout_prefix,
					'value'		=> $layout['label'],
					'prepend'	=> __('Label','acf')
				));
				
				?>
			</li>
			<li class="acf-fc-meta-name">
				<?php 
						
				acf_render_field(array(
					'type'		=> 'text',
					'name'		=> 'name',
					'class'		=> 'layout-name',
					'prefix'	=> $layout_prefix,
					'value'		=> $layout['name'],
					'prepend'	=> __('Name','acf')
				));
				
				?>
			</li>
			<li class="acf-fc-meta-display">
				<div class="acf-input-prepend"><?php _e('Layout','acf'); ?></div>
				<div class="acf-input-wrap select">
					<?php 
					
					acf_render_field(array(
						'type'		=> 'select',
						'name'		=> 'display',
						'prefix'	=> $layout_prefix,
						'value'		=> $layout['display'],
						'choices'	=> array(
							'table'			=> __('Table','acf'),
							'block'			=> __('Block','acf'),
							'row'			=> __('Row','acf')
						),
					));
					
					?>
				</div>
			</li>
			<li class="acf-fc-meta-min">
				<?php
						
				acf_render_field(array(
					'type'		=> 'text',
					'name'		=> 'min',
					'prefix'	=> $layout_prefix,
					'value'		=> $layout['min'],
					'prepend'	=> __('Min','acf')
				));
				
				?>
			</li>
			<li class="acf-fc-meta-max">
				<?php 
				
				acf_render_field(array(
					'type'		=> 'text',
					'name'		=> 'max',
					'prefix'	=> $layout_prefix,
					'value'		=> $layout['max'],
					'prepend'	=> __('Max','acf')
				));
				
				?>
			</li>
		</ul>
		<?php 
		
		// vars
		$args = array(
			'fields'	=> $layout['sub_fields'],
			'parent'	=> $field['ID']
		);
		
		acf_get_view('field-group-fields', $args);
		
		?>
	</td>
</tr>
<?php
	
		}
		// endforeach
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Button Label','acf'),
			'instructions'	=> '',
			'type'			=> 'text',
			'name'			=> 'button_label',
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum Layouts','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum Layouts','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max',
		));
				
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) || empty($field['layouts']) ) {
			
			return $value;
			
		}
		
		
		// value must be an array
		$value = acf_get_array( $value );
		
		
		// vars
		$rows = array();
		
		
		// sort layouts into names
		$layouts = array();
		foreach( $field['layouts'] as $k => $layout ) {
		
			$layouts[ $layout['name'] ] = $layout['sub_fields'];
			
		}
		
		
		// loop through rows
		foreach( $value as $i => $l ) {
			
			// append to $values
			$rows[ $i ] = array();
			$rows[ $i ]['acf_fc_layout'] = $l;
			
			
			// bail early if layout deosnt contain sub fields
			if( empty($layouts[ $l ]) ) {
				
				continue;
				
			}
			
			
			// get layout
			$layout = $layouts[ $l ];
			
			
			// loop through sub fields
			foreach( array_keys($layout) as $j ) {
				
				// get sub field
				$sub_field = $layout[ $j ];
				
				
				// bail ealry if no name (tab)
				if( acf_is_empty($sub_field['name']) ) continue;
				
				
				// update full name
				$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
				
				
				// get value
				$sub_value = acf_get_value( $post_id, $sub_field );
				
				
				// add value
				$rows[ $i ][ $sub_field['key'] ] = $sub_value;
				
			}
			// foreach
			
		}
		// foreach
		
		
		
		// return
		return $rows;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) || empty($field['layouts']) ) {
			
			return false;
			
		}
		
		
		// sort layouts into names
		$layouts = array();
		foreach( $field['layouts'] as $k => $layout ) {
		
			$layouts[ $layout['name'] ] = $layout['sub_fields'];
			
		}
		
		
		// loop over rows
		foreach( array_keys($value) as $i ) {
			
			// get layout name
			$l = $value[ $i ]['acf_fc_layout'];
			
			
			// bail early if layout deosnt exist
			if( empty($layouts[ $l ]) ) continue;
			
			
			// get layout
			$layout = $layouts[ $l ];
			
			
			// loop through sub fields
			foreach( array_keys($layout) as $j ) {
				
				// get sub field
				$sub_field = $layout[ $j ];
				
				
				// bail ealry if no name (tab)
				if( acf_is_empty($sub_field['name']) ) continue;
				
				
				// extract value
				$sub_value = acf_extract_var( $value[ $i ], $sub_field['key'] );
				
				
				// update $sub_field name
				$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
					
				
				// format value
				$sub_value = acf_format_value( $sub_value, $post_id, $sub_field );
				
				
				// append to $row
				$value[ $i ][ $sub_field['_name'] ] = $sub_value;
				
			}
			
		}
		
		
		// return
		return $value;
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// vars
		$count = 0;
		
		
		// check if is value (may be empty string)
		if( is_array($value) ) {
			
			// remove acfcloneindex
			if( isset($value['acfcloneindex']) ) {
				unset($value['acfcloneindex']);
			}
			
			// count
			$count = count($value);
		}
		
		
		// validate required
		if( $field['required'] && !$count ) {
			$valid = false;
		}
		
		
		// validate min
		$min = (int) $field['min'];
		if( $min && $count < $min ) {
			
			// vars
			$error = __('This field requires at least {min} {label} {identifier}', 'acf');
			$identifier = _n('layout', 'layouts', $min);
			
 			// replace
 			$error = str_replace('{min}', $min, $error);
 			$error = str_replace('{label}', '', $error);
 			$error = str_replace('{identifier}', $identifier, $error);
 			
 			// return
			return $error;
		}
		
		
		// find layouts
		$layouts = array();
		foreach( array_keys($field['layouts']) as $i ) {
			
			// vars
			$layout = $field['layouts'][ $i ];
			
			// add count
			$layout['count'] = 0;
			
			// append
			$layouts[ $layout['name'] ] = $layout;
		}
		
		
		// validate value
		if( $count ) {
			
			// loop rows
			foreach( $value as $i => $row ) {	
				
				// get layout
				$l = $row['acf_fc_layout'];
				
				// bail if layout doesn't exist
				if( !isset($layouts[ $l ]) ) {
					continue;
				}
				
				// increase count
				$layouts[ $l ]['count']++;
				
				// bail if no sub fields
				if( empty($layouts[ $l ]['sub_fields']) ) {
					continue;
				}
				
				// loop sub fields
				foreach( $layouts[ $l ]['sub_fields'] as $sub_field ) {
					
					// get sub field key
					$k = $sub_field['key'];
					
					// bail if no value
					if( !isset($value[ $i ][ $k ]) ) {
						continue;
					}
					
					// validate
					acf_validate_value( $value[ $i ][ $k ], $sub_field, "{$input}[{$i}][{$k}]" );
				}
				// end loop sub fields
				
			}
			// end loop rows
		}
		
		
		// validate layouts
		foreach( $layouts as $layout ) {
			
			// validate min / max
			$min = (int) $layout['min'];
			$count = $layout['count'];
			$label = $layout['label'];
			
			if( $min && $count < $min ) {
				
				// vars
				$error = __('This field requires at least {min} {label} {identifier}', 'acf');
				$identifier = _n('layout', 'layouts', $min);
				
	 			// replace
	 			$error = str_replace('{min}', $min, $error);
	 			$error = str_replace('{label}', '"' . $label . '"', $error);
	 			$error = str_replace('{identifier}', $identifier, $error);
	 			
	 			// return
				return $error;				
			}
		}
		
		
		// return
		return $valid;
	}
	
	
	/*
	*  get_layout
	*
	*  This function will return a specific layout by name from a field
	*
	*  @type	function
	*  @date	15/2/17
	*  @since	5.5.8
	*
	*  @param	$name (string)
	*  @param	$field (array)
	*  @return	(array)
	*/
	
	function get_layout( $name = '', $field ) {
		
		// bail early if no layouts
		if( !isset($field['layouts']) ) return false;
		
		
		// loop
		foreach( $field['layouts'] as $layout ) {
			
			// match
			if( $layout['name'] === $name ) return $layout;
			
		}
		
		
		// return
		return false;
		
	}
	
	
	/*
	*  delete_row
	*
	*  This function will delete a value row
	*
	*  @type	function
	*  @date	15/2/17
	*  @since	5.5.8
	*
	*  @param	$i (int)
	*  @param	$field (array)
	*  @param	$post_id (mixed)
	*  @return	(boolean)
	*/
	
	function delete_row( $i = 0, $field, $post_id ) {
		
		// vars
		$value = acf_get_metadata( $post_id, $field['name'] );
		
		
		// bail early if no value
		if( !is_array($value) || !isset($value[ $i ]) ) return false;
		
		
		// get layout
		$layout = $this->get_layout($value[ $i ], $field);
		
		
		// bail early if no layout
		if( !$layout || empty($layout['sub_fields']) ) return false;
		
		
		// loop
		foreach( $layout['sub_fields'] as $sub_field ) {
			
			// modify name for delete
			$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
			
			
			// delete value
			acf_delete_value( $post_id, $sub_field );
			
		}
		
		
		// return
		return true;
		
	}
	
	
	/*
	*  update_row
	*
	*  This function will update a value row
	*
	*  @type	function
	*  @date	15/2/17
	*  @since	5.5.8
	*
	*  @param	$i (int)
	*  @param	$field (array)
	*  @param	$post_id (mixed)
	*  @return	(boolean)
	*/
	
	function update_row( $row, $i = 0, $field, $post_id ) {
		
		// bail early if no layout reference
		if( !is_array($row) || !isset($row['acf_fc_layout']) ) return false;
		
		
		// get layout
		$layout = $this->get_layout($row['acf_fc_layout'], $field);
		
		
		// bail early if no layout
		if( !$layout || empty($layout['sub_fields']) ) return false;
		
		
		// loop
		foreach( $layout['sub_fields'] as $sub_field ) {
			
			// value
			$value = null;
			

			// find value (key)
			if( isset($row[ $sub_field['key'] ]) ) {
				
				$value = $row[ $sub_field['key'] ];
			
			// find value (name)	
			} elseif( isset($row[ $sub_field['name'] ]) ) {
				
				$value = $row[ $sub_field['name'] ];
				
			// value does not exist	
			} else {
				
				continue;
				
			}
			
			
			// modify name for save
			$sub_field['name'] = "{$field['name']}_{$i}_{$sub_field['name']}";
								
			
			// update field
			acf_update_value( $value, $post_id, $sub_field );
				
		}
		
		
		// return
		return true;
		
	}
	
	
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if no layouts
		if( empty($field['layouts']) ) return $value;
		
		
		// vars
		$new_value = array();
		$old_value = acf_get_metadata( $post_id, $field['name'] );
		$old_value = is_array($old_value) ? $old_value : array();
		
		
		// update
		if( !empty($value) ) { $i = -1;
			
			// remove acfcloneindex
			if( isset($value['acfcloneindex']) ) {
			
				unset($value['acfcloneindex']);
				
			}
			
			
			// loop through rows
			foreach( $value as $row ) {	$i++;
				
				// bail early if no layout reference
				if( !is_array($row) || !isset($row['acf_fc_layout']) ) continue;
				
				
				// delete old row if layout has changed
				if( isset($old_value[ $i ]) && $old_value[ $i ] !== $row['acf_fc_layout'] ) {
					
					$this->delete_row( $i, $field, $post_id );
					
				}
				
				
				// update row
				$this->update_row( $row, $i, $field, $post_id );
				
				
				// append to order
				$new_value[] = $row['acf_fc_layout'];
				
			}
			
		}
		
		
		// vars
		$old_count = empty($old_value) ? 0 : count($old_value);
		$new_count = empty($new_value) ? 0 : count($new_value);
		
		
		// remove old rows
		if( $old_count > $new_count ) {
			
			// loop
			for( $i = $new_count; $i < $old_count; $i++ ) {
				
				$this->delete_row( $i, $field, $post_id );
				
			}
			
		}
		
		
		// save false for empty value
		if( empty($new_value) ) $new_value = '';
		
		
		// return
		return $new_value;
		
	}
	
	
	/*
	*  delete_value
	*
	*  description
	*
	*  @type	function
	*  @date	1/07/2015
	*  @since	5.2.3
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function delete_value( $post_id, $key, $field ) {
		
		// vars
		$old_value = acf_get_metadata( $post_id, $field['name'] );
		$old_value = is_array($old_value) ? $old_value : array();
		
		
		// bail early if no rows or no sub fields
		if( empty($old_value) ) return;
				
		
		// loop
		foreach( array_keys($old_value) as $i ) {
				
			$this->delete_row( $i, $field, $post_id );
			
		}
			
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the field group ID (post_type = acf)
	*
	*  @return	$field - the modified field
	*/

	function update_field( $field ) {
		
		// loop
		if( !empty($field['layouts']) ) {
			
			foreach( $field['layouts'] as &$layout ) {
		
				unset($layout['sub_fields']);
				
			}
			
		}
		
		
		// return		
		return $field;
	}
	
	
	/*
	*  delete_field
	*
	*  description
	*
	*  @type	function
	*  @date	4/04/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function delete_field( $field ) {
		
		if( !empty($field['layouts']) ) {
			
			// loop through layouts
			foreach( $field['layouts'] as $layout ) {
				
				// loop through sub fields
				if( !empty($layout['sub_fields']) ) {
				
					foreach( $layout['sub_fields'] as $sub_field ) {
					
						acf_delete_field( $sub_field['ID'] );
						
					}
					// foreach
					
				}
				// if
				
			}
			// foreach
			
		}
		// if
		
	}
	
	
	/*
	*  duplicate_field()
	*
	*  This filter is appied to the $field before it is duplicated and saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the modified field
	*/
	
	function duplicate_field( $field ) {
		
		// vars
		$sub_fields = array();
		
		
		if( !empty($field['layouts']) ) {
			
			// loop through layouts
			foreach( $field['layouts'] as $layout ) {
				
				// extract sub fields
				$extra = acf_extract_var( $layout, 'sub_fields' );
				
				
				// merge
				if( !empty($extra) ) {
					
					$sub_fields = array_merge($sub_fields, $extra);
					
				}
				
			}
			// foreach
			
		}
		// if
		
		
		// save field to get ID
		$field = acf_update_field( $field );
		
		
		// duplicate sub fields
		acf_duplicate_fields( $sub_fields, $field['ID'] );
		
		
		// return		
		return $field;
		
	}
	
	
	/*
	*  ajax_layout_title
	*
	*  description
	*
	*  @type	function
	*  @date	2/03/2016
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_layout_title() {
		
		// options
   		$options = acf_parse_args( $_POST, array(
			'post_id'		=> 0,
			'i'				=> 0,
			'field_key'		=> '',
			'nonce'			=> '',
			'layout'		=> '',
			'value'			=> array()
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) die();
		
		
		// vars
		$layout = $this->get_layout( $options['layout'], $field );
		if( !$layout ) die();
		
		
		// title
		$title = $this->get_layout_title( $field, $layout, $options['i'], $options['value'] );
		
		
		// echo
		echo $title;
		die;
		
	}
	
	
	function get_layout_title( $field, $layout, $i, $value ) {
		
		// vars
		$rows = array();
		$rows[ $i ] = $value;
		
		
		// add loop
		acf_add_loop(array(
			'selector'	=> $field['name'],
			'name'		=> $field['name'],
			'value'		=> $rows,
			'field'		=> $field,
			'i'			=> $i,
			'post_id'	=> 0,
		));
		
		
		// vars
		$title = $layout['label'];
		
		
		// filters
		$title = apply_filters('acf/fields/flexible_content/layout_title', 							$title, $field, $layout, $i);
		$title = apply_filters('acf/fields/flexible_content/layout_title/name='.$field['_name'],	$title, $field, $layout, $i);
		$title = apply_filters('acf/fields/flexible_content/layout_title/key='.$field['key'],		$title, $field, $layout, $i);
		
		
		// remove loop
		acf_remove_loop();
		
		
		// prepend order
		$order = is_numeric($i) ? $i+1 : 0;
		$title = '<span class="acf-fc-layout-order">' . $order . '</span> ' . $title;
		
		
		// return
		return $title;
		
	}
	
	
	/*
	*  clone_any_field
	*
	*  This function will update clone field settings based on the origional field
	*
	*  @type	function
	*  @date	28/06/2016
	*  @since	5.3.8
	*
	*  @param	$clone (array)
	*  @param	$field (array)
	*  @return	$clone
	*/
	
	function clone_any_field( $field, $clone_field ) {
		
		// remove parent_layout
		// - allows a sub field to be rendered as a normal field
		unset($field['parent_layout']);
		
		
		// attempt to merger parent_layout
		if( isset($clone_field['parent_layout']) ) {
			
			$field['parent_layout'] = $clone_field['parent_layout'];
			
		}
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  prepare_field_for_export
	*
	*  description
	*
	*  @type	function
	*  @date	11/03/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function prepare_field_for_export( $field ) {
		
		// loop
		if( !empty($field['layouts']) ) {
			
			foreach( $field['layouts'] as &$layout ) {
		
				$layout['sub_fields'] = acf_prepare_fields_for_export( $layout['sub_fields'] );
				
			}
			
		}
		
		
		// return
		return $field;
		
	}
	
	function prepare_any_field_for_export( $field ) {
		
		// remove parent_layout
		unset( $field['parent_layout'] );
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  prepare_field_for_import
	*
	*  description
	*
	*  @type	function
	*  @date	11/03/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function prepare_field_for_import( $field ) {
		
		// Bail early if no layouts
		if( empty($field['layouts']) ) {
			return $field;
		}
		
		// Storage for extracted fields.
		$extra = array();
		
		// Loop over layouts.
		foreach( $field['layouts'] as &$layout ) {
			
			// Ensure layout is valid.
			$layout = $this->get_valid_layout( $layout );
			
			// Extract sub fields.
			$sub_fields = acf_extract_var( $layout, 'sub_fields' );
			
			// Modify and append sub fields to $extra.
			if( $sub_fields ) {
				foreach( $sub_fields as $i => $sub_field ) {
					
					// Update atttibutes
					$sub_field['parent'] = $field['key'];
					$sub_field['parent_layout'] = $layout['key'];
					$sub_field['menu_order'] = $i;
					
					// Append to extra.
					$extra[] = $sub_field;
				}
			}
		}
		
		// Merge extra sub fields.
		if( $extra ) {
			array_unshift($extra, $field);
			return $extra;
		}
		
		// Return field.
		return $field;
	}
	
	
	/*
	*  validate_any_field
	*
	*  This function will add compatibility for the 'column_width' setting
	*
	*  @type	function
	*  @date	30/1/17
	*  @since	5.5.6
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function validate_any_field( $field ) {
		
		// width has changed
		if( isset($field['column_width']) ) {
			
			$field['wrapper']['width'] = acf_extract_var($field, 'column_width');
			
		}
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		// translate
		$field['button_label'] = acf_translate( $field['button_label'] );
		
		
		// loop
		if( !empty($field['layouts']) ) {
			
			foreach( $field['layouts'] as &$layout ) {
		
				$layout['label'] = acf_translate($layout['label']);
				
			}
			
		}
		
		
		// return
		return $field;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_flexible_content' );

endif; // class_exists check

?>PK�
�[���	�%�%pro/options-page.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_options_page') ) :

class acf_options_page {
	
	/** @var array Contains an array of optiions page settings */
	var $pages = array();
	
	
	/*
	*  __construct
	*
	*  Initialize filters, action, variables and includes
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		/* do nothing */
		
	}
	
	
	/*
	*  validate_page
	*
	*  description
	*
	*  @type	function
	*  @date	28/2/17
	*  @since	5.5.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_page( $page ) {
		
		// default
		if( empty($page) ) {
			
			$page_title =  __('Options', 'acf');
			$page = array(
				'page_title'	=> $page_title,
				'menu_title'	=> $page_title,
				'menu_slug' 	=> 'acf-options'
			);
		
		// string		
		} elseif( is_string($page) ) {
		
			$page_title = $page;
			$page = array(
				'page_title'	=> $page_title,
				'menu_title'	=> $page_title
			);
		}
		
		
		// defaults
		$page = wp_parse_args($page, array(
			'page_title' 		=> '',
			'menu_title'		=> '',
			'menu_slug' 		=> '',
			'capability'		=> 'edit_posts',
			'parent_slug'		=> '',
			'position'			=> false,
			'icon_url'			=> false,
			'redirect'			=> true,
			'post_id'			=> 'options',
			'autoload'			=> false,
			'update_button'		=> __('Update', 'acf'),
			'updated_message'	=> __("Options Updated", 'acf'),
		));
		
		
		// ACF4 compatibility
		$migrate = array(
			'title' 	=> 'page_title',
			'menu'		=> 'menu_title',
			'slug'		=> 'menu_slug',
			'parent'	=> 'parent_slug'
		);
		
		foreach( $migrate as $old => $new ) {
			if( !empty($page[$old]) ) {
				$page[ $new ] = $page[ $old ];
			}
		}
		
		
		// page_title (allows user to define page with just page_title or title)
		if( empty($page['menu_title']) ) {
			$page['menu_title'] = $page['page_title'];
		}
		
		
		// menu_slug
		if( empty($page['menu_slug']) ) {
			$page['menu_slug'] = 'acf-options-' . sanitize_title( $page['menu_title'] );
		}
		
		
		// filter
		$page = apply_filters('acf/validate_options_page', $page);
		
		
		// return
		return $page;
		
	}
	
	
	/*
	*  add_page
	*
	*  This function will store an options page settings
	*
	*  @type	function
	*  @date	9/6/17
	*  @since	5.6.0
	*
	*  @param	$page (array)
	*  @return	n/a
	*/
	
	function add_page( $page ) {
		
		// validate
		$page = $this->validate_page( $page );
		$slug = $page['menu_slug'];
		
		
		// bail ealry if already exists
		if( isset($this->pages[$slug]) ) return false;
		
		
		// append
		$this->pages[$slug] = $page;
		
		
		// return
		return $page;
		
	}
	
	
	/*
	*  add_sub_page
	*
	*  description
	*
	*  @type	function
	*  @date	9/6/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function add_sub_page( $page ) {
		
		// validate
		$page = $this->validate_page( $page );
		
		
		// default parent
		if( !$page['parent_slug'] ) {
			$page['parent_slug'] = 'acf-options';
		}
		
		
		// create default parent if not yet exists
		if( $page['parent_slug'] == 'acf-options' && !$this->get_page('acf-options') ) {
			
			$this->add_page( '' );
			
		}
			
		
		// return
		return $this->add_page( $page );
		
	}
	
	
	/*
	*  update_page
	*
	*  This function will update an options page settings
	*
	*  @type	function
	*  @date	9/6/17
	*  @since	5.6.0
	*
	*  @param	$slug (string)
	*  @param	$data (array)
	*  @return	(array)
	*/
	
	function update_page( $slug = '', $data = array() ) {
		
		// vars
		$page = $this->get_page( $slug );
		
		
		// bail early if no page
		if( !$page ) return false;
		
		
		// loop
		$page = array_merge( $page, $data );
		
		
		// set
		$this->pages[ $slug ] = $page;
		
		
		// return
		return $page;
		
	}
	
	
	/*
	*  get_page
	*
	*  This function will return an options page settings
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$slug (string)
	*  @return	(mixed)
	*/
	
	function get_page( $slug ) {
		
		return isset( $this->pages[$slug] ) ? $this->pages[$slug] : null;
		
	}
	
	
	/*
	*  get_pages
	*
	*  This function will return all options page settings
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$slug (string)
	*  @return	(mixed)
	*/
	
	function get_pages() {
		
		return $this->pages;
		
	}
    
}


/*
*  acf_options_page
*
*  This function will return the options page instance
*
*  @type	function
*  @date	9/6/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	(object)
*/

function acf_options_page() {
	
	global $acf_options_page;
	
	if( !isset($acf_options_page) ) {
		
		$acf_options_page = new acf_options_page();
		
	}
	
	return $acf_options_page;
	
}


// remove Options Page add-on conflict
unset($GLOBALS['acf_options_page']);


// initialize
acf_options_page();


endif; // class_exists check


/*
*  acf_add_options_page
*
*  alias of acf_options_page()->add_page()
*
*  @type	function
*  @date	24/02/2014
*  @since	5.0.0
*
*  @param	$page (mixed)
*  @return	(array)
*/

if( !function_exists('acf_add_options_page') ):

function acf_add_options_page( $page = '' ) {
	
	return acf_options_page()->add_page( $page );
	
}

endif;


/*
*  acf_add_options_sub_page
*
*  alias of acf_options_page()->add_sub_page()
*
*  @type	function
*  @date	24/02/2014
*  @since	5.0.0
*
*  @param	$page (mixed)
*  @return	(array)
*/

if( !function_exists('acf_add_options_sub_page') ):

function acf_add_options_sub_page( $page = '' ) {
	
	return acf_options_page()->add_sub_page( $page );
	
}

endif;


/*
*  acf_update_options_page
*
*  alias of acf_options_page()->update_page()
*
*  @type	function
*  @date	24/02/2014
*  @since	5.0.0
*
*  @param	$slug (string)
*  @param	$page (mixed)
*  @return	(array)
*/

if( !function_exists('acf_update_options_page') ):

function acf_update_options_page( $slug = '', $data = array() ) {
	
	return acf_options_page()->update_page( $slug, $data );
	
}

endif;


/*
*  acf_get_options_page
*
*  This function will return an options page settings
*
*  @type	function
*  @date	24/02/2014
*  @since	5.0.0
*
*  @param	$slug (string)
*  @return	(array)
*/

if( !function_exists('acf_get_options_page') ):

function acf_get_options_page( $slug ) {
	
	// vars
	$page = acf_options_page()->get_page( $slug );
	
	
	// bail early if no page
	if( !$page ) return false;
	
	
	// filter
	$page = apply_filters('acf/get_options_page', $page, $slug);
	
	
	// return
	return $page;
	
}

endif;


/*
*  acf_get_options_pages
*
*  This function will return all options page settings
*
*  @type	function
*  @date	24/02/2014
*  @since	5.0.0
*
*  @param	n/a
*  @return	(array)
*/

if( !function_exists('acf_get_options_pages') ):

function acf_get_options_pages() {
	
	// global
	global $_wp_last_utility_menu;
	
	
	// vars
	$pages = acf_options_page()->get_pages();
	
	
	// bail early if no pages
	if( empty($pages) ) return false;
	
	
	// apply filter to each page
	foreach( $pages as $slug => &$page ) {
		
		$page = acf_get_options_page( $slug );
	
	}
	
	
	// calculate parent => child redirectes
	foreach( $pages as $slug => &$page ) {
			
		// bail early if is child
		if( $page['parent_slug'] ) continue;
		
		
		// add missing position
		if( !$page['position']) {
			
			$_wp_last_utility_menu++;
			$page['position'] = $_wp_last_utility_menu;
			
		}
		
		
		// bail early if no redirect
		if( !$page['redirect'] ) continue;
		
		
		// vars
		$parent = $page['menu_slug'];
		$child = '';
		
		
		// update children
		foreach( $pages as &$sub_page ) {
			
			// bail early if not child of this parent
			if( $sub_page['parent_slug'] !== $parent ) continue;
			
			
			// set child (only once)
			if( !$child ) {
				$child = $sub_page['menu_slug'];
			}
			
			
			// update parent_slug to the first child
			$sub_page['parent_slug'] = $child;
			
		}
		
		
		// finally update parent menu_slug
		if( $child ) {
			$page['menu_slug'] = $child;
		}
		
	}	
	
	
	// filter
	$pages = apply_filters('acf/get_options_pages', $pages);
	
	
	// return
	return $pages;
	
}

endif;


/*
*  acf_set_options_page_title
*
*  This function is used to customize the options page admin menu title
*
*  @type	function
*  @date	13/07/13
*  @since	4.0.0
*
*  @param	$title (string)
*  @return	n/a
*/

if( ! function_exists('acf_set_options_page_title') ):

function acf_set_options_page_title( $title = 'Options' ) {
	
	acf_update_options_page('acf-options', array(
		'page_title'	=> $title,
		'menu_title'	=> $title
	));
	
}

endif;


/*
*  acf_set_options_page_menu
*
*  This function is used to customize the options page admin menu name
*
*  @type	function
*  @date	13/07/13
*  @since	4.0.0
*
*  @param	$title (string)
*  @return	n/a
*/

if( ! function_exists('acf_set_options_page_menu') ):

function acf_set_options_page_menu( $title = 'Options' ) {
	
	acf_update_options_page('acf-options', array(
		'menu_title'	=> $title
	));
	
}

endif;


/*
*  acf_set_options_page_capability
*
*  This function is used to customize the options page capability. Defaults to 'edit_posts'
*
*  @type	function
*  @date	13/07/13
*  @since	4.0.0
*
*  @param	$title (string)
*  @return	n/a
*/

if( ! function_exists('acf_set_options_page_capability') ):

function acf_set_options_page_capability( $capability = 'edit_posts' ) {
	
	acf_update_options_page('acf-options', array(
		'capability'	=> $capability
	));
	
}

endif;


/*
*  register_options_page()
*
*  This is an old function which is now referencing the new 'acf_add_options_sub_page' function
*
*  @type	function
*  @since	3.0.0
*  @date	29/01/13
*
*  @param	{string}	$title
*  @return	N/A
*/

if( ! function_exists('register_options_page') ):

function register_options_page( $page = '' ) {

	acf_add_options_sub_page( $page );
	
}

endif;

?>PK�
�[^�:	����pro/assets/js/acf-pro-input.jsnu�[���(function($){
	
	var Field = acf.Field.extend({
		
		type: 'repeater',
		wait: '',
		
		events: {
			'click a[data-event="add-row"]': 		'onClickAdd',
			'click a[data-event="remove-row"]': 	'onClickRemove',
			'click a[data-event="collapse-row"]': 	'onClickCollapse',
			'showField':							'onShow',
			'unloadField':							'onUnload',
			'mouseover': 							'onHover',
			'unloadField':							'onUnload'
		},
		
		$control: function(){
			return this.$('.acf-repeater:first');
		},
		
		$table: function(){
			return this.$('table:first');
		},
		
		$tbody: function(){
			return this.$('tbody:first');
		},
		
		$rows: function(){
			return this.$('tbody:first > tr').not('.acf-clone');
		},
		
		$row: function( index ){
			return this.$('tbody:first > tr:eq(' + index + ')');
		},
		
		$clone: function(){
			return this.$('tbody:first > tr.acf-clone');
		},
		
		$actions: function(){
			return this.$('.acf-actions:last');
		},
		
		$button: function(){
			return this.$('.acf-actions:last .button');
		},
		
		getValue: function(){
			return this.$rows().length;
		},
		
		allowRemove: function(){
			var min = parseInt( this.get('min') );
			return ( !min || min < this.val() );
		},
		
		allowAdd: function(){
			var max = parseInt( this.get('max') );
			return ( !max || max > this.val() );
		},
		
		addSortable: function( self ){
			
			// bail early if max 1 row
			if( this.get('max') == 1 ) {
				return;
			}
			
			// add sortable
			this.$tbody().sortable({
				items: '> tr',
				handle: '> td.order',
				forceHelperSize: true,
				forcePlaceholderSize: true,
				scroll: true,
	   			stop: function(event, ui) {
					self.render();
	   			},
	   			update: function(event, ui) {
					self.$input().trigger('change');
		   		}
			});
		},
		
		addCollapsed: function(){
			
			// vars
			var indexes = preference.load( this.get('key') );
			
			// bail early if no collapsed
			if( !indexes ) {
				return false;
			}
			
			// loop
			this.$rows().each(function( i ){
				if( indexes.indexOf(i) > -1 ) {
					$(this).addClass('-collapsed');
				}
			});
		},
		
		addUnscopedEvents: function( self ){
			
			// invalidField
			this.on('invalidField', '.acf-row', function(e){
				var $row = $(this);
				if( self.isCollapsed($row) ) {
					self.expand( $row );
				}
			});
		},
				
		initialize: function(){
			
			// add unscoped events
			this.addUnscopedEvents( this );
			
			// add collapsed
			this.addCollapsed();
			
			// disable clone
			acf.disable( this.$clone(), this.cid );
			
			// render
			this.render();
		},
		
		render: function(){
			
			// update order number
			this.$rows().each(function( i ){
				$(this).find('> .order > span').html( i+1 );
			});
			
			// Extract vars.
			var $controll = this.$control();
			var $button = this.$button();
			
			// empty
			if( this.val() == 0 ) {
				$controll.addClass('-empty');
			} else {
				$controll.removeClass('-empty');
			}
			
			// Reached max rows.
			if( !this.allowAdd() ) {
				$controll.addClass('-max');
				$button.addClass('disabled');
			} else {
				$controll.removeClass('-max');
				$button.removeClass('disabled');
			}
			
			// Reached min rows (not used).
			//if( !this.allowRemove() ) {
			//	$controll.addClass('-min');
			//} else {
			//	$controll.removeClass('-min');
			//}	
		},
		
		validateAdd: function(){
			
			// return true if allowed
			if( this.allowAdd() ) {
				return true;
			}
			
			// vars
			var max = this.get('max');
			var text = acf.__('Maximum rows reached ({max} rows)');
			
			// replace
			text = text.replace('{max}', max);
			
			// add notice
			this.showNotice({
				text: text,
				type: 'warning'
			});
			
			// return
			return false;
		},
		
		onClickAdd: function( e, $el ){
			
			// validate
			if( !this.validateAdd() ) {
				return false;
			}
			
			// add above row
			if( $el.hasClass('acf-icon') ) {
				this.add({
					before: $el.closest('.acf-row')
				});
			
			// default
			} else {
				this.add();
			}
		},
		
		add: function( args ){
			
			// validate
			if( !this.allowAdd() ) {
				return false;
			}
			
			// defaults
			args = acf.parseArgs(args, {
				before: false
			});
			
			// add row
			var $el = acf.duplicate({
				target: this.$clone(),
				append: this.proxy(function( $el, $el2 ){
					
					// append
					if( args.before ) {
						args.before.before( $el2 );
					} else {
						$el.before( $el2 );
					}
					
					// remove clone class
					$el2.removeClass('acf-clone');
					
					// enable
					acf.enable( $el2, this.cid );
					
					// render
					this.render();
				})
			});
			
			// trigger change for validation errors
			this.$input().trigger('change');
			
			// return
			return $el;
		},
		
		validateRemove: function(){
			
			// return true if allowed
			if( this.allowRemove() ) {
				return true;
			}
			
			// vars
			var min = this.get('min');
			var text = acf.__('Minimum rows reached ({min} rows)');
			
			// replace
			text = text.replace('{min}', min);
			
			// add notice
			this.showNotice({
				text: text,
				type: 'warning'
			});
			
			// return
			return false;
		},
		
		onClickRemove: function( e, $el ){
			
			// vars
			var $row = $el.closest('.acf-row');
			
			// add class
			$row.addClass('-hover');
			
			// add tooltip
			var tooltip = acf.newTooltip({
				confirmRemove: true,
				target: $el,
				context: this,
				confirm: function(){
					this.remove( $row );
				},
				cancel: function(){
					$row.removeClass('-hover');
				}
			});
		},

		remove: function( $row ){
			
			// reference
			var self = this;
			
			// remove
			acf.remove({
				target: $row,
				endHeight: 0,
				complete: function(){
					
					// trigger change to allow attachment save
					self.$input().trigger('change');
				
					// render
					self.render();
					
					// sync collapsed order
					//self.sync();
				}
			});
		},
		
		isCollapsed: function( $row ){
			return $row.hasClass('-collapsed');
		},
		
		collapse: function( $row ){
			$row.addClass('-collapsed');
			acf.doAction('hide', $row, 'collapse');
		},
		
		expand: function( $row ){
			$row.removeClass('-collapsed');
			acf.doAction('show', $row, 'collapse');
		},
		
		onClickCollapse: function( e, $el ){
			
			// vars
			var $row = $el.closest('.acf-row');
			var isCollpased = this.isCollapsed( $row );
			
			// shift
			if( e.shiftKey ) {
				$row = this.$rows();
			}
			
			// toggle
			if( isCollpased ) {
				this.expand( $row );
			} else {
				this.collapse( $row );
			}	
		},
		
		onShow: function( e, $el, context ){
			
			// get sub fields
			var fields = acf.getFields({
				is: ':visible',
				parent: this.$el,
			});
			
			// trigger action
			// - ignore context, no need to pass through 'conditional_logic'
			// - this is just for fields like google_map to render itself
			acf.doAction('show_fields', fields);
		},
		
		onUnload: function(){
			
			// vars
			var indexes = [];
			
			// loop
			this.$rows().each(function( i ){
				if( $(this).hasClass('-collapsed') ) {
					indexes.push( i );
				}
			});
			
			// allow null
			indexes = indexes.length ? indexes : null;
			
			// set
			preference.save( this.get('key'), indexes );
		},
		
		onHover: function(){
			
			// add sortable
			this.addSortable( this );
			
			// remove event
			this.off('mouseover');
		}
	});
	
	acf.registerFieldType( Field );
	
	
	// register existing conditions
	acf.registerConditionForFieldType('hasValue', 'repeater');
	acf.registerConditionForFieldType('hasNoValue', 'repeater');
	acf.registerConditionForFieldType('lessThan', 'repeater');
	acf.registerConditionForFieldType('greaterThan', 'repeater');
	
	
	// state
	var preference = new acf.Model({
		
		name: 'this.collapsedRows',
		
		key: function( key, context ){
			
			// vars
			var count = this.get(key+context) || 0;
			
			// update
			count++;
			this.set(key+context, count, true);
			
			// modify fieldKey
			if( count > 1 ) {
				key += '-' + count;
			}
			
			// return
			return key;
		},
		
		load: function( key ){
			
			// vars 
			var key = this.key(key, 'load');
			var data = acf.getPreference(this.name);
			
			// return
			if( data && data[key] ) {
				return data[key]
			} else {
				return false;
			}
		},
		
		save: function( key, value ){
			
			// vars 
			var key = this.key(key, 'save');
			var data = acf.getPreference(this.name) || {};
			
			// delete
			if( value === null ) {
				delete data[ key ];
			
			// append
			} else {
				data[ key ] = value;
			}
			
			// allow null
			if( $.isEmptyObject(data) ) {
				data = null;
			}
			
			// save
			acf.setPreference(this.name, data);
		}
	});
		
})(jQuery);

(function($){
	
	var Field = acf.Field.extend({
		
		type: 'flexible_content',
		wait: '',
		
		events: {
			'click [data-name="add-layout"]': 		'onClickAdd',
			'click [data-name="remove-layout"]': 	'onClickRemove',
			'click [data-name="collapse-layout"]': 	'onClickCollapse',
			'showField':							'onShow',
			'unloadField':							'onUnload',
			'mouseover': 							'onHover'
		},
		
		$control: function(){
			return this.$('.acf-flexible-content:first');
		},
		
		$layoutsWrap: function(){
			return this.$('.acf-flexible-content:first > .values');
		},
		
		$layouts: function(){
			return this.$('.acf-flexible-content:first > .values > .layout');
		},
		
		$layout: function( index ){
			return this.$('.acf-flexible-content:first > .values > .layout:eq(' + index + ')');
		},
		
		$clonesWrap: function(){
			return this.$('.acf-flexible-content:first > .clones');
		},
		
		$clones: function(){
			return this.$('.acf-flexible-content:first > .clones  > .layout');
		},
		
		$clone: function( name ){
			return this.$('.acf-flexible-content:first > .clones  > .layout[data-layout="' + name + '"]');
		},
		
		$actions: function(){
			return this.$('.acf-actions:last');
		},
		
		$button: function(){
			return this.$('.acf-actions:last .button');
		},
		
		$popup: function(){
			return this.$('.tmpl-popup:last');
		},
		
		getPopupHTML: function(){
			
			// vars
			var html = this.$popup().html();
			var $html = $(html);
			
			// count layouts
			var $layouts = this.$layouts();
			var countLayouts = function( name ){
				return $layouts.filter(function(){
					return $(this).data('layout') === name;
				}).length;
			};
						
			// modify popup
			$html.find('[data-layout]').each(function(){
				
				// vars
				var $a = $(this);
				var min = $a.data('min') || 0;
				var max = $a.data('max') || 0;
				var name = $a.data('layout') || '';
				var count = countLayouts( name );
				
				// max
				if( max && count >= max) {
					$a.addClass('disabled');
					return;
				}
				
				// min
				if( min && count < min ) {
					
					// vars
					var required = min - count;
					var title = acf.__('{required} {label} {identifier} required (min {min})');
					var identifier = acf._n('layout', 'layouts', required);
										
					// translate
					title = title.replace('{required}', required);
					title = title.replace('{label}', name); // 5.5.0
					title = title.replace('{identifier}', identifier);
					title = title.replace('{min}', min);
					
					// badge
					$a.append('<span class="badge" title="' + title + '">' + required + '</span>');
				}
			});
			
			// update
			html = $html.outerHTML();
			
			// return
			return html;
		},
		
		getValue: function(){
			return this.$layouts().length;
		},
		
		allowRemove: function(){
			var min = parseInt( this.get('min') );
			return ( !min || min < this.val() );
		},
		
		allowAdd: function(){
			var max = parseInt( this.get('max') );
			return ( !max || max > this.val() );
		},
		
		isFull: function(){
			var max = parseInt( this.get('max') );
			return ( max && this.val() >= max );
		},
		
		addSortable: function( self ){
			
			// bail early if max 1 row
			if( this.get('max') == 1 ) {
				return;
			}
			
			// add sortable
			this.$layoutsWrap().sortable({
				items: '> .layout',
				handle: '> .acf-fc-layout-handle',
				forceHelperSize: true,
				forcePlaceholderSize: true,
				scroll: true,
	   			stop: function(event, ui) {
					self.render();
	   			},
	   			update: function(event, ui) {
		   			self.$input().trigger('change');
		   		}
			});
		},
		
		addCollapsed: function(){
			
			// vars
			var indexes = preference.load( this.get('key') );
			
			// bail early if no collapsed
			if( !indexes ) {
				return false;
			}
			
			// loop
			this.$layouts().each(function( i ){
				if( indexes.indexOf(i) > -1 ) {
					$(this).addClass('-collapsed');
				}
			});
		},
		
		addUnscopedEvents: function( self ){
			
			// invalidField
			this.on('invalidField', '.layout', function(e){
				self.onInvalidField( e, $(this) );
			});
		},
		
		initialize: function(){
			
			// add unscoped events
			this.addUnscopedEvents( this );
			
			// add collapsed
			this.addCollapsed();
			
			// disable clone
			acf.disable( this.$clonesWrap(), this.cid );
						
			// render
			this.render();
		},
		
		render: function(){
			
			// update order number
			this.$layouts().each(function( i ){
				$(this).find('.acf-fc-layout-order:first').html( i+1 );
			});
			
			// empty
			if( this.val() == 0 ) {
				this.$control().addClass('-empty');
			} else {
				this.$control().removeClass('-empty');
			}
			
			// max
			if( this.isFull() ) {
				this.$button().addClass('disabled');
			} else {
				this.$button().removeClass('disabled');
			}
		},
		
		onShow: function( e, $el, context ){
			
			// get sub fields
			var fields = acf.getFields({
				is: ':visible',
				parent: this.$el,
			});
			
			// trigger action
			// - ignore context, no need to pass through 'conditional_logic'
			// - this is just for fields like google_map to render itself
			acf.doAction('show_fields', fields);
		},
		
		validateAdd: function(){
			
			// return true if allowed
			if( this.allowAdd() ) {
				return true;
			}
			
			// vars
			var max = this.get('max');
			var text = acf.__('This field has a limit of {max} {label} {identifier}');
			var identifier = acf._n('layout', 'layouts', max);
			
			// replace
			text = text.replace('{max}', max);
			text = text.replace('{label}', '');
			text = text.replace('{identifier}', identifier);
			
			// add notice
			this.showNotice({
				text: text,
				type: 'warning'
			});
			
			// return
			return false;
		},
		
		onClickAdd: function( e, $el ){
			
			// validate
			if( !this.validateAdd() ) {
				return false;
			}
			
			// within layout
			var $layout = null;
			if( $el.hasClass('acf-icon') ) {
				$layout = $el.closest('.layout');
				$layout.addClass('-hover');
			}
			
			// new popup
			var popup = new Popup({
				target: $el,
				targetConfirm: false,
				text: this.getPopupHTML(),
				context: this,
				confirm: function( e, $el ){
					
					// check disabled
					if( $el.hasClass('disabled') ) {
						return;
					}
					
					// add
					this.add({
						layout: $el.data('layout'),
						before: $layout
					});
				},
				cancel: function(){
					if( $layout ) {
						$layout.removeClass('-hover');
					}
					
				}
			});
			
			// add extra event
			popup.on('click', '[data-layout]', 'onConfirm');
		},
		
		add: function( args ){
			
			// defaults
			args = acf.parseArgs(args, {
				layout: '',
				before: false
			});
			
			// validate
			if( !this.allowAdd() ) {
				return false;
			}
			
			// add row
			var $el = acf.duplicate({
				target: this.$clone( args.layout ),
				append: this.proxy(function( $el, $el2 ){
					
					// append
					if( args.before ) {
						args.before.before( $el2 );
					} else {
						this.$layoutsWrap().append( $el2 );
					}
					
					// enable 
					acf.enable( $el2, this.cid );
					
					// render
					this.render();
				})
			});
			
			// trigger change for validation errors
			this.$input().trigger('change');
			
			// return
			return $el;
		},
		
		validateRemove: function(){
			
			// return true if allowed
			if( this.allowRemove() ) {
				return true;
			}
			
			// vars
			var min = this.get('min');
			var text = acf.__('This field requires at least {min} {label} {identifier}');
			var identifier = acf._n('layout', 'layouts', min);
			
			// replace
			text = text.replace('{min}', min);
			text = text.replace('{label}', '');
			text = text.replace('{identifier}', identifier);
			
			// add notice
			this.showNotice({
				text: text,
				type: 'warning'
			});
			
			// return
			return false;
		},
		
		onClickRemove: function( e, $el ){
			
			// vars
			var $layout = $el.closest('.layout');
			
			// add class
			$layout.addClass('-hover');
			
			// add tooltip
			var tooltip = acf.newTooltip({
				confirmRemove: true,
				target: $el,
				context: this,
				confirm: function(){
					this.removeLayout( $layout );
				},
				cancel: function(){
					$layout.removeClass('-hover');
				}
			});
		},
		
		removeLayout: function( $layout ){
			
			// reference
			var self = this;
			
			// vars
			var endHeight = this.getValue() == 1 ? 60: 0;
			
			// remove
			acf.remove({
				target: $layout,
				endHeight: endHeight,
				complete: function(){
					
					// trigger change to allow attachment save
					self.$input().trigger('change');
				
					// render
					self.render();
				}
			});
		},
		
		onClickCollapse: function( e, $el ){
			
			// vars
			var $layout = $el.closest('.layout');
			
			// toggle
			if( this.isLayoutClosed( $layout ) ) {
				this.openLayout( $layout );
			} else {
				this.closeLayout( $layout );
			}
		},
		
		isLayoutClosed: function( $layout ){
			return $layout.hasClass('-collapsed');
		},
		
		openLayout: function( $layout ){
			$layout.removeClass('-collapsed');
			acf.doAction('show', $layout, 'collapse');
		},
		
		closeLayout: function( $layout ){
			$layout.addClass('-collapsed');
			acf.doAction('hide', $layout, 'collapse');
			
			// render
			// - no change could happen if layout was already closed. Only render when closing
			this.renderLayout( $layout );
		},
		
		renderLayout: function( $layout ){
			
			// vars
			var $input = $layout.children('input');
			var prefix = $input.attr('name').replace('[acf_fc_layout]', '');
			
			// ajax data
			var ajaxData = {
				action: 	'acf/fields/flexible_content/layout_title',
				field_key: 	this.get('key'),
				i: 			$layout.index(),
				layout:		$layout.data('layout'),
				value:		acf.serialize( $layout, prefix )
			};
			
			// ajax
			$.ajax({
		    	url: acf.get('ajaxurl'),
		    	data: acf.prepareForAjax(ajaxData),
				dataType: 'html',
				type: 'post',
				success: function( html ){
					if( html ) {
						$layout.children('.acf-fc-layout-handle').html( html );
					}
				}
			});
		},
		
		onUnload: function(){
			
			// vars
			var indexes = [];
			
			// loop
			this.$layouts().each(function( i ){
				if( $(this).hasClass('-collapsed') ) {
					indexes.push( i );
				}
			});
			
			// allow null
			indexes = indexes.length ? indexes : null;
			
			// set
			preference.save( this.get('key'), indexes );
		},
		
		onInvalidField: function( e, $layout ){
			
			// open if is collapsed
			if( this.isLayoutClosed( $layout ) ) {
				this.openLayout( $layout );
			}
		},
		
		onHover: function(){
			
			// add sortable
			this.addSortable( this );
			
			// remove event
			this.off('mouseover');
		}
						
	});
	
	acf.registerFieldType( Field );
	
	
	
	/**
	*  Popup
	*
	*  description
	*
	*  @date	7/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var Popup = acf.models.TooltipConfirm.extend({
		
		events: {
			'click [data-layout]': 			'onConfirm',
			'click [data-event="cancel"]':	'onCancel',
		},
		
		render: function(){
			
			// set HTML
			this.html( this.get('text') );
			
			// add class
			this.$el.addClass('acf-fc-popup');
		}		
	});
	
	
	/**
	*  conditions
	*
	*  description
	*
	*  @date	9/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	// register existing conditions
	acf.registerConditionForFieldType('hasValue', 'flexible_content');
	acf.registerConditionForFieldType('hasNoValue', 'flexible_content');
	acf.registerConditionForFieldType('lessThan', 'flexible_content');
	acf.registerConditionForFieldType('greaterThan', 'flexible_content');
	
	
	// state
	var preference = new acf.Model({
		
		name: 'this.collapsedLayouts',
		
		key: function( key, context ){
			
			// vars
			var count = this.get(key+context) || 0;
			
			// update
			count++;
			this.set(key+context, count, true);
			
			// modify fieldKey
			if( count > 1 ) {
				key += '-' + count;
			}
			
			// return
			return key;
		},
		
		load: function( key ){
			
			// vars 
			var key = this.key(key, 'load');
			var data = acf.getPreference(this.name);
			
			// return
			if( data && data[key] ) {
				return data[key]
			} else {
				return false;
			}
		},
		
		save: function( key, value ){
			
			// vars 
			var key = this.key(key, 'save');
			var data = acf.getPreference(this.name) || {};
			
			// delete
			if( value === null ) {
				delete data[ key ];
			
			// append
			} else {
				data[ key ] = value;
			}
			
			// allow null
			if( $.isEmptyObject(data) ) {
				data = null;
			}
			
			// save
			acf.setPreference(this.name, data);
		}
	});
	
})(jQuery);

(function($){
	
	var Field = acf.Field.extend({
		
		type: 'gallery',
		
		events: {
			'click .acf-gallery-add':			'onClickAdd',
			'click .acf-gallery-edit':			'onClickEdit',
			'click .acf-gallery-remove':		'onClickRemove',
			'click .acf-gallery-attachment': 	'onClickSelect',
			'click .acf-gallery-close': 		'onClickClose',
			'change .acf-gallery-sort': 		'onChangeSort',
			'click .acf-gallery-update': 		'onUpdate',
			'mouseover': 						'onHover',
			'showField': 						'render'
		},
		
		actions: {
			'validation_begin': 	'onValidationBegin',
			'validation_failure': 	'onValidationFailure',
			'resize':				'onResize'
		},
		
		onValidationBegin: function(){
			acf.disable( this.$sideData(), this.cid );
		},
		
		onValidationFailure: function(){
			acf.enable( this.$sideData(), this.cid );
		},
		
		$control: function(){
			return this.$('.acf-gallery');
		},
		
		$collection: function(){
			return this.$('.acf-gallery-attachments');
		},
		
		$attachments: function(){
			return this.$('.acf-gallery-attachment');
		},
		
		$attachment: function( id ){
			return this.$('.acf-gallery-attachment[data-id="' + id + '"]');
		},
		
		$active: function(){
			return this.$('.acf-gallery-attachment.active');
		},
		
		$main: function(){
			return this.$('.acf-gallery-main');
		},
		
		$side: function(){
			return this.$('.acf-gallery-side');
		},
		
		$sideData: function(){
			return this.$('.acf-gallery-side-data');
		},
		
		isFull: function(){
			var max = parseInt( this.get('max') );
			var count = this.$attachments().length;
			return ( max && count >= max );
		},
		
		getValue: function(){
			
			// vars
			var val = [];
			
			// loop
			this.$attachments().each(function(){
				val.push( $(this).data('id') );
			});
			
			// return
			return val.length ? val : false;
		},
		
		addUnscopedEvents: function( self ){
			
			// invalidField
			this.on('change', '.acf-gallery-side', function(e){
				self.onUpdate( e, $(this) );
			});
		},
		
		addSortable: function( self ){
			
			// add sortable
			this.$collection().sortable({
				items: '.acf-gallery-attachment',
				forceHelperSize: true,
				forcePlaceholderSize: true,
				scroll: true,
				start: function (event, ui) {
					ui.placeholder.html( ui.item.html() );
					ui.placeholder.removeAttr('style');
	   			},
	   			update: function(event, ui) {
					self.$input().trigger('change');
		   		}
			});
			
			// resizable
			this.$control().resizable({
				handles: 's',
				minHeight: 200,
				stop: function(event, ui){
					acf.update_user_setting('gallery_height', ui.size.height);
				}
			});
		},
		
		initialize: function(){
			
			// add unscoped events
			this.addUnscopedEvents( this );
			
			// render
			this.render();
		},
		
		render: function(){
			
			// vars
			var $sort = this.$('.acf-gallery-sort');
			var $add = this.$('.acf-gallery-add');
			var count = this.$attachments().length;
			
			// disable add
			if( this.isFull() ) {
				$add.addClass('disabled');
			} else {
				$add.removeClass('disabled');
			}
			
			// disable select
			if( !count ) {
				$sort.addClass('disabled');
			} else {
				$sort.removeClass('disabled');
			}
			
			// resize
			this.resize();
		},
		
		resize: function(){
			
			// vars
			var width = this.$control().width();
			var target = 150;
			var columns = Math.round( width / target );
						
			// max columns = 8
			columns = Math.min(columns, 8);
			
			// update data
			this.$control().attr('data-columns', columns);
		},
		
		onResize: function(){
			this.resize();
		},
		
		openSidebar: function(){
			
			// add class
			this.$control().addClass('-open');
			
			// hide bulk actions
			// should be done with CSS
			//this.$main().find('.acf-gallery-sort').hide();
			
			// vars
			var width = this.$control().width() / 3;
			width = parseInt( width );
			width = Math.max( width, 350 );
			
			// animate
			this.$('.acf-gallery-side-inner').css({ 'width' : width-1 });
			this.$side().animate({ 'width' : width-1 }, 250);
			this.$main().animate({ 'right' : width }, 250);
		},
		
		closeSidebar: function(){
			
			// remove class
			this.$control().removeClass('-open');
			
			// clear selection
			this.$active().removeClass('active');
			
			// disable sidebar
			acf.disable( this.$side() );
			
			// animate
			var $sideData = this.$('.acf-gallery-side-data');
			this.$main().animate({ right: 0 }, 250);
			this.$side().animate({ width: 0 }, 250, function(){
				$sideData.html('');
			});
		},
		
		onClickAdd: function( e, $el ){
			
			// validate
			if( this.isFull() ) {
				this.showNotice({
					text: acf.__('Maximum selection reached'),
					type: 'warning'
				});
				return;
			}
			
			// new frame
			var frame = acf.newMediaPopup({
				mode:			'select',
				title:			acf.__('Add Image to Gallery'),
				field:			this.get('key'),
				multiple:		'add',
				library:		this.get('library'),
				allowedTypes:	this.get('mime_types'),
				selected:		this.val(),
				select:			$.proxy(function( attachment, i ) {
					this.appendAttachment( attachment, i );
				}, this)
			});
		},
		
		appendAttachment: function( attachment, i ){
			
			// vars
			attachment = this.validateAttachment( attachment );
			
			// bail early if is full
			if( this.isFull() ) {
				return;
			}
			
			// bail early if already exists
			if( this.$attachment( attachment.id ).length ) {
				return;
			}
			
			// html
			var html = [
			'<div class="acf-gallery-attachment" data-id="' + attachment.id + '">',
				'<input type="hidden" value="' + attachment.id + '" name="' + this.getInputName() + '[]">',
				'<div class="margin" title="">',
					'<div class="thumbnail">',
						'<img src="" alt="">',
					'</div>',
					'<div class="filename"></div>',
				'</div>',
				'<div class="actions">',
					'<a href="#" class="acf-icon -cancel dark acf-gallery-remove" data-id="' + attachment.id + '"></a>',
				'</div>',
			'</div>'].join('');
			var $html = $(html);
			
			// append
			this.$collection().append( $html );
			
			// move to beginning
			if( this.get('insert') === 'prepend' ) {
				var $before = this.$attachments().eq( i );
				if( $before.length ) {
					$before.before( $html );
				}
			}
			
			// render attachment
			this.renderAttachment( attachment );
			
			// render
			this.render();
			
			// trigger change
			this.$input().trigger('change');
		},
		
		validateAttachment: function( attachment ){
			
			// defaults
			attachment = acf.parseArgs(attachment, {
				id: '',
				url: '',
				alt: '',
				title: '',
				filename: '',
				type: 'image'
			});
			
			// WP attachment
			if( attachment.attributes ) {
				attachment = attachment.attributes;
				
				// preview size
				var url = acf.isget(attachment, 'sizes', this.get('preview_size'), 'url');
				if( url !== null ) {
					attachment.url = url;
				}
			}
			
			// return
			return attachment;
		},
		
		renderAttachment: function( attachment ){
			
			// vars
			attachment = this.validateAttachment( attachment );
			
			// vars
			var $el = this.$attachment( attachment.id );
			
			// Image type.
			if( attachment.type == 'image' ) {
				
				// Remove filename.
				$el.find('.filename').remove();
			
			// Other file type.	
			} else {	
				
				// Check for attachment featured image.
				var image = acf.isget(attachment, 'image', 'src');
				if( image !== null ) {
					attachment.url = image;
				}
				
				// Update filename text.
				$el.find('.filename').text( attachment.filename );
			}
			
			// Default to mimetype icon.
			if( !attachment.url ) {
				attachment.url = acf.get('mimeTypeIcon');
				$el.addClass('-icon');
			}
			
			// update els
		 	$el.find('img').attr({
			 	src:	attachment.url,
			 	alt:	attachment.alt,
			 	title:	attachment.title
			});
		 	
			// update val
		 	acf.val( $el.find('input'), attachment.id );
		},
		
		editAttachment: function( id ){
			
			// new frame
			var frame = acf.newMediaPopup({
				mode:		'edit',
				title:		acf.__('Edit Image'),
				button:		acf.__('Update Image'),
				attachment:	id,
				field:		this.get('key'),
				select:		$.proxy(function( attachment, i ) {
					this.renderAttachment( attachment );
					// todo - render sidebar
				}, this)
			});
		},
		
		onClickEdit: function( e, $el ){
			var id = $el.data('id');
			if( id ) {
				this.editAttachment( id );
			}
		},
		
		removeAttachment: function( id ){
			
			// close sidebar (if open)
			this.closeSidebar();
			
			// remove attachment
			this.$attachment( id ).remove();
			
			// render
			this.render();
			
			// trigger change
			this.$input().trigger('change');
		},
		
		onClickRemove: function( e, $el ){
			
			// prevent event from triggering click on attachment
			e.preventDefault();
			e.stopPropagation();
			
			//remove
			var id = $el.data('id');
			if( id ) {
				this.removeAttachment( id );
			}
		},
		
		selectAttachment: function( id ){
			
			// vars
			var $el = this.$attachment( id );
			
			// bail early if already active
			if( $el.hasClass('active') ) {
				return;
			}
			
			// step 1
			var step1 = this.proxy(function(){
				
				// save any changes in sidebar
				this.$side().find(':focus').trigger('blur');
				
				// clear selection
				this.$active().removeClass('active');
				
				// add selection
				$el.addClass('active');
				
				// open sidebar
				this.openSidebar();
				
				// call step 2
				step2();
			});
			
			// step 2
			var step2 = this.proxy(function(){
				
				// ajax
				var ajaxData = {
					action: 'acf/fields/gallery/get_attachment',
					field_key: this.get('key'),
					id: id
				};
				
				// abort prev ajax call
				if( this.has('xhr') ) {
					this.get('xhr').abort();
				}
				
				// loading
				acf.showLoading( this.$sideData() );
				
				// get HTML
				var xhr = $.ajax({
					url: acf.get('ajaxurl'),
					data: acf.prepareForAjax(ajaxData),
					type: 'post',
					dataType: 'html',
					cache: false,
					success: step3
				});
				
				// update
				this.set('xhr', xhr);
			});
			
			// step 3
			var step3 = this.proxy(function( html ){
				
				// bail early if no html
				if( !html ) {
					return;
				}
				
				// vars
				var $side = this.$sideData();
				
				// render
				$side.html( html );
				
				// remove acf form data
				$side.find('.compat-field-acf-form-data').remove();
				
				// merge tables
				$side.find('> table.form-table > tbody').append( $side.find('> .compat-attachment-fields > tbody > tr') );	
								
				// setup fields
				acf.doAction('append', $side);
			});
			
			// run step 1
			step1();
		},
		
		onClickSelect: function( e, $el ){
			var id = $el.data('id');
			if( id ) {
				this.selectAttachment( id );
			}
		},
		
		onClickClose: function( e, $el ){
			this.closeSidebar();
		},
		
		onChangeSort: function( e, $el ){
			
			// Bail early if is disabled.
			if( $el.hasClass('disabled') ) {
				return;
			}
			
			// Get sort val.
			var val = $el.val();
			if( !val ) {
				return;
			}
			
			// find ids
			var ids = [];
			this.$attachments().each(function(){
				ids.push( $(this).data('id') );
			});
			
			
			// step 1
			var step1 = this.proxy(function(){
				
				// vars
				var ajaxData = {
					action: 'acf/fields/gallery/get_sort_order',
					field_key: this.get('key'),
					ids: ids,
					sort: val
				};
				
				
				// get results
			    var xhr = $.ajax({
			    	url:		acf.get('ajaxurl'),
					dataType:	'json',
					type:		'post',
					cache:		false,
					data:		acf.prepareForAjax(ajaxData),
					success:	step2
				});
			});
			
			// step 2
			var step2 = this.proxy(function( json ){
				
				// validate
				if( !acf.isAjaxSuccess(json) ) {
					return;
				}
				
				// reverse order
				json.data.reverse();
				
				// loop
				json.data.map(function(id){
					this.$collection().prepend( this.$attachment(id) );
				}, this);
			});
			
			// call step 1
			step1();
		},
		
		onUpdate: function( e, $el ){
			
			// vars
			var $submit = this.$('.acf-gallery-update');
			
			// validate
			if( $submit.hasClass('disabled') ) {
				return;
			}
			
			// serialize data
			var ajaxData = acf.serialize( this.$sideData() );
			
			// loading
			$submit.addClass('disabled');
			$submit.before('<i class="acf-loading"></i> ');
			
			// append AJAX action		
			ajaxData.action = 'acf/fields/gallery/update_attachment';
			
			// ajax
			$.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax(ajaxData),
				type: 'post',
				dataType: 'json',
				complete: function(){
					$submit.removeClass('disabled');
					$submit.prev('.acf-loading').remove();
				}
			});
		},
		
		onHover: function(){
			
			// add sortable
			this.addSortable( this );
			
			// remove event
			this.off('mouseover');
		}
	});
	
	acf.registerFieldType( Field );
	
	// register existing conditions
	acf.registerConditionForFieldType('hasValue', 'gallery');
	acf.registerConditionForFieldType('hasNoValue', 'gallery');
	acf.registerConditionForFieldType('selectionLessThan', 'gallery');
	acf.registerConditionForFieldType('selectionGreaterThan', 'gallery');
	
})(jQuery);

// @codekit-prepend "_acf-field-repeater.js";
// @codekit-prepend "_acf-field-flexible-content.js";
// @codekit-prepend "_acf-field-gallery.js";PK�
�[�l�'�'#pro/assets/js/acf-pro-blocks.min.jsnu�[���"use strict";function _typeof(t){return(_typeof="function"==typeof Symbol&&"symbol"==typeof Symbol.iterator?function t(e){return typeof e}:function t(e){return e&&"function"==typeof Symbol&&e.constructor===Symbol&&e!==Symbol.prototype?"symbol":typeof e})(t)}function _get(t,e,n){return(_get="undefined"!=typeof Reflect&&Reflect.get?Reflect.get:function t(e,n,r){var o=_superPropBase(e,n);if(o){var i=Object.getOwnPropertyDescriptor(o,n);return i.get?i.get.call(r):i.value}})(t,e,n||t)}function _superPropBase(t,e){for(;!Object.prototype.hasOwnProperty.call(t,e)&&null!==(t=_getPrototypeOf(t)););return t}function ownKeys(t,e){var n=Object.keys(t);if(Object.getOwnPropertySymbols){var r=Object.getOwnPropertySymbols(t);e&&(r=r.filter((function(e){return Object.getOwnPropertyDescriptor(t,e).enumerable}))),n.push.apply(n,r)}return n}function _objectSpread(t){for(var e=1;e<arguments.length;e++){var n=null!=arguments[e]?arguments[e]:{};e%2?ownKeys(n,!0).forEach((function(e){_defineProperty(t,e,n[e])})):Object.getOwnPropertyDescriptors?Object.defineProperties(t,Object.getOwnPropertyDescriptors(n)):ownKeys(n).forEach((function(e){Object.defineProperty(t,e,Object.getOwnPropertyDescriptor(n,e))}))}return t}function _defineProperty(t,e,n){return e in t?Object.defineProperty(t,e,{value:n,enumerable:!0,configurable:!0,writable:!0}):t[e]=n,t}function _classCallCheck(t,e){if(!(t instanceof e))throw new TypeError("Cannot call a class as a function")}function _defineProperties(t,e){for(var n=0;n<e.length;n++){var r=e[n];r.enumerable=r.enumerable||!1,r.configurable=!0,"value"in r&&(r.writable=!0),Object.defineProperty(t,r.key,r)}}function _createClass(t,e,n){return e&&_defineProperties(t.prototype,e),n&&_defineProperties(t,n),t}function _possibleConstructorReturn(t,e){return!e||"object"!==_typeof(e)&&"function"!=typeof e?_assertThisInitialized(t):e}function _getPrototypeOf(t){return(_getPrototypeOf=Object.setPrototypeOf?Object.getPrototypeOf:function t(e){return e.__proto__||Object.getPrototypeOf(e)})(t)}function _assertThisInitialized(t){if(void 0===t)throw new ReferenceError("this hasn't been initialised - super() hasn't been called");return t}function _inherits(t,e){if("function"!=typeof e&&null!==e)throw new TypeError("Super expression must either be null or a function");t.prototype=Object.create(e&&e.prototype,{constructor:{value:t,writable:!0,configurable:!0}}),e&&_setPrototypeOf(t,e)}function _setPrototypeOf(t,e){return(_setPrototypeOf=Object.setPrototypeOf||function t(e,n){return e.__proto__=n,e})(t,e)}!function(t,e){function n(){var t=acf.get("blockTypes");t&&t.map(r)}function r(t){var e=t.post_types||[],n;if(e.length){e.push("wp_block");var r=acf.screen.getPostType();if(-1===e.indexOf(r))return!1}if("string"==typeof t.icon&&"<svg"===t.icon.substr(0,4)){var o=t.icon;t.icon=React.createElement(u,{html:o})}t.icon||delete t.icon,wp.blocks.getCategories().filter((function(e){return e.slug===t.category})).pop()||(console.warn('The block "'.concat(t.name,'" is registered with an unknown category "').concat(t.category,'".')),t.category="common"),t=acf.parseArgs(t,{title:"",name:"",category:"",attributes:{id:{type:"string"},name:{type:"string"},data:{type:"object"},align:{type:"string"},mode:{type:"string"}},edit:function t(e){return React.createElement(l,e)},save:function t(){return null}}),s[t.name]=t;var i=wp.blocks.registerBlockType(t.name,t);return i.attributes.anchor&&(i.attributes.anchor={type:"string"}),i}function o(t){return s[t]||!1}function i(t){for(var e=(wp.data.select("core/block-editor")||wp.data.select("core/editor")).getBlocks(),n=0;n<e.length;)e=e.concat(e[n].innerBlocks),n++;for(var r in t)e=e.filter((function(e){return e.attributes[r]===t[r]}));return e}function a(e,n){return t.ajax({url:acf.get("ajaxurl"),dataType:"json",type:"post",cache:!1,data:acf.prepareForAjax({action:"acf/ajax/fetch-block",block:JSON.stringify(e),query:n})})}function c(t){var e=[],n=t.nodeName.toLowerCase();for(var r in wp.editor)r.toLowerCase()===n&&(n=wp.editor[r]);return e[0]=n,e[1]={},[].slice.call(t.attributes).forEach((function(t){var n=t.name,r=t.value;n="class"===n?"className":n,e[1][n]=r})),[].slice.call(t.childNodes).forEach((function(t){if(t instanceof Text){var n=t.textContent.trim();n&&e.push(n)}else e.push(c(t))})),React.createElement.apply(this,e)}var s={};acf.addAction("ready",n),acf.parseJSX=function(t){return c(t[0])};var l=function(t){function e(t){var n;return _classCallCheck(this,e),(n=_possibleConstructorReturn(this,_getPrototypeOf(e).call(this,t))).setAttributes=n.setAttributes.bind(_assertThisInitialized(n)),n.setup(),n}return _inherits(e,t),_createClass(e,[{key:"setup",value:function t(){function e(t){-1===t.indexOf(a.mode)&&(a.mode=t[0])}var n=this.props,r=n.name,a=n.attributes,c=n.clientId,s=o(r),l;a.id?i().filter((function(t){return t.attributes.id===a.id})).filter((function(t){return t.clientId!==c})).pop()&&(a.id=acf.uniqid("block_")):(a.id=acf.uniqid("block_"),a.name=s.name,a.mode=a.mode||s.mode,a.align=a.align||s.align,a.data=a.data||s.data);"edit"===s.mode?e(["edit","preview"]):"preview"===s.mode?e(["preview","edit"]):e(["auto"])}},{key:"setAttributes",value:function t(e){this.props.setAttributes(e)}},{key:"render",value:function t(){function e(){c({mode:"preview"===s?"edit":"preview"})}var n=this.props,r=n.name,i=n.attributes,a=n.isSelected,c=n.setAttributes,s=i.mode,l=o(r),u=wp.element.Fragment,p=wp.blockEditor||wp.editor,f=p.BlockControls,y=p.InspectorControls,m=wp.components,b=m.Toolbar,v=m.IconButton,_=m.PanelBody,g=m.Button,k=l.supports.mode;"auto"===s&&(k=!1);var w="preview"===s?acf.__("Switch to Edit"):acf.__("Switch to Preview"),O="preview"===s?"edit":"welcome-view-site";return React.createElement(u,null,React.createElement(f,null,k&&React.createElement(b,null,React.createElement(v,{className:"components-icon-button components-toolbar__control",label:w,icon:O,onClick:e}))),React.createElement(y,null,React.createElement("div",{className:"acf-block-component acf-block-panel"},React.createElement("div",{className:"acf-block-panel-actions"}),"preview"===s&&React.createElement(d,this.props))),React.createElement("div",{className:"acf-block-component acf-block-body"},"auto"===s&&a?React.createElement(d,this.props):"auto"!==s||a?"preview"===s?React.createElement(h,this.props):React.createElement(d,this.props):React.createElement(h,this.props)))}}]),e}(React.Component),u=function(t){function e(){return _classCallCheck(this,e),_possibleConstructorReturn(this,_getPrototypeOf(e).apply(this,arguments))}return _inherits(e,t),_createClass(e,[{key:"render",value:function t(){return React.createElement("div",{dangerouslySetInnerHTML:{__html:this.props.html}})}}]),e}(React.Component),p={},f=function(e){function n(t){var e;return _classCallCheck(this,n),(e=_possibleConstructorReturn(this,_getPrototypeOf(n).call(this,t))).setup(t),e.data=e.getData({html:"",$el:!1,init:!1}),e}return _inherits(n,e),_createClass(n,[{key:"setup",value:function t(e){this.id=""}},{key:"getData",value:function t(e){return p[this.id]||e}},{key:"setData",value:function t(e){this.data=p[this.id]=_objectSpread({},this.data,{},e)}},{key:"setHtml",value:function e(n){var r;if((n=n.trim())!==this.datahtml){var o=t(n);this.setData((_defineProperty(r={html:n,$el:o},"$el",o),_defineProperty(r,"init",!1),r)),this.display()}}},{key:"render",value:function t(){var e=this,n=wp.components,r=n.Placeholder,o=n.Spinner;return React.createElement("div",{ref:function t(n){return e.el=n}},React.createElement(r,null,React.createElement(o,null)))}},{key:"display",value:function e(){t(this.el).html(this.data.$el),this.data.init?this.componentDidRemount():(this.setData({init:!0}),this.componentDidInitialize()),this.componentDidRender()}},{key:"componentDidMount",value:function t(){var e=!!this.data.$el;this.props.reusableBlock&&(e=!1),e?this.display():this.fetch()}},{key:"componentDidInitialize",value:function t(){acf.doAction("append",this.data.$el)}},{key:"componentWillUnmount",value:function t(){acf.doAction("unmount",this.data.$el)}},{key:"componentDidRemount",value:function t(){var e=this;setTimeout((function(){acf.doAction("remount",e.data.$el)}))}},{key:"componentDidRender",value:function t(){}},{key:"fetch",value:function t(){}}]),n}(React.Component),d=function(t){function n(){return _classCallCheck(this,n),_possibleConstructorReturn(this,_getPrototypeOf(n).apply(this,arguments))}return _inherits(n,t),_createClass(n,[{key:"setup",value:function t(e){this.id="BlockForm-".concat(e.attributes.id)}},{key:"fetch",value:function t(){var e=this,n;a(this.props.attributes,{form:!0}).done((function(t){e.setHtml(t.data.form)}))}},{key:"componentDidInitialize",value:function t(){function r(t){var n=arguments.length>0&&t!==e&&t,r=acf.serialize(c,"acf-".concat(i.id));n?i.data=r:a({data:r})}_get(_getPrototypeOf(n.prototype),"componentDidInitialize",this).call(this);var o=this.props,i=o.attributes,a=o.setAttributes,c=this.data.$el,s=!1;c.on("change keyup",(function(){clearTimeout(s),s=setTimeout(r,300)})),i.data||r(!0)}}]),n}(f),h=function(t){function e(){return _classCallCheck(this,e),_possibleConstructorReturn(this,_getPrototypeOf(e).apply(this,arguments))}return _inherits(e,t),_createClass(e,[{key:"setup",value:function t(e){this.id="BlockPreview-".concat(e.attributes.id)}},{key:"fetch",value:function t(){var e=this,n=this.props.attributes;this.setData({attributes:n}),a(n,{preview:!0}).done((function(t){e.setHtml(t.data.preview)}))}},{key:"componentDidUpdate",value:function t(e){var n,r;JSON.stringify(e.attributes)!==JSON.stringify(this.props.attributes)&&this.fetch()}},{key:"componentDidInitialize",value:function t(){_get(_getPrototypeOf(e.prototype),"componentDidInitialize",this).call(this);var n=this.props.attributes,r=n.name.replace("acf/","");acf.doAction("render_block_preview",this.data.$el,n),acf.doAction("render_block_preview/type=".concat(r),this.data.$el,n)}},{key:"componentDidRemount",value:function t(){var n,r;_get(_getPrototypeOf(e.prototype),"componentDidRemount",this).call(this),JSON.stringify(this.data.attributes)!==JSON.stringify(this.props.attributes)&&this.fetch()}}]),e}(f)}(jQuery);PK�
�[��7S%S%$pro/assets/js/acf-pro-field-group.jsnu�[���(function($){        
	
	/*
	*  Repeater
	*
	*  This field type requires some extra logic for its settings
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	var RepeaterCollapsedFieldSetting = acf.FieldSetting.extend({
		type: 'repeater',
		name: 'collapsed',
		events: {
			'focus select': 'onFocus',
		},
		onFocus: function( e, $el ){
			
			// vars
			var $select = $el;
			
			// collapsed
			var choices = [];
			
			// keep 'null' choice
			choices.push({
				label: $select.find('option[value=""]').text(),
				value: ''
			});
			
			// find sub fields
			var $list = this.fieldObject.$('.acf-field-list:first');
			var fields = acf.getFieldObjects({
				list: $list
			});
			
			// loop
			fields.map(function( field ){
				choices.push({
					label: field.prop('label'),
					value: field.prop('key')
				});
			});			
			
			// render
			acf.renderSelect( $select, choices );
		}
	});
	
	acf.registerFieldSetting( RepeaterCollapsedFieldSetting );
	
})(jQuery);

(function($){        
	
	/**
	*  CloneDisplayFieldSetting
	*
	*  Extra logic for this field setting
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var FlexibleContentLayoutFieldSetting = acf.FieldSetting.extend({
		type: 'flexible_content',
		name: 'fc_layout',
		
		events: {
			'blur .layout-label':		'onChangeLabel',
			'click .add-layout':		'onClickAdd',
			'click .duplicate-layout':	'onClickDuplicate',
			'click .delete-layout':		'onClickDelete'
		},
		
		$input: function( name ){
			return $('#' + this.getInputId() + '-' + name);
		},
		
		$list: function(){
			return this.$('.acf-field-list:first');
		},
		
		getInputId: function(){
			return this.fieldObject.getInputId() + '-layouts-' + this.field.get('id');
		},
		
		// get all sub fields
		getFields: function(){
			return acf.getFieldObjects({ parent: this.$el });
		},
		
		// get imediate children
		getChildren: function(){
			return acf.getFieldObjects({ list: this.$list() });
		},
		
		initialize: function(){
			
			// add sortable
			var $tbody = this.$el.parent();
			if( !$tbody.hasClass('ui-sortable') ) {
				
				$tbody.sortable({
					items: '> .acf-field-setting-fc_layout',
					handle: '.reorder-layout',
					forceHelperSize: true,
					forcePlaceholderSize: true,
					scroll: true,
		   			stop: this.proxy(function(event, ui) {
						this.fieldObject.save();
		   			})
				});
			}
			
			// add meta to sub fields
			this.updateFieldLayouts();
		},
		
		updateFieldLayouts: function(){
			this.getChildren().map(this.updateFieldLayout, this);
		},
		
		updateFieldLayout: function( field ){
			field.prop('parent_layout', this.get('id'));
		},
		
		onChangeLabel: function( e, $el ){
			
			// vars
			var label = $el.val();
			var $name = this.$input('name');
			
			// render name
			if( $name.val() == '' ) {
				acf.val($name, acf.strSanitize(label));
			}
		},
		
		onClickAdd: function( e, $el ){
			
			// vars
			var prevKey = this.get('id');
			var newKey = acf.uniqid('layout_');
			
			// duplicate
			$layout = acf.duplicate({
				$el: this.$el,
				search: prevKey,
				replace: newKey,
				after: function( $el, $el2 ){
					
					// vars
					var $list = $el2.find('.acf-field-list:first');
					
					// remove sub fields
					$list.children('.acf-field-object').remove();
					
					// show empty
					$list.addClass('-empty');
					
					// reset layout meta values
					$el2.find('.acf-fc-meta input').val('');
				}
			});
			
			// get layout
			var layout = acf.getFieldSetting( $layout );
			
			// update hidden input
			layout.$input('key').val( newKey );
			
			// save
			this.fieldObject.save();
		},
			
		onClickDuplicate: function( e, $el ){
			
			// vars
			var prevKey = this.get('id');
			var newKey = acf.uniqid('layout_');
			
			// duplicate
			$layout = acf.duplicate({
				$el: this.$el,
				search: prevKey,
				replace: newKey
			});
			
			// get all fields in new layout similar to fieldManager.onDuplicateField().
			// important to run field.wipe() before making any changes to the "parent_layout" prop
			// to ensure the correct input is modified.
			var children = acf.getFieldObjects({ parent: $layout });
			if( children.length ) {
				
				// loop
				children.map(function( child ){
					
					// wipe field
					child.wipe();
					
					// update parent
					child.updateParent();
				});
			
				// action
				acf.doAction('duplicate_field_objects', children, this.fieldObject, this.fieldObject);
			}
			
			// get layout
			var layout = acf.getFieldSetting( $layout );
			
			// update hidden input
			layout.$input('key').val( newKey );
						
			// save
			this.fieldObject.save();
		},
		
		onClickDelete: function( e, $el ){
			
			// add class
			this.$el.addClass('-hover');
			
			// add tooltip
			var tooltip = acf.newTooltip({
				confirmRemove: true,
				target: $el,
				context: this,
				confirm: function(){
					this.delete();
				},
				cancel: function(){
					this.$el.removeClass('-hover');
				}
			});
		},
		
		delete: function(){
			
			// vars
			var $siblings = this.$el.siblings('.acf-field-setting-fc_layout');
			
			// validate
			if( !$siblings.length ) {
				alert( acf.__('Flexible Content requires at least 1 layout') );
				return false;
			}
			
			// delete sub fields
			this.getFields().map(function( child ){
				child.delete({
					animate: false
				});
			});
			
			// remove tr
			acf.remove( this.$el );
			
			// save
			this.fieldObject.save();
		}
		
	});
	
	acf.registerFieldSetting( FlexibleContentLayoutFieldSetting );
	
	
	/**
	*  flexibleContentHelper
	*
	*  description
	*
	*  @date	19/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var flexibleContentHelper = new acf.Model({
		actions: {
			'sortstop_field_object':		'updateParentLayout',
			'change_field_object_parent': 	'updateParentLayout'
		},
		
		updateParentLayout: function( fieldObject ){
			
			// vars
			var parent = fieldObject.getParent();
			
			// delete meta
			if( !parent || parent.prop('type') !== 'flexible_content' ) {
				fieldObject.prop('parent_layout', null);
				return;
			}
			
			// get layout
			var $layout = fieldObject.$el.closest('.acf-field-setting-fc_layout');
			var layout = acf.getFieldSetting($layout);
			
			// check if previous prop exists
			// - if not, set prop to allow following code to trigger 'change' and save the field
			if( !fieldObject.has('parent_layout') ) {
				fieldObject.prop('parent_layout', 0);
			}
			
			// update meta
			fieldObject.prop('parent_layout', layout.get('id'));
		}
	});
	
})(jQuery);

(function($){        
	
	/**
	*  CloneDisplayFieldSetting
	*
	*  Extra logic for this field setting
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var CloneDisplayFieldSetting = acf.FieldSetting.extend({
		type: 'clone',
		name: 'display',
		render: function(){
			
			// vars
			var display = this.field.val();
			
			// set data attribute used by CSS to hide/show
			this.$fieldObject.attr('data-display', display);
		}
	});
	
	acf.registerFieldSetting( CloneDisplayFieldSetting );
	
	
	/**
	*  ClonePrefixLabelFieldSetting
	*
	*  Extra logic for this field setting
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var ClonePrefixLabelFieldSetting = acf.FieldSetting.extend({
		type: 'clone',
		name: 'prefix_label',
		render: function(){
			
			// vars
			var prefix = '';
			
			// if checked
			if( this.field.val() ) {
				prefix = this.fieldObject.prop('label') + ' ';
			}
			
			// update HTML
			this.$('code').html( prefix + '%field_label%' );
		}
	});
	
	acf.registerFieldSetting( ClonePrefixLabelFieldSetting );
	
	
	/**
	*  ClonePrefixNameFieldSetting
	*
	*  Extra logic for this field setting
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var ClonePrefixNameFieldSetting = acf.FieldSetting.extend({
		type: 'clone',
		name: 'prefix_name',
		render: function(){
			
			// vars
			var prefix = '';
			
			// if checked
			if( this.field.val() ) {
				prefix = this.fieldObject.prop('name') + '_';
			}
			
			// update HTML
			this.$('code').html( prefix + '%field_name%' );
		}
	});
	
	acf.registerFieldSetting( ClonePrefixNameFieldSetting );
	
	
	/**
	*  cloneFieldSelectHelper
	*
	*  Customizes the clone field setting Select2 isntance
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var cloneFieldSelectHelper = new acf.Model({
		filters: {
			'select2_args': 'select2Args'
		},
		
		select2Args: function( options, $select, data, $el, instance ){
			
			// check
			if( data.ajaxAction == 'acf/fields/clone/query' ) {
				
				// remain open on select
				options.closeOnSelect = false;
				
				// customize ajaxData function
				instance.data.ajaxData = this.ajaxData;
			}
			
			// return
			return options;
		},
		
		ajaxData: function( data ){
			
			// find current fields
			data.fields = {};
			
			// loop
			acf.getFieldObjects().map(function(fieldObject){
				
				// append
				data.fields[ fieldObject.prop('key') ] = {
					key: fieldObject.prop('key'),
					type: fieldObject.prop('type'),
					label: fieldObject.prop('label'),
					ancestors: fieldObject.getParents().length
				};
			});
			
			// append title
			data.title = $('#title').val();
			
			// return
			return data;
		}
	});
	
})(jQuery);

// @codekit-prepend "_acf-setting-repeater.js
// @codekit-prepend "_acf-setting-flexible-content.js
// @codekit-prepend "_acf-setting-clone.jsPK�
�[�O���(pro/assets/js/acf-pro-field-group.min.jsnu�[���!function(e){var t=acf.FieldSetting.extend({type:"repeater",name:"collapsed",events:{"focus select":"onFocus"},onFocus:function(e,t){var i=t,a=[];a.push({label:i.find('option[value=""]').text(),value:""});var l=this.fieldObject.$(".acf-field-list:first"),n;acf.getFieldObjects({list:l}).map(function(e){a.push({label:e.prop("label"),value:e.prop("key")})}),acf.renderSelect(i,a)}});acf.registerFieldSetting(t)}(jQuery),function(t){var e=acf.FieldSetting.extend({type:"flexible_content",name:"fc_layout",events:{"blur .layout-label":"onChangeLabel","click .add-layout":"onClickAdd","click .duplicate-layout":"onClickDuplicate","click .delete-layout":"onClickDelete"},$input:function(e){return t("#"+this.getInputId()+"-"+e)},$list:function(){return this.$(".acf-field-list:first")},getInputId:function(){return this.fieldObject.getInputId()+"-layouts-"+this.field.get("id")},getFields:function(){return acf.getFieldObjects({parent:this.$el})},getChildren:function(){return acf.getFieldObjects({list:this.$list()})},initialize:function(){var e=this.$el.parent();e.hasClass("ui-sortable")||e.sortable({items:"> .acf-field-setting-fc_layout",handle:".reorder-layout",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,stop:this.proxy(function(e,t){this.fieldObject.save()})}),this.updateFieldLayouts()},updateFieldLayouts:function(){this.getChildren().map(this.updateFieldLayout,this)},updateFieldLayout:function(e){e.prop("parent_layout",this.get("id"))},onChangeLabel:function(e,t){var i=t.val(),a=this.$input("name");""==a.val()&&acf.val(a,acf.strSanitize(i))},onClickAdd:function(e,t){var i=this.get("id"),a=acf.uniqid("layout_"),l;$layout=acf.duplicate({$el:this.$el,search:i,replace:a,after:function(e,t){var i=t.find(".acf-field-list:first");i.children(".acf-field-object").remove(),i.addClass("-empty"),t.find(".acf-fc-meta input").val("")}}),acf.getFieldSetting($layout).$input("key").val(a),this.fieldObject.save()},onClickDuplicate:function(e,t){var i=this.get("id"),a=acf.uniqid("layout_");$layout=acf.duplicate({$el:this.$el,search:i,replace:a});var l=acf.getFieldObjects({parent:$layout}),n;l.length&&(l.map(function(e){e.wipe(),e.updateParent()}),acf.doAction("duplicate_field_objects",l,this.fieldObject,this.fieldObject)),acf.getFieldSetting($layout).$input("key").val(a),this.fieldObject.save()},onClickDelete:function(e,t){this.$el.addClass("-hover");var i=acf.newTooltip({confirmRemove:!0,target:t,context:this,confirm:function(){this.delete()},cancel:function(){this.$el.removeClass("-hover")}})},delete:function(){var e;if(!this.$el.siblings(".acf-field-setting-fc_layout").length)return alert(acf.__("Flexible Content requires at least 1 layout")),!1;this.getFields().map(function(e){e.delete({animate:!1})}),acf.remove(this.$el),this.fieldObject.save()}});acf.registerFieldSetting(e);var i=new acf.Model({actions:{sortstop_field_object:"updateParentLayout",change_field_object_parent:"updateParentLayout"},updateParentLayout:function(e){var t=e.getParent();if(t&&"flexible_content"===t.prop("type")){var i=e.$el.closest(".acf-field-setting-fc_layout"),a=acf.getFieldSetting(i);e.has("parent_layout")||e.prop("parent_layout",0),e.prop("parent_layout",a.get("id"))}else e.prop("parent_layout",null)}})}(jQuery),function(e){var t=acf.FieldSetting.extend({type:"clone",name:"display",render:function(){var e=this.field.val();this.$fieldObject.attr("data-display",e)}});acf.registerFieldSetting(t);var i=acf.FieldSetting.extend({type:"clone",name:"prefix_label",render:function(){var e="";this.field.val()&&(e=this.fieldObject.prop("label")+" "),this.$("code").html(e+"%field_label%")}});acf.registerFieldSetting(i);var a=acf.FieldSetting.extend({type:"clone",name:"prefix_name",render:function(){var e="";this.field.val()&&(e=this.fieldObject.prop("name")+"_"),this.$("code").html(e+"%field_name%")}});acf.registerFieldSetting(a);var l=new acf.Model({filters:{select2_args:"select2Args"},select2Args:function(e,t,i,a,l){return"acf/fields/clone/query"==i.ajaxAction&&(e.closeOnSelect=!1,l.data.ajaxData=this.ajaxData),e},ajaxData:function(t){return t.fields={},acf.getFieldObjects().map(function(e){t.fields[e.prop("key")]={key:e.prop("key"),type:e.prop("type"),label:e.prop("label"),ancestors:e.getParents().length}}),t.title=e("#title").val(),t}})}(jQuery);PK�
�[Cm��HH"pro/assets/js/acf-pro-input.min.jsnu�[���!function(e){var t=acf.Field.extend({type:"repeater",wait:"",events:{'click a[data-event="add-row"]':"onClickAdd",'click a[data-event="remove-row"]':"onClickRemove",'click a[data-event="collapse-row"]':"onClickCollapse",showField:"onShow",unloadField:"onUnload",mouseover:"onHover",unloadField:"onUnload"},$control:function(){return this.$(".acf-repeater:first")},$table:function(){return this.$("table:first")},$tbody:function(){return this.$("tbody:first")},$rows:function(){return this.$("tbody:first > tr").not(".acf-clone")},$row:function(e){return this.$("tbody:first > tr:eq("+e+")")},$clone:function(){return this.$("tbody:first > tr.acf-clone")},$actions:function(){return this.$(".acf-actions:last")},$button:function(){return this.$(".acf-actions:last .button")},getValue:function(){return this.$rows().length},allowRemove:function(){var e=parseInt(this.get("min"));return!e||e<this.val()},allowAdd:function(){var e=parseInt(this.get("max"));return!e||e>this.val()},addSortable:function(e){1!=this.get("max")&&this.$tbody().sortable({items:"> tr",handle:"> td.order",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,stop:function(t,a){e.render()},update:function(t,a){e.$input().trigger("change")}})},addCollapsed:function(){var t=a.load(this.get("key"));if(!t)return!1;this.$rows().each((function(a){t.indexOf(a)>-1&&e(this).addClass("-collapsed")}))},addUnscopedEvents:function(t){this.on("invalidField",".acf-row",(function(a){var i=e(this);t.isCollapsed(i)&&t.expand(i)}))},initialize:function(){this.addUnscopedEvents(this),this.addCollapsed(),acf.disable(this.$clone(),this.cid),this.render()},render:function(){this.$rows().each((function(t){e(this).find("> .order > span").html(t+1)}));var t=this.$control(),a=this.$button();0==this.val()?t.addClass("-empty"):t.removeClass("-empty"),this.allowAdd()?(t.removeClass("-max"),a.removeClass("disabled")):(t.addClass("-max"),a.addClass("disabled"))},validateAdd:function(){if(this.allowAdd())return!0;var e=this.get("max"),t=acf.__("Maximum rows reached ({max} rows)");return t=t.replace("{max}",e),this.showNotice({text:t,type:"warning"}),!1},onClickAdd:function(e,t){if(!this.validateAdd())return!1;t.hasClass("acf-icon")?this.add({before:t.closest(".acf-row")}):this.add()},add:function(e){if(!this.allowAdd())return!1;e=acf.parseArgs(e,{before:!1});var t=acf.duplicate({target:this.$clone(),append:this.proxy((function(t,a){e.before?e.before.before(a):t.before(a),a.removeClass("acf-clone"),acf.enable(a,this.cid),this.render()}))});return this.$input().trigger("change"),t},validateRemove:function(){if(this.allowRemove())return!0;var e=this.get("min"),t=acf.__("Minimum rows reached ({min} rows)");return t=t.replace("{min}",e),this.showNotice({text:t,type:"warning"}),!1},onClickRemove:function(e,t){var a=t.closest(".acf-row");a.addClass("-hover");var i=acf.newTooltip({confirmRemove:!0,target:t,context:this,confirm:function(){this.remove(a)},cancel:function(){a.removeClass("-hover")}})},remove:function(e){var t=this;acf.remove({target:e,endHeight:0,complete:function(){t.$input().trigger("change"),t.render()}})},isCollapsed:function(e){return e.hasClass("-collapsed")},collapse:function(e){e.addClass("-collapsed"),acf.doAction("hide",e,"collapse")},expand:function(e){e.removeClass("-collapsed"),acf.doAction("show",e,"collapse")},onClickCollapse:function(e,t){var a=t.closest(".acf-row"),i=this.isCollapsed(a);e.shiftKey&&(a=this.$rows()),i?this.expand(a):this.collapse(a)},onShow:function(e,t,a){var i=acf.getFields({is:":visible",parent:this.$el});acf.doAction("show_fields",i)},onUnload:function(){var t=[];this.$rows().each((function(a){e(this).hasClass("-collapsed")&&t.push(a)})),t=t.length?t:null,a.save(this.get("key"),t)},onHover:function(){this.addSortable(this),this.off("mouseover")}});acf.registerFieldType(t),acf.registerConditionForFieldType("hasValue","repeater"),acf.registerConditionForFieldType("hasNoValue","repeater"),acf.registerConditionForFieldType("lessThan","repeater"),acf.registerConditionForFieldType("greaterThan","repeater");var a=new acf.Model({name:"this.collapsedRows",key:function(e,t){var a=this.get(e+t)||0;return a++,this.set(e+t,a,!0),a>1&&(e+="-"+a),e},load:function(e){var e=this.key(e,"load"),t=acf.getPreference(this.name);return!(!t||!t[e])&&t[e]},save:function(t,a){var t=this.key(t,"save"),i=acf.getPreference(this.name)||{};null===a?delete i[t]:i[t]=a,e.isEmptyObject(i)&&(i=null),acf.setPreference(this.name,i)}})}(jQuery),function(e){var t=acf.Field.extend({type:"flexible_content",wait:"",events:{'click [data-name="add-layout"]':"onClickAdd",'click [data-name="remove-layout"]':"onClickRemove",'click [data-name="collapse-layout"]':"onClickCollapse",showField:"onShow",unloadField:"onUnload",mouseover:"onHover"},$control:function(){return this.$(".acf-flexible-content:first")},$layoutsWrap:function(){return this.$(".acf-flexible-content:first > .values")},$layouts:function(){return this.$(".acf-flexible-content:first > .values > .layout")},$layout:function(e){return this.$(".acf-flexible-content:first > .values > .layout:eq("+e+")")},$clonesWrap:function(){return this.$(".acf-flexible-content:first > .clones")},$clones:function(){return this.$(".acf-flexible-content:first > .clones  > .layout")},$clone:function(e){return this.$('.acf-flexible-content:first > .clones  > .layout[data-layout="'+e+'"]')},$actions:function(){return this.$(".acf-actions:last")},$button:function(){return this.$(".acf-actions:last .button")},$popup:function(){return this.$(".tmpl-popup:last")},getPopupHTML:function(){var t=this.$popup().html(),a=e(t),i=this.$layouts(),n=function(t){return i.filter((function(){return e(this).data("layout")===t})).length};return a.find("[data-layout]").each((function(){var t=e(this),a=t.data("min")||0,i=t.data("max")||0,o=t.data("layout")||"",s=n(o);if(i&&s>=i)t.addClass("disabled");else if(a&&s<a){var l=a-s,r=acf.__("{required} {label} {identifier} required (min {min})"),c=acf._n("layout","layouts",l);r=(r=(r=(r=r.replace("{required}",l)).replace("{label}",o)).replace("{identifier}",c)).replace("{min}",a),t.append('<span class="badge" title="'+r+'">'+l+"</span>")}})),t=a.outerHTML()},getValue:function(){return this.$layouts().length},allowRemove:function(){var e=parseInt(this.get("min"));return!e||e<this.val()},allowAdd:function(){var e=parseInt(this.get("max"));return!e||e>this.val()},isFull:function(){var e=parseInt(this.get("max"));return e&&this.val()>=e},addSortable:function(e){1!=this.get("max")&&this.$layoutsWrap().sortable({items:"> .layout",handle:"> .acf-fc-layout-handle",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,stop:function(t,a){e.render()},update:function(t,a){e.$input().trigger("change")}})},addCollapsed:function(){var t=i.load(this.get("key"));if(!t)return!1;this.$layouts().each((function(a){t.indexOf(a)>-1&&e(this).addClass("-collapsed")}))},addUnscopedEvents:function(t){this.on("invalidField",".layout",(function(a){t.onInvalidField(a,e(this))}))},initialize:function(){this.addUnscopedEvents(this),this.addCollapsed(),acf.disable(this.$clonesWrap(),this.cid),this.render()},render:function(){this.$layouts().each((function(t){e(this).find(".acf-fc-layout-order:first").html(t+1)})),0==this.val()?this.$control().addClass("-empty"):this.$control().removeClass("-empty"),this.isFull()?this.$button().addClass("disabled"):this.$button().removeClass("disabled")},onShow:function(e,t,a){var i=acf.getFields({is:":visible",parent:this.$el});acf.doAction("show_fields",i)},validateAdd:function(){if(this.allowAdd())return!0;var e=this.get("max"),t=acf.__("This field has a limit of {max} {label} {identifier}"),a=acf._n("layout","layouts",e);return t=(t=(t=t.replace("{max}",e)).replace("{label}","")).replace("{identifier}",a),this.showNotice({text:t,type:"warning"}),!1},onClickAdd:function(e,t){if(!this.validateAdd())return!1;var i=null,n;t.hasClass("acf-icon")&&(i=t.closest(".layout")).addClass("-hover"),new a({target:t,targetConfirm:!1,text:this.getPopupHTML(),context:this,confirm:function(e,t){t.hasClass("disabled")||this.add({layout:t.data("layout"),before:i})},cancel:function(){i&&i.removeClass("-hover")}}).on("click","[data-layout]","onConfirm")},add:function(e){if(e=acf.parseArgs(e,{layout:"",before:!1}),!this.allowAdd())return!1;var t=acf.duplicate({target:this.$clone(e.layout),append:this.proxy((function(t,a){e.before?e.before.before(a):this.$layoutsWrap().append(a),acf.enable(a,this.cid),this.render()}))});return this.$input().trigger("change"),t},validateRemove:function(){if(this.allowRemove())return!0;var e=this.get("min"),t=acf.__("This field requires at least {min} {label} {identifier}"),a=acf._n("layout","layouts",e);return t=(t=(t=t.replace("{min}",e)).replace("{label}","")).replace("{identifier}",a),this.showNotice({text:t,type:"warning"}),!1},onClickRemove:function(e,t){var a=t.closest(".layout");a.addClass("-hover");var i=acf.newTooltip({confirmRemove:!0,target:t,context:this,confirm:function(){this.removeLayout(a)},cancel:function(){a.removeClass("-hover")}})},removeLayout:function(e){var t=this,a=1==this.getValue()?60:0;acf.remove({target:e,endHeight:a,complete:function(){t.$input().trigger("change"),t.render()}})},onClickCollapse:function(e,t){var a=t.closest(".layout");this.isLayoutClosed(a)?this.openLayout(a):this.closeLayout(a)},isLayoutClosed:function(e){return e.hasClass("-collapsed")},openLayout:function(e){e.removeClass("-collapsed"),acf.doAction("show",e,"collapse")},closeLayout:function(e){e.addClass("-collapsed"),acf.doAction("hide",e,"collapse"),this.renderLayout(e)},renderLayout:function(t){var a,i=t.children("input").attr("name").replace("[acf_fc_layout]",""),n={action:"acf/fields/flexible_content/layout_title",field_key:this.get("key"),i:t.index(),layout:t.data("layout"),value:acf.serialize(t,i)};e.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(n),dataType:"html",type:"post",success:function(e){e&&t.children(".acf-fc-layout-handle").html(e)}})},onUnload:function(){var t=[];this.$layouts().each((function(a){e(this).hasClass("-collapsed")&&t.push(a)})),t=t.length?t:null,i.save(this.get("key"),t)},onInvalidField:function(e,t){this.isLayoutClosed(t)&&this.openLayout(t)},onHover:function(){this.addSortable(this),this.off("mouseover")}});acf.registerFieldType(t);var a=acf.models.TooltipConfirm.extend({events:{"click [data-layout]":"onConfirm",'click [data-event="cancel"]':"onCancel"},render:function(){this.html(this.get("text")),this.$el.addClass("acf-fc-popup")}});acf.registerConditionForFieldType("hasValue","flexible_content"),acf.registerConditionForFieldType("hasNoValue","flexible_content"),acf.registerConditionForFieldType("lessThan","flexible_content"),acf.registerConditionForFieldType("greaterThan","flexible_content");var i=new acf.Model({name:"this.collapsedLayouts",key:function(e,t){var a=this.get(e+t)||0;return a++,this.set(e+t,a,!0),a>1&&(e+="-"+a),e},load:function(e){var e=this.key(e,"load"),t=acf.getPreference(this.name);return!(!t||!t[e])&&t[e]},save:function(t,a){var t=this.key(t,"save"),i=acf.getPreference(this.name)||{};null===a?delete i[t]:i[t]=a,e.isEmptyObject(i)&&(i=null),acf.setPreference(this.name,i)}})}(jQuery),function(e){var t=acf.Field.extend({type:"gallery",events:{"click .acf-gallery-add":"onClickAdd","click .acf-gallery-edit":"onClickEdit","click .acf-gallery-remove":"onClickRemove","click .acf-gallery-attachment":"onClickSelect","click .acf-gallery-close":"onClickClose","change .acf-gallery-sort":"onChangeSort","click .acf-gallery-update":"onUpdate",mouseover:"onHover",showField:"render"},actions:{validation_begin:"onValidationBegin",validation_failure:"onValidationFailure",resize:"onResize"},onValidationBegin:function(){acf.disable(this.$sideData(),this.cid)},onValidationFailure:function(){acf.enable(this.$sideData(),this.cid)},$control:function(){return this.$(".acf-gallery")},$collection:function(){return this.$(".acf-gallery-attachments")},$attachments:function(){return this.$(".acf-gallery-attachment")},$attachment:function(e){return this.$('.acf-gallery-attachment[data-id="'+e+'"]')},$active:function(){return this.$(".acf-gallery-attachment.active")},$main:function(){return this.$(".acf-gallery-main")},$side:function(){return this.$(".acf-gallery-side")},$sideData:function(){return this.$(".acf-gallery-side-data")},isFull:function(){var e=parseInt(this.get("max")),t=this.$attachments().length;return e&&t>=e},getValue:function(){var t=[];return this.$attachments().each((function(){t.push(e(this).data("id"))})),!!t.length&&t},addUnscopedEvents:function(t){this.on("change",".acf-gallery-side",(function(a){t.onUpdate(a,e(this))}))},addSortable:function(e){this.$collection().sortable({items:".acf-gallery-attachment",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,start:function(e,t){t.placeholder.html(t.item.html()),t.placeholder.removeAttr("style")},update:function(t,a){e.$input().trigger("change")}}),this.$control().resizable({handles:"s",minHeight:200,stop:function(e,t){acf.update_user_setting("gallery_height",t.size.height)}})},initialize:function(){this.addUnscopedEvents(this),this.render()},render:function(){var e=this.$(".acf-gallery-sort"),t=this.$(".acf-gallery-add"),a=this.$attachments().length;this.isFull()?t.addClass("disabled"):t.removeClass("disabled"),a?e.removeClass("disabled"):e.addClass("disabled"),this.resize()},resize:function(){var e=this.$control().width(),t=150,a=Math.round(e/150);a=Math.min(a,8),this.$control().attr("data-columns",a)},onResize:function(){this.resize()},openSidebar:function(){this.$control().addClass("-open");var e=this.$control().width()/3;e=parseInt(e),e=Math.max(e,350),this.$(".acf-gallery-side-inner").css({width:e-1}),this.$side().animate({width:e-1},250),this.$main().animate({right:e},250)},closeSidebar:function(){this.$control().removeClass("-open"),this.$active().removeClass("active"),acf.disable(this.$side());var e=this.$(".acf-gallery-side-data");this.$main().animate({right:0},250),this.$side().animate({width:0},250,(function(){e.html("")}))},onClickAdd:function(t,a){if(this.isFull())this.showNotice({text:acf.__("Maximum selection reached"),type:"warning"});else var i=acf.newMediaPopup({mode:"select",title:acf.__("Add Image to Gallery"),field:this.get("key"),multiple:"add",library:this.get("library"),allowedTypes:this.get("mime_types"),selected:this.val(),select:e.proxy((function(e,t){this.appendAttachment(e,t)}),this)})},appendAttachment:function(t,a){if(t=this.validateAttachment(t),!this.isFull()&&!this.$attachment(t.id).length){var i=['<div class="acf-gallery-attachment" data-id="'+t.id+'">','<input type="hidden" value="'+t.id+'" name="'+this.getInputName()+'[]">','<div class="margin" title="">','<div class="thumbnail">','<img src="" alt="">',"</div>",'<div class="filename"></div>',"</div>",'<div class="actions">','<a href="#" class="acf-icon -cancel dark acf-gallery-remove" data-id="'+t.id+'"></a>',"</div>","</div>"].join(""),n=e(i);if(this.$collection().append(n),"prepend"===this.get("insert")){var o=this.$attachments().eq(a);o.length&&o.before(n)}this.renderAttachment(t),this.render(),this.$input().trigger("change")}},validateAttachment:function(e){if((e=acf.parseArgs(e,{id:"",url:"",alt:"",title:"",filename:"",type:"image"})).attributes){e=e.attributes;var t=acf.isget(e,"sizes",this.get("preview_size"),"url");null!==t&&(e.url=t)}return e},renderAttachment:function(e){e=this.validateAttachment(e);var t=this.$attachment(e.id);if("image"==e.type)t.find(".filename").remove();else{var a=acf.isget(e,"image","src");null!==a&&(e.url=a),t.find(".filename").text(e.filename)}e.url||(e.url=acf.get("mimeTypeIcon"),t.addClass("-icon")),t.find("img").attr({src:e.url,alt:e.alt,title:e.title}),acf.val(t.find("input"),e.id)},editAttachment:function(t){var a=acf.newMediaPopup({mode:"edit",title:acf.__("Edit Image"),button:acf.__("Update Image"),attachment:t,field:this.get("key"),select:e.proxy((function(e,t){this.renderAttachment(e)}),this)})},onClickEdit:function(e,t){var a=t.data("id");a&&this.editAttachment(a)},removeAttachment:function(e){this.closeSidebar(),this.$attachment(e).remove(),this.render(),this.$input().trigger("change")},onClickRemove:function(e,t){e.preventDefault(),e.stopPropagation();var a=t.data("id");a&&this.removeAttachment(a)},selectAttachment:function(t){var a=this.$attachment(t);if(!a.hasClass("active")){var i=this.proxy((function(){this.$side().find(":focus").trigger("blur"),this.$active().removeClass("active"),a.addClass("active"),this.openSidebar(),n()})),n=this.proxy((function(){var a={action:"acf/fields/gallery/get_attachment",field_key:this.get("key"),id:t};this.has("xhr")&&this.get("xhr").abort(),acf.showLoading(this.$sideData());var i=e.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(a),type:"post",dataType:"html",cache:!1,success:o});this.set("xhr",i)})),o=this.proxy((function(e){if(e){var t=this.$sideData();t.html(e),t.find(".compat-field-acf-form-data").remove(),t.find("> table.form-table > tbody").append(t.find("> .compat-attachment-fields > tbody > tr")),acf.doAction("append",t)}}));i()}},onClickSelect:function(e,t){var a=t.data("id");a&&this.selectAttachment(a)},onClickClose:function(e,t){this.closeSidebar()},onChangeSort:function(t,a){if(!a.hasClass("disabled")){var i=a.val();if(i){var n=[];this.$attachments().each((function(){n.push(e(this).data("id"))}));var o=this.proxy((function(){var t={action:"acf/fields/gallery/get_sort_order",field_key:this.get("key"),ids:n,sort:i},a=e.ajax({url:acf.get("ajaxurl"),dataType:"json",type:"post",cache:!1,data:acf.prepareForAjax(t),success:s})})),s=this.proxy((function(e){acf.isAjaxSuccess(e)&&(e.data.reverse(),e.data.map((function(e){this.$collection().prepend(this.$attachment(e))}),this))}));o()}}},onUpdate:function(t,a){var i=this.$(".acf-gallery-update");if(!i.hasClass("disabled")){var n=acf.serialize(this.$sideData());i.addClass("disabled"),i.before('<i class="acf-loading"></i> '),n.action="acf/fields/gallery/update_attachment",e.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(n),type:"post",dataType:"json",complete:function(){i.removeClass("disabled"),i.prev(".acf-loading").remove()}})}},onHover:function(){this.addSortable(this),this.off("mouseover")}});acf.registerFieldType(t),acf.registerConditionForFieldType("hasValue","gallery"),acf.registerConditionForFieldType("hasNoValue","gallery"),acf.registerConditionForFieldType("selectionLessThan","gallery"),acf.registerConditionForFieldType("selectionGreaterThan","gallery")}(jQuery);PK�
�[�%�Y3Y3 pro/assets/css/acf-pro-input.cssnu�[���.acf-repeater>table{margin:0 0 8px;background:#F9F9F9}.acf-repeater .acf-row-handle{width:16px;text-align:center !important;vertical-align:middle !important;position:relative}.acf-repeater .acf-row-handle .acf-icon{display:none;position:absolute;top:0;margin:-8px 0 0 -2px}.acf-repeater .acf-row-handle .acf-icon.-minus{top:50%}body.browser-msie .acf-repeater .acf-row-handle .acf-icon.-minus{top:25px}.acf-repeater .acf-row-handle.order{background:#f4f4f4;cursor:move;color:#aaa;text-shadow:#fff 0 1px 0}.acf-repeater .acf-row-handle.order:hover{color:#666}.acf-repeater .acf-row-handle.order+td{border-left-color:#DFDFDF}.acf-repeater .acf-row-handle.remove{background:#F9F9F9;border-left-color:#DFDFDF}.acf-repeater th.acf-row-handle:before{content:"";width:16px;display:block;height:1px}.acf-repeater .acf-row.acf-clone{display:none !important}.acf-repeater .acf-row:hover>.acf-row-handle .acf-icon,.acf-repeater .acf-row.-hover>.acf-row-handle .acf-icon{display:block}.acf-repeater>table>tbody>tr.ui-sortable-helper{box-shadow:0 1px 5px rgba(0,0,0,0.2)}.acf-repeater>table>tbody>tr.ui-sortable-placeholder{visibility:visible !important}.acf-repeater>table>tbody>tr.ui-sortable-placeholder td{background:#F9F9F9}.acf-repeater.-row>table>tbody>tr>td,.acf-repeater.-block>table>tbody>tr>td{border-top-color:#E1E1E1}.acf-repeater.-empty>table>thead>tr>th{border-bottom:0 none}.acf-repeater.-empty.-row>table,.acf-repeater.-empty.-block>table{display:none}.acf-repeater .acf-row.-collapsed>.acf-field{display:none !important}.acf-repeater .acf-row.-collapsed>td.acf-field.-collapsed-target{display:table-cell !important}.acf-repeater .acf-row.-collapsed>.acf-fields>*{display:none !important}.acf-repeater .acf-row.-collapsed>.acf-fields>.acf-field.-collapsed-target{display:block !important}.acf-repeater.-table .acf-row.-collapsed .acf-field.-collapsed-target{border-left-color:#dfdfdf}.acf-repeater.-max .acf-icon[data-event="add-row"]{display:none !important}.acf-flexible-content{position:relative}.acf-flexible-content>.clones{display:none}.acf-flexible-content>.values{margin:0 0 8px}.acf-flexible-content>.values>.ui-sortable-placeholder{visibility:visible !important;border:1px dashed #b4b9be;box-shadow:none;background:transparent}.acf-flexible-content .layout{position:relative;margin:20px 0 0;background:#fff;border:1px solid #ccd0d4}.acf-flexible-content .layout:first-child{margin-top:0}.acf-flexible-content .layout .acf-fc-layout-handle{display:block;position:relative;padding:8px 10px;cursor:move;border-bottom:#ccd0d4 solid 1px;color:#444;font-size:14px;line-height:1.4em}.acf-flexible-content .layout .acf-fc-layout-order{display:block;width:20px;height:20px;border-radius:10px;display:inline-block;text-align:center;line-height:20px;margin:0 2px 0 0;background:#F1F1F1;font-size:12px;color:#444}html[dir="rtl"] .acf-flexible-content .layout .acf-fc-layout-order{float:right;margin-right:0;margin-left:5px}.acf-flexible-content .layout .acf-fc-layout-controls{position:absolute;top:8px;right:8px}.acf-flexible-content .layout .acf-fc-layout-controls .acf-icon{display:block;float:left;margin:0 0 0 5px}.acf-flexible-content .layout .acf-fc-layout-controls .acf-icon.-plus,.acf-flexible-content .layout .acf-fc-layout-controls .acf-icon.-minus{visibility:hidden}.acf-flexible-content .layout .acf-fc-layout-controls .acf-icon.-collapse{color:#444;border-color:transparent}.acf-flexible-content .layout .acf-fc-layout-controls .acf-icon.-collapse:hover{color:#23282d;background:transparent}html[dir="rtl"] .acf-flexible-content .layout .acf-fc-layout-controls{right:auto;left:9px}.acf-flexible-content .layout:hover .acf-fc-layout-controls .acf-icon.-plus,.acf-flexible-content .layout:hover .acf-fc-layout-controls .acf-icon.-minus,.acf-flexible-content .layout.-hover .acf-fc-layout-controls .acf-icon.-plus,.acf-flexible-content .layout.-hover .acf-fc-layout-controls .acf-icon.-minus{visibility:visible}.acf-flexible-content .layout.-collapsed>.acf-fc-layout-handle{border-bottom-width:0}.acf-flexible-content .layout.-collapsed>.acf-fields,.acf-flexible-content .layout.-collapsed>.acf-table{display:none}.acf-flexible-content .layout>.acf-table{border:0 none;box-shadow:none}.acf-flexible-content .layout>.acf-table>tbody>tr{background:#fff}.acf-flexible-content .layout>.acf-table>thead>tr>th{background:#F9F9F9}.acf-flexible-content .no-value-message{padding:19px;border:#ccc dashed 2px;text-align:center;display:none}.acf-flexible-content.-empty>.no-value-message{display:block}.acf-fc-popup{padding:5px 0;z-index:900001;min-width:135px}.acf-fc-popup ul,.acf-fc-popup li{list-style:none;display:block;margin:0;padding:0}.acf-fc-popup li{position:relative;float:none;white-space:nowrap}.acf-fc-popup .badge{display:inline-block;border-radius:8px;font-size:9px;line-height:15px;padding:0 5px;background:#d54e21;text-align:center;color:#fff;vertical-align:top;margin:0 0 0 5px}.acf-fc-popup a{color:#eee;padding:5px 10px;display:block;text-decoration:none;position:relative}.acf-fc-popup a:hover{background:#0073aa;color:#fff}.acf-fc-popup a.disabled{color:#888;background:transparent}.acf-gallery{border:#ccd0d4 solid 1px;height:400px;position:relative}.acf-gallery .acf-gallery-main{position:absolute;top:0;right:0;bottom:0;left:0;background:#fff;z-index:2}.acf-gallery .acf-gallery-attachments{position:absolute;top:0;right:0;bottom:48px;left:0;padding:5px;overflow:auto;overflow-x:hidden}.acf-gallery .acf-gallery-attachment{width:25%;float:left;cursor:pointer;position:relative}.acf-gallery .acf-gallery-attachment .margin{margin:5px;border:#d5d9dd solid 1px;position:relative;overflow:hidden;background:#eee}.acf-gallery .acf-gallery-attachment .margin:before{content:"";display:block;padding-top:100%}.acf-gallery .acf-gallery-attachment .thumbnail{position:absolute;top:0;left:0;width:100%;height:100%;transform:translate(50%, 50%)}html[dir="rtl"] .acf-gallery .acf-gallery-attachment .thumbnail{transform:translate(-50%, 50%)}.acf-gallery .acf-gallery-attachment .thumbnail img{display:block;height:auto;max-height:100%;width:auto;transform:translate(-50%, -50%)}html[dir="rtl"] .acf-gallery .acf-gallery-attachment .thumbnail img{transform:translate(50%, -50%)}.acf-gallery .acf-gallery-attachment .filename{position:absolute;bottom:0;left:0;right:0;padding:5%;background:#F4F4F4;background:rgba(255,255,255,0.8);border-top:#DFDFDF solid 1px;font-weight:bold;text-align:center;word-wrap:break-word;max-height:90%;overflow:hidden}.acf-gallery .acf-gallery-attachment .actions{position:absolute;top:0;right:0;display:none}.acf-gallery .acf-gallery-attachment:hover .actions{display:block}.acf-gallery .acf-gallery-attachment.ui-sortable-helper .margin{border:none;box-shadow:0 1px 3px rgba(0,0,0,0.3)}.acf-gallery .acf-gallery-attachment.ui-sortable-placeholder .margin{background:#F1F1F1;border:none}.acf-gallery .acf-gallery-attachment.ui-sortable-placeholder .margin *{display:none !important}.acf-gallery .acf-gallery-attachment.active .margin{box-shadow:0 0 0 1px #FFFFFF, 0 0 0 5px #0073aa}.acf-gallery .acf-gallery-attachment.-icon .thumbnail img{transform:translate(-50%, -70%)}html[dir="rtl"] .acf-gallery .acf-gallery-attachment{float:right}.acf-gallery.sidebar-open .acf-gallery-attachment .actions{display:none}.acf-gallery.sidebar-open .acf-gallery-side{z-index:2}.acf-gallery .acf-gallery-toolbar{position:absolute;right:0;bottom:0;left:0;padding:10px;border-top:#d5d9dd solid 1px;background:#fff;min-height:28px}.acf-gallery .acf-gallery-toolbar .acf-hl li{line-height:24px}.acf-gallery .acf-gallery-toolbar .bulk-actions-select{width:auto;margin:0 1px 0 0}.acf-gallery .acf-gallery-side{position:absolute;top:0;right:0;bottom:0;width:0;background:#F9F9F9;border-left:#ccd0d4 solid 1px;z-index:1;overflow:hidden}.acf-gallery .acf-gallery-side .acf-gallery-side-inner{position:absolute;top:0;left:0;bottom:0;width:349px}.acf-gallery .acf-gallery-side-info{position:relative;width:100%;padding:10px;margin:-10px 0 15px -10px;background:#F1F1F1;border-bottom:#DFDFDF solid 1px}.acf-gallery .acf-gallery-side-info:after{display:block;clear:both;content:""}html[dir="rtl"] .acf-gallery .acf-gallery-side-info{margin-left:0;margin-right:-10px}.acf-gallery .acf-gallery-side-info img{float:left;width:auto;max-width:65px;max-height:65px;margin:0 10px 1px 0;background:#FFFFFF;padding:3px;border:#ccd0d4 solid 1px;border-radius:1px}html[dir="rtl"] .acf-gallery .acf-gallery-side-info img{float:right;margin:0 0 0 10px}.acf-gallery .acf-gallery-side-info p{font-size:13px;line-height:15px;margin:3px 0;word-break:break-all;color:#666}.acf-gallery .acf-gallery-side-info p strong{color:#000}.acf-gallery .acf-gallery-side-info a{text-decoration:none}.acf-gallery .acf-gallery-side-info a.acf-gallery-edit{color:#21759b}.acf-gallery .acf-gallery-side-info a.acf-gallery-remove{color:#bc0b0b}.acf-gallery .acf-gallery-side-info a:hover{text-decoration:underline}.acf-gallery .acf-gallery-side-data{position:absolute;top:0;right:0;bottom:48px;left:0;overflow:auto;overflow-x:inherit;padding:10px}.acf-gallery .acf-gallery-side-data .acf-label,.acf-gallery .acf-gallery-side-data th.label{color:#666666;font-size:12px;line-height:25px;padding:0 4px 8px 0 !important;width:auto !important;vertical-align:top}html[dir="rtl"] .acf-gallery .acf-gallery-side-data .acf-label,html[dir="rtl"] .acf-gallery .acf-gallery-side-data th.label{padding:0 0 8px 4px !important}.acf-gallery .acf-gallery-side-data .acf-label label,.acf-gallery .acf-gallery-side-data th.label label{font-weight:normal}.acf-gallery .acf-gallery-side-data .acf-input,.acf-gallery .acf-gallery-side-data td.field{padding:0 0 8px !important}.acf-gallery .acf-gallery-side-data textarea{min-height:0;height:60px}.acf-gallery .acf-gallery-side-data p.help{font-size:12px}.acf-gallery .acf-gallery-side-data p.help:hover{font-weight:normal}.acf-gallery[data-columns="1"] .acf-gallery-attachment{width:100%}.acf-gallery[data-columns="2"] .acf-gallery-attachment{width:50%}.acf-gallery[data-columns="3"] .acf-gallery-attachment{width:33.333%}.acf-gallery[data-columns="4"] .acf-gallery-attachment{width:25%}.acf-gallery[data-columns="5"] .acf-gallery-attachment{width:20%}.acf-gallery[data-columns="6"] .acf-gallery-attachment{width:16.666%}.acf-gallery[data-columns="7"] .acf-gallery-attachment{width:14.285%}.acf-gallery[data-columns="8"] .acf-gallery-attachment{width:12.5%}.acf-gallery .ui-resizable-handle{display:block;position:absolute}.acf-gallery .ui-resizable-s{bottom:-5px;cursor:ns-resize;height:7px;left:0;width:100%}.acf-media-modal .attachment.acf-selected{box-shadow:0 0 0 3px #fff inset, 0 0 0 7px #0073aa inset !important}.acf-media-modal .attachment.acf-selected .check{display:none !important}.acf-media-modal .attachment.acf-selected .thumbnail{opacity:0.25 !important}.acf-media-modal .attachment.acf-selected .attachment-preview:before{background:rgba(0,0,0,0.15);z-index:1;position:relative}.acf-block-component .acf-block-fields{background:#fff;text-align:left;font-size:13px;line-height:1.4em;color:#444;font-family:-apple-system, BlinkMacSystemFont, "Segoe UI", Roboto, Oxygen-Sans, Ubuntu, Cantarell, "Helvetica Neue", sans-serif}html[dir="rtl"] .acf-block-component .acf-block-fields{text-align:right}.acf-block-component .acf-block-fields p{font-size:13px;line-height:1.5}.acf-block-component .acf-block-fields div.acf-field{border-width:0;padding:16px 20px}.acf-block-component .acf-block-fields div.acf-field+.acf-field[data-width]{border-left-width:0}.acf-block-component .acf-block-fields .acf-tab-wrap .acf-tab-group{padding:16px 20px 0}.acf-block-component .acf-block-fields .acf-field.acf-accordion{border-top:#DFDFDF solid 1px;border-bottom:#DFDFDF solid 1px;margin:-1px 0}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-title{padding:15px 20px}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-title:hover{background:#f8f9f9}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-title .acf-accordion-icon{font-size:18px;line-height:inherit;color:#191e23;margin-right:-3px}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-title .acf-accordion-icon.dashicons-arrow-down:before{content:"\f343"}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-title .acf-accordion-icon.dashicons-arrow-right:before{content:"\f347"}.acf-block-component .acf-block-fields .acf-field.acf-accordion .acf-accordion-content>.acf-fields{border-top-width:0}.acf-block-body .acf-block-fields{border:#e2e4e7 solid 1px}.acf-block-body .acf-block-preview{min-height:10px}.acf-block-panel .acf-block-panel-actions{margin:16px -16px;padding:0 16px}.acf-block-panel .acf-block-panel-actions button{padding:0 12px 2px;font-size:13px;margin:2px;height:33px;line-height:32px;width:100%}.acf-block-panel .acf-block-fields{border:none;border-top:#e2e4e7 solid 1px;margin:0 -16px -16px;padding:0}.acf-block-panel .acf-block-fields:empty{border-top:none}.acf-block-panel .acf-block-fields div.acf-field{padding:16px;width:auto !important;min-height:0 !important;border-left:none !important;float:none !important}
PK�
�[��Z[��&pro/assets/css/acf-pro-field-group.cssnu�[���.acf-field-setting-fc_layout .acf-fc-meta{margin:0 0 10px;padding:0}.acf-field-setting-fc_layout .acf-fc-meta li{margin:0 0 10px;padding:0}.acf-field-setting-fc_layout .acf-fc-meta .acf-fc-meta-display,.acf-field-setting-fc_layout .acf-fc-meta .acf-fc-meta-min{float:left;width:33%;padding-right:10px}.acf-field-setting-fc_layout .acf-fc-meta .acf-fc-meta-label .acf-input-prepend,.acf-field-setting-fc_layout .acf-fc-meta .acf-fc-meta-name .acf-input-prepend,.acf-field-setting-fc_layout .acf-fc-meta .acf-fc-meta-display .acf-input-prepend{min-width:45px}.acf-field-setting-fc_layout .acf-input-wrap.select{border-radius:0 3px 3px 0 !important;border:#DFDFDF solid 1px}.acf-field-setting-fc_layout .acf-input-wrap.select select{margin:0;border:0 none;padding:3px;height:26px}.acf-field-setting-fc_layout .acf-fl-actions{visibility:hidden}.acf-field-setting-fc_layout .acf-fl-actions .reorder-layout{cursor:move}.acf-field-setting-fc_layout .acf-fl-actions a{padding:1px 0;font-size:13px;line-height:20px}.acf-field-setting-fc_layout:hover .acf-fl-actions,.acf-field-setting-fc_layout.-hover .acf-fl-actions{visibility:visible}.acf-field-object-clone[data-display="seamless"] .acf-field-setting-instructions,.acf-field-object-clone[data-display="seamless"] .acf-field-setting-layout,.acf-field-object-clone[data-display="seamless"] .acf-field-setting-wrapper,.acf-field-object-clone[data-display="seamless"] .acf-field-setting-conditional_logic{display:none}
PK�
�[�\�221pro/locations/class-acf-location-options-page.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_options_page') ) :

class acf_location_options_page extends acf_location {
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'options_page';
		$this->label = __("Options Page",'acf');
		$this->category = 'forms';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		$options_page = acf_maybe_get( $screen, 'options_page' );
		return $this->compare( $options_page, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// vars
		$pages = acf_get_options_pages();
		
		
		// populate
		if( !empty($pages) ) {
			foreach( $pages as $page ) {
				$choices[ $page['menu_slug'] ] = $page['page_title'];
			}
		} else {
			$choices[''] = __('No options pages exist', 'acf');
		}
		
		
		// return
	    return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_options_page' );

endif; // class_exists check

?>PK�
�[�2Z{!!*pro/locations/class-acf-location-block.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Location_Block') ) :

class ACF_Location_Block extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'block';
		$this->label = __("Block",'acf');
		$this->category = 'forms';
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$block = acf_maybe_get( $screen, 'block' );
		
		// bail early if not block
		if( !$block ) return false;
				
        // compare
        return $this->compare( $block, $rule );
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// vars
		$blocks = acf_get_block_types();
		
		// loop
		if( $blocks ) {
			$choices['all'] = __('All', 'acf');
			foreach( $blocks as $block ) {
				$choices[ $block['name'] ] = $block['title'];
			}
		}	
		
		// return
		return $choices;
	}
	
}

// initialize
acf_register_location_rule( 'ACF_Location_Block' );

endif; // class_exists check

?>PK�
�[�b��E�Eacf.phpnu�[���<?php
/*
Plugin Name: Advanced Custom Fields PRO
Plugin URI: https://www.advancedcustomfields.com
Description: Customize WordPress with powerful, professional and intuitive fields.
Version: 5.8.8
Author: Elliot Condon
Author URI: https://www.advancedcustomfields.com
Text Domain: acf
Domain Path: /lang
*/

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF') ) :

class ACF {
	
	/** @var string The plugin version number. */
	var $version = '5.8.8';
	
	/** @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
	 *
	 * A dummy constructor to ensure ACF is only setup once.
	 *
	 * @date	23/06/12
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */	
	function __construct() {
		// Do nothing.
	}
	
	/**
	 * initialize
	 *
	 * Sets up the ACF plugin.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		
		// Define constants.
		$this->define( 'ACF', true );
		$this->define( 'ACF_PATH', plugin_dir_path( __FILE__ ) );
		$this->define( 'ACF_BASENAME', plugin_basename( __FILE__ ) );
		$this->define( 'ACF_VERSION', $this->version );
		$this->define( 'ACF_MAJOR_VERSION', 5 );
		
		// Define settings.
		$this->settings = array(
			'name'						=> __('Advanced Custom Fields', 'acf'),
			'slug'						=> dirname( ACF_BASENAME ),
			'version'					=> ACF_VERSION,
			'basename'					=> ACF_BASENAME,
			'path'						=> ACF_PATH,
			'file'						=> __FILE__,
			'url'						=> plugin_dir_url( __FILE__ ),
			'show_admin'				=> true,
			'show_updates'				=> true,
			'stripslashes'				=> false,
			'local'						=> true,
			'json'						=> true,
			'save_json'					=> '',
			'load_json'					=> array(),
			'default_language'			=> '',
			'current_language'			=> '',
			'capability'				=> 'manage_options',
			'uploader'					=> 'wp',
			'autoload'					=> false,
			'l10n'						=> true,
			'l10n_textdomain'			=> '',
			'google_api_key'			=> '',
			'google_api_client'			=> '',
			'enqueue_google_maps'		=> true,
			'enqueue_select2'			=> true,
			'enqueue_datepicker'		=> true,
			'enqueue_datetimepicker'	=> true,
			'select2_version'			=> 4,
			'row_index_offset'			=> 1,
			'remove_wp_meta_box'		=> true
		);
		
		// Include utility functions.
		include_once( ACF_PATH . 'includes/acf-utility-functions.php');
		
		// Include previous API functions.
		acf_include('includes/api/api-helpers.php');
		acf_include('includes/api/api-template.php');
		acf_include('includes/api/api-term.php');
		
		// Include classes.
		acf_include('includes/class-acf-data.php');
		acf_include('includes/fields/class-acf-field.php');
		acf_include('includes/locations/class-acf-location.php');
		
		// Include functions.
		acf_include('includes/acf-helper-functions.php');
		acf_include('includes/acf-hook-functions.php');
		acf_include('includes/acf-field-functions.php');
		acf_include('includes/acf-field-group-functions.php');
		acf_include('includes/acf-form-functions.php');
		acf_include('includes/acf-meta-functions.php');
		acf_include('includes/acf-post-functions.php');
		acf_include('includes/acf-user-functions.php');
		acf_include('includes/acf-value-functions.php');
		acf_include('includes/acf-input-functions.php');
		
		// Include core.
		acf_include('includes/fields.php');
		acf_include('includes/locations.php');
		acf_include('includes/assets.php');
		acf_include('includes/compatibility.php');
		acf_include('includes/deprecated.php');
		acf_include('includes/json.php');
		acf_include('includes/l10n.php');
		acf_include('includes/local-fields.php');
		acf_include('includes/local-meta.php');
		acf_include('includes/loop.php');
		acf_include('includes/media.php');
		acf_include('includes/revisions.php');
		acf_include('includes/updates.php');
		acf_include('includes/upgrades.php');
		acf_include('includes/validation.php');
		
		// Include ajax.
		acf_include('includes/ajax/class-acf-ajax.php');
		acf_include('includes/ajax/class-acf-ajax-check-screen.php');
		acf_include('includes/ajax/class-acf-ajax-user-setting.php');
		acf_include('includes/ajax/class-acf-ajax-upgrade.php');
		
		// Include forms.
		acf_include('includes/forms/form-attachment.php');
		acf_include('includes/forms/form-comment.php');
		acf_include('includes/forms/form-customizer.php');
		acf_include('includes/forms/form-front.php');
		acf_include('includes/forms/form-nav-menu.php');
		acf_include('includes/forms/form-post.php');
		acf_include('includes/forms/form-gutenberg.php');
		acf_include('includes/forms/form-taxonomy.php');
		acf_include('includes/forms/form-user.php');
		acf_include('includes/forms/form-widget.php');
		
		// Include admin.
		if( is_admin() ) {
			acf_include('includes/admin/admin.php');
			acf_include('includes/admin/admin-field-group.php');
			acf_include('includes/admin/admin-field-groups.php');
			acf_include('includes/admin/admin-notices.php');
			acf_include('includes/admin/admin-tools.php');
			acf_include('includes/admin/admin-upgrade.php');
		}
		
		// Include PRO.
		acf_include('pro/acf-pro.php');
		
		// Include tests.
		if( defined('ACF_DEV') && ACF_DEV ) {
			acf_include('tests/tests.php');
		}
		
		// Add actions.
		add_action( 'init', array($this, 'init'), 5 );
		add_action( 'init', array($this, 'register_post_types'), 5 );
		add_action( 'init', array($this, 'register_post_status'), 5 );
		
		// Add filters.
		add_filter( 'posts_where', array($this, 'posts_where'), 10, 2 );
	}
	
	/**
	 * init
	 *
	 * Completes the setup process on "init" of earlier.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function init() {
		
		// Bail early if called directly from functions.php or plugin file.
		if( !did_action('plugins_loaded') ) {
			return;
		}
		
		// This function may be called directly from template functions. Bail early if already did this.
		if( acf_did('init') ) {
			return;
		}
		
		// Update url setting. Allows other plugins to modify the URL (force SSL).
		acf_update_setting( 'url', plugin_dir_url( __FILE__ ) );
		
		// Load textdomain file.
		acf_load_textdomain();
		
		// Include 3rd party compatiblity.
		acf_include('includes/third-party.php');
		
		// Include wpml support.
		if( defined('ICL_SITEPRESS_VERSION') ) {
			acf_include('includes/wpml.php');
		}
		
		// Include fields.
		acf_include('includes/fields/class-acf-field-text.php');
		acf_include('includes/fields/class-acf-field-textarea.php');
		acf_include('includes/fields/class-acf-field-number.php');
		acf_include('includes/fields/class-acf-field-range.php');
		acf_include('includes/fields/class-acf-field-email.php');
		acf_include('includes/fields/class-acf-field-url.php');
		acf_include('includes/fields/class-acf-field-password.php');
		acf_include('includes/fields/class-acf-field-image.php');
		acf_include('includes/fields/class-acf-field-file.php');
		acf_include('includes/fields/class-acf-field-wysiwyg.php');
		acf_include('includes/fields/class-acf-field-oembed.php');
		acf_include('includes/fields/class-acf-field-select.php');
		acf_include('includes/fields/class-acf-field-checkbox.php');
		acf_include('includes/fields/class-acf-field-radio.php');
		acf_include('includes/fields/class-acf-field-button-group.php');
		acf_include('includes/fields/class-acf-field-true_false.php');
		acf_include('includes/fields/class-acf-field-link.php');
		acf_include('includes/fields/class-acf-field-post_object.php');
		acf_include('includes/fields/class-acf-field-page_link.php');
		acf_include('includes/fields/class-acf-field-relationship.php');
		acf_include('includes/fields/class-acf-field-taxonomy.php');
		acf_include('includes/fields/class-acf-field-user.php');
		acf_include('includes/fields/class-acf-field-google-map.php');
		acf_include('includes/fields/class-acf-field-date_picker.php');
		acf_include('includes/fields/class-acf-field-date_time_picker.php');
		acf_include('includes/fields/class-acf-field-time_picker.php');
		acf_include('includes/fields/class-acf-field-color_picker.php');
		acf_include('includes/fields/class-acf-field-message.php');
		acf_include('includes/fields/class-acf-field-accordion.php');
		acf_include('includes/fields/class-acf-field-tab.php');
		acf_include('includes/fields/class-acf-field-group.php');
		
		/**
		 * Fires after field types have been included.
		 *
		 * @date	28/09/13
		 * @since	5.0.0
		 *
		 * @param	int $major_version The major version of ACF.
		 */
		do_action( 'acf/include_field_types', ACF_MAJOR_VERSION );
		
		// Include locations.
		acf_include('includes/locations/class-acf-location-post-type.php');
		acf_include('includes/locations/class-acf-location-post-template.php');
		acf_include('includes/locations/class-acf-location-post-status.php');
		acf_include('includes/locations/class-acf-location-post-format.php');
		acf_include('includes/locations/class-acf-location-post-category.php');
		acf_include('includes/locations/class-acf-location-post-taxonomy.php');
		acf_include('includes/locations/class-acf-location-post.php');
		acf_include('includes/locations/class-acf-location-page-template.php');
		acf_include('includes/locations/class-acf-location-page-type.php');
		acf_include('includes/locations/class-acf-location-page-parent.php');
		acf_include('includes/locations/class-acf-location-page.php');
		acf_include('includes/locations/class-acf-location-current-user.php');
		acf_include('includes/locations/class-acf-location-current-user-role.php');
		acf_include('includes/locations/class-acf-location-user-form.php');
		acf_include('includes/locations/class-acf-location-user-role.php');
		acf_include('includes/locations/class-acf-location-taxonomy.php');
		acf_include('includes/locations/class-acf-location-attachment.php');
		acf_include('includes/locations/class-acf-location-comment.php');
		acf_include('includes/locations/class-acf-location-widget.php');
		acf_include('includes/locations/class-acf-location-nav-menu.php');
		acf_include('includes/locations/class-acf-location-nav-menu-item.php');
		
		/**
		 * Fires after location types have been included.
		 *
		 * @date	28/09/13
		 * @since	5.0.0
		 *
		 * @param	int $major_version The major version of ACF.
		 */
		do_action( 'acf/include_location_rules', ACF_MAJOR_VERSION );
		
		/**
		 * Fires during initialization. Used to add local fields.
		 *
		 * @date	28/09/13
		 * @since	5.0.0
		 *
		 * @param	int $major_version The major version of ACF.
		 */
		do_action( 'acf/include_fields', ACF_MAJOR_VERSION );
		
		/**
		 * Fires after ACF is completely "initialized".
		 *
		 * @date	28/09/13
		 * @since	5.0.0
		 *
		 * @param	int $major_version The major version of ACF.
		 */
		do_action( 'acf/init', ACF_MAJOR_VERSION );
	}
	
	/**
	 * register_post_types
	 *
	 * Registers the ACF post types.
	 *
	 * @date	22/10/2015
	 * @since	5.3.2
	 *
	 * @param	void
	 * @return	void
	 */	
	function register_post_types() {
		
		// Vars.
		$cap = acf_get_setting('capability');
		
		// Register the Field Group post type.
		register_post_type('acf-field-group', array(
			'labels'			=> array(
			    'name'					=> __( 'Field Groups', 'acf' ),
				'singular_name'			=> __( 'Field Group', 'acf' ),
			    'add_new'				=> __( 'Add New' , 'acf' ),
			    'add_new_item'			=> __( 'Add New Field Group' , 'acf' ),
			    'edit_item'				=> __( 'Edit Field Group' , 'acf' ),
			    'new_item'				=> __( 'New Field Group' , 'acf' ),
			    'view_item'				=> __( 'View Field Group', 'acf' ),
			    'search_items'			=> __( 'Search Field Groups', 'acf' ),
			    'not_found'				=> __( 'No Field Groups found', 'acf' ),
			    'not_found_in_trash'	=> __( 'No Field Groups found in Trash', 'acf' ), 
			),
			'public'			=> false,
			'hierarchical'		=> true,
			'show_ui'			=> true,
			'show_in_menu'		=> false,
			'_builtin'			=> false,
			'capability_type'	=> 'post',
			'capabilities'		=> array(
				'edit_post'			=> $cap,
				'delete_post'		=> $cap,
				'edit_posts'		=> $cap,
				'delete_posts'		=> $cap,
			),
			'supports' 			=> array('title'),
			'rewrite'			=> false,
			'query_var'			=> false,
		));
		
		
		// Register the Field post type.
		register_post_type('acf-field', array(
			'labels'			=> array(
			    'name'					=> __( 'Fields', 'acf' ),
				'singular_name'			=> __( 'Field', 'acf' ),
			    'add_new'				=> __( 'Add New' , 'acf' ),
			    'add_new_item'			=> __( 'Add New Field' , 'acf' ),
			    'edit_item'				=> __( 'Edit Field' , 'acf' ),
			    'new_item'				=> __( 'New Field' , 'acf' ),
			    'view_item'				=> __( 'View Field', 'acf' ),
			    'search_items'			=> __( 'Search Fields', 'acf' ),
			    'not_found'				=> __( 'No Fields found', 'acf' ),
			    'not_found_in_trash'	=> __( 'No Fields found in Trash', 'acf' ), 
			),
			'public'			=> false,
			'hierarchical'		=> true,
			'show_ui'			=> false,
			'show_in_menu'		=> false,
			'_builtin'			=> false,
			'capability_type'	=> 'post',
			'capabilities'		=> array(
				'edit_post'			=> $cap,
				'delete_post'		=> $cap,
				'edit_posts'		=> $cap,
				'delete_posts'		=> $cap,
			),
			'supports' 			=> array('title'),
			'rewrite'			=> false,
			'query_var'			=> false,
		));
	}
	
	/**
	 * register_post_status
	 *
	 * Registers the ACF post statuses.
	 *
	 * @date	22/10/2015
	 * @since	5.3.2
	 *
	 * @param	void
	 * @return	void
	 */
	function register_post_status() {
		
		// Register the Disabled post status.
		register_post_status('acf-disabled', array(
			'label'                     => __( 'Inactive', 'acf' ),
			'public'                    => true,
			'exclude_from_search'       => false,
			'show_in_admin_all_list'    => true,
			'show_in_admin_status_list' => true,
			'label_count'               => _n_noop( 'Inactive <span class="count">(%s)</span>', 'Inactive <span class="count">(%s)</span>', 'acf' ),
		));
	}
	
	/**
	 * posts_where
	 *
	 * Filters the $where clause allowing for custom WP_Query args.
	 *
	 * @date	31/8/19
	 * @since	5.8.1
	 *
	 * @param	string $where The WHERE clause.
	 * @return	WP_Query $wp_query The query object.
	 */
	function posts_where( $where, $wp_query ) {
		global $wpdb;
		
		// Add custom "acf_field_key" arg.
		if( $field_key = $wp_query->get('acf_field_key') ) {
			$where .= $wpdb->prepare(" AND {$wpdb->posts}.post_name = %s", $field_key );
	    }
	    
	    // Add custom "acf_field_name" arg.
	    if( $field_name = $wp_query->get('acf_field_name') ) {
			$where .= $wpdb->prepare(" AND {$wpdb->posts}.post_excerpt = %s", $field_name );
	    }
	    
	    // Add custom "acf_group_key" arg.
		if( $group_key = $wp_query->get('acf_group_key') ) {
			$where .= $wpdb->prepare(" AND {$wpdb->posts}.post_name = %s", $group_key );
	    }
	    
	    // Return.
	    return $where;
	}
	
	/**
	 * define
	 *
	 * Defines a constant if doesnt already exist.
	 *
	 * @date	3/5/17
	 * @since	5.5.13
	 *
	 * @param	string $name The constant name.
	 * @param	mixed $value The constant value.
	 * @return	void
	 */
	function define( $name, $value = true ) {
		if( !defined($name) ) {
			define( $name, $value );
		}
	}
	
	/**
	 * has_setting
	 *
	 * Returns true if a setting exists for this name.
	 *
	 * @date	2/2/18
	 * @since	5.6.5
	 *
	 * @param	string $name The setting name.
	 * @return	boolean
	 */
	function has_setting( $name ) {
		return isset($this->settings[ $name ]);
	}
	
	/**
	 * get_setting
	 *
	 * Returns a setting or null if doesn't exist.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	string $name The setting name.
	 * @return	mixed
	 */
	function get_setting( $name ) {
		return isset($this->settings[ $name ]) ? $this->settings[ $name ] : null;
	}
	
	/**
	 * update_setting
	 *
	 * Updates a setting for the given name and value.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	string $name The setting name.
	 * @param	mixed $value The setting value.
	 * @return	true
	 */
	function update_setting( $name, $value ) {
		$this->settings[ $name ] = $value;
		return true;
	}
	
	/**
	 * get_data
	 *
	 * Returns data or null if doesn't exist.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	string $name The data name.
	 * @return	mixed
	 */
	function get_data( $name ) {
		return isset($this->data[ $name ]) ? $this->data[ $name ] : null;
	}
	
	/**
	 * set_data
	 *
	 * Sets data for the given name and value.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	string $name The data name.
	 * @param	mixed $value The data value.
	 * @return	void
	 */
	function set_data( $name, $value ) {
		$this->data[ $name ] = $value;
	}
	
	/**
	 * get_instance
	 *
	 * Returns an instance or null if doesn't exist.
	 *
	 * @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 of the given class.
	 *
	 * @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;
	}
}

/*
 * acf
 *
 * The main function responsible for returning the one true acf Instance to functions everywhere.
 * Use this function like you would a global variable, except without needing to declare the global.
 *
 * Example: <?php $acf = acf(); ?>
 *
 * @date	4/09/13
 * @since	4.3.0
 *
 * @param	void
 * @return	ACF
 */
function acf() {
	global $acf;
	
	// Instantiate only once.
	if( !isset($acf) ) {
		$acf = new ACF();
		$acf->initialize();
	}
	return $acf;
}

// Instantiate.
acf();

endif; // class_exists check
PK�
�[A��Q��assets/js/acf-input.jsnu�[���(function($, undefined){
		
	/**
	*  acf
	*
	*  description
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
		
	// The global acf object
	var acf = {};
	
	// Set as a browser global
	window.acf = acf;
	
	/** @var object Data sent from PHP */
	acf.data = {};
	
	
	/**
	*  get
	*
	*  Gets a specific data value
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @return	mixed
	*/
	
	acf.get = function( name ){
		return this.data[name] || null;
	};
	
	
	/**
	*  has
	*
	*  Returns `true` if the data exists and is not null
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @return	boolean
	*/
	
	acf.has = function( name ){
		return this.get(name) !== null;
	};
	
	
	/**
	*  set
	*
	*  Sets a specific data value
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @param	mixed value
	*  @return	this
	*/
	
	acf.set = function( name, value ){
		this.data[ name ] = value;
		return this;
	};
	
	
	/**
	*  uniqueId
	*
	*  Returns a unique ID
	*
	*  @date	9/11/17
	*  @since	5.6.3
	*
	*  @param	string prefix Optional prefix.
	*  @return	string
	*/
	
	var idCounter = 0;
	acf.uniqueId = function(prefix){
		var id = ++idCounter + '';
		return prefix ? prefix + id : id;
	};
	
	/**
	*  acf.uniqueArray
	*
	*  Returns a new array with only unique values
	*  Credit: https://stackoverflow.com/questions/1960473/get-all-unique-values-in-an-array-remove-duplicates
	*
	*  @date	23/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.uniqueArray = function( array ){
		function onlyUnique(value, index, self) { 
		    return self.indexOf(value) === index;
		}
		return array.filter( onlyUnique );
	};
	
	/**
	*  uniqid
	*
	*  Returns a unique ID (PHP version)
	*
	*  @date	9/11/17
	*  @since	5.6.3
	*  @source	http://locutus.io/php/misc/uniqid/
	*
	*  @param	string prefix Optional prefix.
	*  @return	string
	*/
	
	var uniqidSeed = '';
	acf.uniqid = function(prefix, moreEntropy){
		//  discuss at: http://locutus.io/php/uniqid/
		// original by: Kevin van Zonneveld (http://kvz.io)
		//  revised by: Kankrelune (http://www.webfaktory.info/)
		//      note 1: Uses an internal counter (in locutus global) to avoid collision
		//   example 1: var $id = uniqid()
		//   example 1: var $result = $id.length === 13
		//   returns 1: true
		//   example 2: var $id = uniqid('foo')
		//   example 2: var $result = $id.length === (13 + 'foo'.length)
		//   returns 2: true
		//   example 3: var $id = uniqid('bar', true)
		//   example 3: var $result = $id.length === (23 + 'bar'.length)
		//   returns 3: true
		if (typeof prefix === 'undefined') {
			prefix = '';
		}
		
		var retId;
		var formatSeed = function(seed, reqWidth) {
			seed = parseInt(seed, 10).toString(16); // to hex str
			if (reqWidth < seed.length) { // so long we split
				return seed.slice(seed.length - reqWidth);
			}
			if (reqWidth > seed.length) { // so short we pad
				return Array(1 + (reqWidth - seed.length)).join('0') + seed;
			}
			return seed;
		};
		
		if (!uniqidSeed) { // init seed with big random int
			uniqidSeed = Math.floor(Math.random() * 0x75bcd15);
		}
		uniqidSeed++;
		
		retId = prefix; // start with prefix, add current milliseconds hex string
		retId += formatSeed(parseInt(new Date().getTime() / 1000, 10), 8);
		retId += formatSeed(uniqidSeed, 5); // add seed hex string
		if (moreEntropy) {
			// for more entropy we add a float lower to 10
			retId += (Math.random() * 10).toFixed(8).toString();
		}
		
		return retId;
	};
	
	
	/**
	*  strReplace
	*
	*  Performs a string replace
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string search
	*  @param	string replace
	*  @param	string subject
	*  @return	string
	*/
	
	acf.strReplace = function( search, replace, subject ){
		return subject.split(search).join(replace);
	};
	
	
	/**
	*  strCamelCase
	*
	*  Converts a string into camelCase
	*  Thanks to https://stackoverflow.com/questions/2970525/converting-any-string-into-camel-case
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string str
	*  @return	string
	*/
	
	acf.strCamelCase = function( str ){
		
		// replace [_-] characters with space
		str = str.replace(/[_-]/g, ' ');
		
		// camelCase
		str = str.replace(/(?:^\w|\b\w|\s+)/g, function(match, index) {
			if (+match === 0) return ""; // or if (/\s+/.test(match)) for white spaces
			return index == 0 ? match.toLowerCase() : match.toUpperCase();
		});
		
		// return
		return str;
	};
	
	/**
	*  strPascalCase
	*
	*  Converts a string into PascalCase
	*  Thanks to https://stackoverflow.com/questions/1026069/how-do-i-make-the-first-letter-of-a-string-uppercase-in-javascript
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string str
	*  @return	string
	*/
	
	acf.strPascalCase = function( str ){
		var camel = acf.strCamelCase( str );
		return camel.charAt(0).toUpperCase() + camel.slice(1); 
	};
	
	/**
	*  acf.strSlugify
	*
	*  Converts a string into a HTML class friendly slug
	*
	*  @date	21/3/18
	*  @since	5.6.9
	*
	*  @param	string str
	*  @return	string
	*/
	
	acf.strSlugify = function( str ){
		return acf.strReplace( '_', '-', str.toLowerCase() );
	};
	
	
	acf.strSanitize = function( str ){
		
		// chars (https://jsperf.com/replace-foreign-characters)
		var map = {
            "À": "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",
            
            // extra
            ' ': '_',
			"'": '',
			'?': '',
			'/': '',
			'\\': '',
			'.': '',
			',': '',
			'`': '',
			'>': '',
			'<': '',
			'"': '',
			'[': '',
			']': '',
			'|': '',
			'{': '',
			'}': '',
			'(': '',
			')': ''
        };
		
		// vars
		var nonWord = /\W/g;
        var mapping = function (c) {
            return (map[c] !== undefined) ? map[c] : c;
        };
        
        // replace
        str = str.replace(nonWord, mapping);
	    
	    // lowercase
	    str = str.toLowerCase();
	    
	    // return
	    return str;	
	};
	
	/**
	*  acf.strMatch
	*
	*  Returns the number of characters that match between two strings
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.strMatch = function( s1, s2 ){
		
		// vars
		var val = 0;
		var min = Math.min( s1.length, s2.length );
		
		// loop
		for( var i = 0; i < min; i++ ) {
			if( s1[i] !== s2[i] ) {
				break;
			}
			val++;
		}
		
		// return
		return val;
	};
	
	/**
	*  acf.decode
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.decode = function( string ){
		return $('<textarea/>').html( string ).text();
	};
	
	/**
	*  acf.strEscape
	*
	*  description
	*
	*  @date	3/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.strEscape = function( string ){
		return $('<div>').text(string).html();
	};
	
	/**
	*  parseArgs
	*
	*  Merges together defaults and args much like the WP wp_parse_args function
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	object args
	*  @param	object defaults
	*  @return	object
	*/
	
	acf.parseArgs = function( args, defaults ){
		if( typeof args !== 'object' ) args = {};
		if( typeof defaults !== 'object' ) defaults = {};
		return $.extend({}, defaults, args);
	}
	
	/**
	*  __
	*
	*  Retrieve the translation of $text.
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	string text Text to translate.
	*  @return	string Translated text.
	*/
	
	if( window.acfL10n == undefined ) {
		acfL10n = {};
	}
	
	acf.__ = function( text ){
		return acfL10n[ text ] || text;
	};
	
	/**
	*  _x
	*
	*  Retrieve translated string with gettext context.
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	string text Text to translate.
	*  @param	string context Context information for the translators.
	*  @return	string Translated text.
	*/
	
	acf._x = function( text, context ){
		return acfL10n[ text + '.' + context ] || acfL10n[ text ] || text;
	};
	
	/**
	*  _n
	*
	*  Retrieve the plural or single form based on the amount. 
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	string single Single text to translate.
	*  @param	string plural Plural text to translate.
	*  @param	int number The number to compare against.
	*  @return	string Translated text.
	*/
	
	acf._n = function( single, plural, number ){
		if( number == 1 ) {
			return acf.__(single);
		} else {
			return acf.__(plural);
		}
	};
	
	acf.isArray = function( a ){
		return Array.isArray(a);
	};
	
	acf.isObject = function( a ){
		return ( typeof a === 'object' );
	}
	
	/**
	*  serialize
	*
	*  description
	*
	*  @date	24/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var buildObject = function( obj, name, value ){
		
		// replace [] with placeholder
		name = name.replace('[]', '[%%index%%]');
		
		// vars
		var keys = name.match(/([^\[\]])+/g);
		if( !keys ) return;
		var length = keys.length;
		var ref = obj;
		
		// loop
		for( var i = 0; i < length; i++ ) {
			
			// vars
			var key = String( keys[i] );
			
			// value
			if( i == length - 1 ) {
				
				// %%index%%
				if( key === '%%index%%' ) {
					ref.push( value );
				
				// default
				} else {
					ref[ key ] = value;
				}
				
			// path
			} else {
				
				// array
				if( keys[i+1] === '%%index%%' ) {
					if( !acf.isArray(ref[ key ]) ) {
						ref[ key ] = [];
					}
				
				// object	
				} else {
					if( !acf.isObject(ref[ key ]) ) {
						ref[ key ] = {};
					}
				}
				
				// crawl
				ref = ref[ key ];
			}
		}
	};
	
	acf.serialize = function( $el, prefix ){
			
		// vars
		var obj = {};
		var inputs = acf.serializeArray( $el );
		
		// prefix
		if( prefix !== undefined ) {
			
			// filter and modify
			inputs = inputs.filter(function( item ){
				return item.name.indexOf(prefix) === 0;
			}).map(function( item ){
				item.name = item.name.slice(prefix.length);
				return item;
			});
		}
		
		// loop
		for( var i = 0; i < inputs.length; i++ ) {
			buildObject( obj, inputs[i].name, inputs[i].value );
		}
		
		// return
		return obj;
	};
	
	/**
	*  acf.serializeArray
	*
	*  Similar to $.serializeArray() but works with a parent wrapping element.
	*
	*  @date	19/8/18
	*  @since	5.7.3
	*
	*  @param	jQuery $el The element or form to serialize.
	*  @return	array
	*/
	
	acf.serializeArray = function( $el ){
		return $el.find('select, textarea, input').serializeArray();
	}
	
	/**
	*  acf.serializeForAjax
	*
	*  Returns an object containing name => value data ready to be encoded for Ajax.
	*
	*  @date	17/12/18
	*  @since	5.8.0
	*
	*  @param	jQUery $el The element or form to serialize.
	*  @return	object
	*/
	acf.serializeForAjax = function( $el ){
			
		// vars
		var data = {};
		var index = {};
		
		// Serialize inputs.
		var inputs = acf.serializeArray( $el );
		
		// Loop over inputs and build data.
		inputs.map(function( item ){
			
			// Append to array.
			if( item.name.slice(-2) === '[]' ) {
				data[ item.name ] = data[ item.name ] || [];
				data[ item.name ].push( item.value );
			// Append	
			} else {
				data[ item.name ] = item.value;
			}
		});
		
		// return
		return data;
	};
	
	/**
	*  addAction
	*
	*  Wrapper for acf.hooks.addAction
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
/*
	var prefixAction = function( action ){
		return 'acf_' + action;
	}
*/
	
	acf.addAction = function( action, callback, priority, context ){
		//action = prefixAction(action);
		acf.hooks.addAction.apply(this, arguments);
		return this;
	};
	
	
	/**
	*  removeAction
	*
	*  Wrapper for acf.hooks.removeAction
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.removeAction = function( action, callback ){
		//action = prefixAction(action);
		acf.hooks.removeAction.apply(this, arguments);
		return this;
	};
	
	
	/**
	*  doAction
	*
	*  Wrapper for acf.hooks.doAction
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	var actionHistory = {};
	//var currentAction = false;
	acf.doAction = function( action ){
		//action = prefixAction(action);
		//currentAction = action;
		actionHistory[ action ] = 1;
		acf.hooks.doAction.apply(this, arguments);
		actionHistory[ action ] = 0;
		return this;
	};
	
	
	/**
	*  doingAction
	*
	*  Return true if doing action
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.doingAction = function( action ){
		//action = prefixAction(action);
		return (actionHistory[ action ] === 1);
	};
	
	
	/**
	*  didAction
	*
	*  Wrapper for acf.hooks.doAction
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.didAction = function( action ){
		//action = prefixAction(action);
		return (actionHistory[ action ] !== undefined);
	};
	
	/**
	*  currentAction
	*
	*  Wrapper for acf.hooks.doAction
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.currentAction = function(){
		for( var k in actionHistory ) {
			if( actionHistory[k] ) {
				return k;
			}
		}
		return false;
	};
	
	/**
	*  addFilter
	*
	*  Wrapper for acf.hooks.addFilter
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.addFilter = function( action ){
		//action = prefixAction(action);
		acf.hooks.addFilter.apply(this, arguments);
		return this;
	};
	
	
	/**
	*  removeFilter
	*
	*  Wrapper for acf.hooks.removeFilter
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.removeFilter = function( action ){
		//action = prefixAction(action);
		acf.hooks.removeFilter.apply(this, arguments);
		return this;
	};
	
	
	/**
	*  applyFilters
	*
	*  Wrapper for acf.hooks.applyFilters
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	n/a
	*  @return	this
	*/
	
	acf.applyFilters = function( action ){
		//action = prefixAction(action);
		return acf.hooks.applyFilters.apply(this, arguments);
	};
	
	
	/**
	*  getArgs
	*
	*  description
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.arrayArgs = function( args ){
		return Array.prototype.slice.call( args );
	};
	
	
	/**
	*  extendArgs
	*
	*  description
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
/*
	acf.extendArgs = function( ){
		var args = Array.prototype.slice.call( arguments );
		var realArgs = args.shift();
			
		Array.prototype.push.call(arguments, 'bar')
		return Array.prototype.push.apply( args, arguments );
	};
*/
	
	// Preferences
	// - use try/catch to avoid JS error if cookies are disabled on front-end form
	try {
		var preferences = JSON.parse(localStorage.getItem('acf')) || {};
	} catch(e) {
		var preferences = {};
	}
	
	
	/**
	*  getPreferenceName
	*
	*  Gets the true preference name. 
	*  Converts "this.thing" to "thing-123" if editing post 123.
	*
	*  @date	11/11/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @return	string
	*/
	
	var getPreferenceName = function( name ){
		if( name.substr(0, 5) === 'this.' ) {
			name = name.substr(5) + '-' + acf.get('post_id');
		}
		return name;
	};
	
	
	/**
	*  acf.getPreference
	*
	*  Gets a preference setting or null if not set.
	*
	*  @date	11/11/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @return	mixed
	*/
	
	acf.getPreference = function( name ){
		name = getPreferenceName( name );
		return preferences[ name ] || null;
	}
	
	
	/**
	*  acf.setPreference
	*
	*  Sets a preference setting.
	*
	*  @date	11/11/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @param	mixed value
	*  @return	n/a
	*/
	
	acf.setPreference = function( name, value ){
		name = getPreferenceName( name );
		if( value === null ) {
			delete preferences[ name ];
		} else {
			preferences[ name ] = value;
		}
		localStorage.setItem('acf', JSON.stringify(preferences));
	}
	
	
	/**
	*  acf.removePreference
	*
	*  Removes a preference setting.
	*
	*  @date	11/11/17
	*  @since	5.6.5
	*
	*  @param	string name
	*  @return	n/a
	*/
	
	acf.removePreference = function( name ){ 
		acf.setPreference(name, null);
	};
	
	
	/**
	*  remove
	*
	*  Removes an element with fade effect
	*
	*  @date	1/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.remove = function( props ){
		
		// allow jQuery
		if( props instanceof jQuery ) {
			props = {
				target: props
			};
		}
		
		// defaults
		props = acf.parseArgs(props, {
			target: false,
			endHeight: 0,
			complete: function(){}
		});
		
		// action
		acf.doAction('remove', props.target);
		
		// tr
		if( props.target.is('tr') ) {
			removeTr( props );
		
		// div
		} else {
			removeDiv( props );
		}
		
	};
	
	/**
	*  removeDiv
	*
	*  description
	*
	*  @date	16/2/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var removeDiv = function( props ){
		
		// vars
		var $el = props.target;
		var height = $el.height();
		var width = $el.width();
		var margin = $el.css('margin');
		var outerHeight = $el.outerHeight(true);
		var style = $el.attr('style') + ''; // needed to copy
		
		// wrap
		$el.wrap('<div class="acf-temp-remove" style="height:' + outerHeight + 'px"></div>');
		var $wrap = $el.parent();
		
		// set pos
		$el.css({
			height:		height,
			width:		width,
			margin:		margin,
			position:	'absolute'
		});
		
		// fade wrap
		setTimeout(function(){
			
			$wrap.css({
				opacity:	0,
				height:		props.endHeight
			});
			
		}, 50);
		
		// remove
		setTimeout(function(){
			
			$el.attr('style', style);
			$wrap.remove();
			props.complete();
		
		}, 301);
	};
	
	/**
	*  removeTr
	*
	*  description
	*
	*  @date	16/2/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var removeTr = function( props ){
		
		// vars
		var $tr = props.target;
		var height = $tr.height();
		var children = $tr.children().length;
		
		// create dummy td
		var $td = $('<td class="acf-temp-remove" style="padding:0; height:' + height + 'px" colspan="' + children + '"></td>');
		
		// fade away tr
		$tr.addClass('acf-remove-element');
		
		// update HTML after fade animation
		setTimeout(function(){
			$tr.html( $td );
		}, 251);
		
		// allow .acf-temp-remove to exist before changing CSS
		setTimeout(function(){
			
			// remove class
			$tr.removeClass('acf-remove-element');
			
			// collapse
			$td.css({
				height: props.endHeight
			});			
				
		}, 300);
		
		// remove
		setTimeout(function(){
			
			$tr.remove();
			props.complete();
		
		}, 451);
	};
	
	/**
	*  duplicate
	*
	*  description
	*
	*  @date	3/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.duplicate = function( args ){
		
		// allow jQuery
		if( args instanceof jQuery ) {
			args = {
				target: args
			};
		}
		
		// vars
		var timeout = 0;
				
		// defaults
		args = acf.parseArgs(args, {
			target: false,
			search: '',
			replace: '',
			before: function( $el ){},
			after: function( $el, $el2 ){},
			append: function( $el, $el2 ){ 
				$el.after( $el2 );
				timeout = 1;
			}
		});
		
		// compatibility
		args.target = args.target || args.$el;
				
		// vars
		var $el = args.target;
		
		// search
		args.search = args.search || $el.attr('data-id');
		args.replace = args.replace || acf.uniqid();
		
		// before
		// - allow acf to modify DOM
		// - fixes bug where select field option is not selected
		args.before( $el );
		acf.doAction('before_duplicate', $el);
		
		// clone
		var $el2 = $el.clone();
		
		// rename
		acf.rename({
			target:		$el2,
			search:		args.search,
			replace:	args.replace,
		});
		
		// remove classes
		$el2.removeClass('acf-clone');
		$el2.find('.ui-sortable').removeClass('ui-sortable');
		
		// after
		// - allow acf to modify DOM
		args.after( $el, $el2 );
		acf.doAction('after_duplicate', $el, $el2 );
		
		// append
		args.append( $el, $el2 );
		
		/**
		 * Fires after an element has been duplicated and appended to the DOM.
		 *
		 * @date	30/10/19
		 * @since	5.8.7
		 *
		 * @param	jQuery $el The original element.
		 * @param	jQuery $el2 The duplicated element.
		 */
		acf.doAction('duplicate', $el, $el2 );
		
		// append
		// - allow element to be moved into a visible position before fire action
		//var callback = function(){
			acf.doAction('append', $el2);
		//};
		//if( timeout ) {
		//	setTimeout(callback, timeout);
		//} else {
		//	callback();
		//}
		
		// return
		return $el2;
	};
	
	/**
	*  rename
	*
	*  description
	*
	*  @date	7/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.rename = function( args ){
		
		// allow jQuery
		if( args instanceof jQuery ) {
			args = {
				target: args
			};
		}
		
		// defaults
		args = acf.parseArgs(args, {
			target: false,
			destructive: false,
			search: '',
			replace: '',
		});
		
		// vars
		var $el = args.target;
		var search = args.search || $el.attr('data-id');
		var replace = args.replace || acf.uniqid('acf');
		var replaceAttr = function(i, value){
			return value.replace( search, replace );
		}
		
		// replace (destructive)
		if( args.destructive ) {
			var html = $el.outerHTML();
			html = acf.strReplace( search, replace, html );
			$el.replaceWith( html );
			
		// replace
		} else {
			$el.attr('data-id', replace);
			$el.find('[id*="' + search + '"]').attr('id', replaceAttr);
			$el.find('[for*="' + search + '"]').attr('for', replaceAttr);
			$el.find('[name*="' + search + '"]').attr('name', replaceAttr);
		}
		
		// return
		return $el;
	};
	
	
	/**
	*  acf.prepareForAjax
	*
	*  description
	*
	*  @date	4/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.prepareForAjax = function( data ){
		
		// required
		data.nonce = acf.get('nonce');
		data.post_id = acf.get('post_id');
		
		// language
		if( acf.has('language') ) {
			data.lang = acf.get('language');
		}
		
		// filter for 3rd party customization
		data = acf.applyFilters('prepare_for_ajax', data);	
		
		// return
		return data;
	};
	
	
	/**
	*  acf.startButtonLoading
	*
	*  description
	*
	*  @date	5/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.startButtonLoading = function( $el ){
		$el.prop('disabled', true);
		$el.after(' <i class="acf-loading"></i>');
	}
	
	acf.stopButtonLoading = function( $el ){
		$el.prop('disabled', false);
		$el.next('.acf-loading').remove();
	}
	
	
	/**
	*  acf.showLoading
	*
	*  description
	*
	*  @date	12/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.showLoading = function( $el ){
		$el.append('<div class="acf-loading-overlay"><i class="acf-loading"></i></div>');
	};
	
	acf.hideLoading = function( $el ){
		$el.children('.acf-loading-overlay').remove();
	};
	
	
	/**
	*  acf.updateUserSetting
	*
	*  description
	*
	*  @date	5/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.updateUserSetting = function( name, value ){
		
		var ajaxData = {
			action: 'acf/ajax/user_setting',
			name: name,
			value: value
		};
		
		$.ajax({
	    	url: acf.get('ajaxurl'),
	    	data: acf.prepareForAjax(ajaxData),
			type: 'post',
			dataType: 'html'
		});
		
	};
	
	
	/**
	*  acf.val
	*
	*  description
	*
	*  @date	8/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.val = function( $input, value, silent ){
		
		// vars
		var prevValue = $input.val();
		
		// bail if no change
		if( value === prevValue ) {
			return false
		}
		
		// update value
		$input.val( value );
		
		// prevent select elements displaying blank value if option doesn't exist
		if( $input.is('select') && $input.val() === null ) {
			$input.val( prevValue );
			return false;
		}
		
		// update with trigger
		if( silent !== true ) {
			$input.trigger('change');
		}
		
		// return
		return true;	
	};
	
	/**
	*  acf.show
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.show = function( $el, lockKey ){
		
		// unlock
		if( lockKey ) {
			acf.unlock($el, 'hidden', lockKey);
		}
		
		// bail early if $el is still locked
		if( acf.isLocked($el, 'hidden') ) {
			//console.log( 'still locked', getLocks( $el, 'hidden' ));
			return false;
		}
		
		// $el is hidden, remove class and return true due to change in visibility
		if( $el.hasClass('acf-hidden') ) {
			$el.removeClass('acf-hidden');
			return true;
		
		// $el is visible, return false due to no change in visibility
		} else {
			return false;
		}
	};
	
	
	/**
	*  acf.hide
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.hide = function( $el, lockKey ){
		
		// lock
		if( lockKey ) {
			acf.lock($el, 'hidden', lockKey);
		}
		
		// $el is hidden, return false due to no change in visibility
		if( $el.hasClass('acf-hidden') ) {
			return false;
		
		// $el is visible, add class and return true due to change in visibility
		} else {
			$el.addClass('acf-hidden');
			return true;
		}
	};
	
	
	/**
	*  acf.isHidden
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.isHidden = function( $el ){
		return $el.hasClass('acf-hidden');
	};
	
	
	/**
	*  acf.isVisible
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.isVisible = function( $el ){
		return !acf.isHidden( $el );
	};
	
	
	/**
	*  enable
	*
	*  description
	*
	*  @date	12/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var enable = function( $el, lockKey ){
		
		// check class. Allow .acf-disabled to overrule all JS
		if( $el.hasClass('acf-disabled') ) {
			return false;
		}
		
		// unlock
		if( lockKey ) {
			acf.unlock($el, 'disabled', lockKey);
		}
		
		// bail early if $el is still locked
		if( acf.isLocked($el, 'disabled') ) {
			return false;
		}
		
		// $el is disabled, remove prop and return true due to change
		if( $el.prop('disabled') ) {
			$el.prop('disabled', false);
			return true;
		
		// $el is enabled, return false due to no change
		} else {
			return false;
		}
	};
	
	/**
	*  acf.enable
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.enable = function( $el, lockKey ){
		
		// enable single input
		if( $el.attr('name') ) {
			return enable( $el, lockKey );
		}
		
		// find and enable child inputs
		// return true if any inputs have changed
		var results = false;
		$el.find('[name]').each(function(){
			var result = enable( $(this), lockKey );
			if( result ) {
				results = true;
			}
		});
		return results;
	};
	
	
	/**
	*  disable
	*
	*  description
	*
	*  @date	12/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var disable = function( $el, lockKey ){
		
		// lock
		if( lockKey ) {
			acf.lock($el, 'disabled', lockKey);
		}
		
		// $el is disabled, return false due to no change
		if( $el.prop('disabled') ) {
			return false;
		
		// $el is enabled, add prop and return true due to change
		} else {
			$el.prop('disabled', true);
			return true;
		}
	};
	
	
	/**
	*  acf.disable
	*
	*  description
	*
	*  @date	9/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.disable = function( $el, lockKey ){
		
		// disable single input
		if( $el.attr('name') ) {
			return disable( $el, lockKey );
		}
		
		// find and enable child inputs
		// return true if any inputs have changed
		var results = false;
		$el.find('[name]').each(function(){
			var result = disable( $(this), lockKey );
			if( result ) {
				results = true;
			}
		});
		return results;
	};
	
	
	/**
	*  acf.isset
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.isset = function( obj /*, level1, level2, ... */ ) {
		for( var i = 1; i < arguments.length; i++ ) {
			if( !obj || !obj.hasOwnProperty(arguments[i]) ) {
				return false;
			}
			obj = obj[ arguments[i] ];
		}
		return true;
	};
	
	/**
	*  acf.isget
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.isget = function( obj /*, level1, level2, ... */ ) {
		for( var i = 1; i < arguments.length; i++ ) {
			if( !obj || !obj.hasOwnProperty(arguments[i]) ) {
				return null;
			}
			obj = obj[ arguments[i] ];
		}
		return obj;
	};
	
	/**
	*  acf.getFileInputData
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getFileInputData = function( $input, callback ){
		
		// vars
		var value = $input.val();
		
		// bail early if no value
		if( !value ) {
			return false;
		}
		
		// data
		var data = {
			url: value
		};
		
		// modern browsers
		var file = acf.isget( $input[0], 'files', 0);
		if( file ){
			
			// update data
			data.size = file.size;
			data.type = file.type;
			
			// image
			if( file.type.indexOf('image') > -1 ) {
				
				// vars
				var windowURL = window.URL || window.webkitURL;
				var img = new Image();
				
				img.onload = function() {
					
					// update
					data.width = this.width;
					data.height = this.height;
					
					callback( data );
				};
				img.src = windowURL.createObjectURL( file );
			} else {
				callback( data );
			}
		} else {
			callback( data );
		}		
	};
	
	/**
	*  acf.isAjaxSuccess
	*
	*  description
	*
	*  @date	18/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.isAjaxSuccess = function( json ){
		return ( json && json.success );
	};
	
	/**
	*  acf.getAjaxMessage
	*
	*  description
	*
	*  @date	18/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getAjaxMessage = function( json ){
		return acf.isget( json, 'data', 'message' );
	};
	
	/**
	*  acf.getAjaxError
	*
	*  description
	*
	*  @date	18/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getAjaxError = function( json ){
		return acf.isget( json, 'data', 'error' );
	};
	
	
	/**
	*  acf.renderSelect
	*
	*  Renders the innter html for a select field.
	*
	*  @date	19/2/18
	*  @since	5.6.9
	*
	*  @param	jQuery $select The select element.
	*  @param	array choices An array of choices.
	*  @return	void
	*/
	
	acf.renderSelect = function( $select, choices ){
		
		// vars
		var value = $select.val();
		var values = [];
		
		// callback
		var crawl = function( items ){
			
			// vars
			var itemsHtml = '';
			
			// loop
			items.map(function( item ){
				
				// vars
				var text = item.text || item.label || '';
				var id = item.id || item.value || '';
				
				// append
				values.push(id);
				
				//  optgroup
				if( item.children ) {
					itemsHtml += '<optgroup label="' + acf.strEscape(text) + '">' + crawl( item.children ) + '</optgroup>';
				
				// option
				} else {
					itemsHtml += '<option value="' + id + '"' + (item.disabled ? ' disabled="disabled"' : '') + '>' + acf.strEscape(text) + '</option>';
				}
			});
			
			// return
			return itemsHtml;
		};
		
		// update HTML
		$select.html( crawl(choices) );
		
		// update value
		if( values.indexOf(value) > -1 ){
			$select.val( value );
		}
		
		// return selected value
		return $select.val();
	};
	
	/**
	*  acf.lock
	*
	*  Creates a "lock" on an element for a given type and key
	*
	*  @date	22/2/18
	*  @since	5.6.9
	*
	*  @param	jQuery $el The element to lock.
	*  @param	string type The type of lock such as "condition" or "visibility".
	*  @param	string key The key that will be used to unlock.
	*  @return	void
	*/
	
	var getLocks = function( $el, type ){
		return $el.data('acf-lock-'+type) || [];
	};
	
	var setLocks = function( $el, type, locks ){
		$el.data('acf-lock-'+type, locks);
	}
	
	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
	*
	*  Unlocks a "lock" on an element for a given type and key
	*
	*  @date	22/2/18
	*  @since	5.6.9
	*
	*  @param	jQuery $el The element to lock.
	*  @param	string type The type of lock such as "condition" or "visibility".
	*  @param	string key The key that will be used to unlock.
	*  @return	void
	*/
	
	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 );
		}
		
		// return true if is unlocked (no locks)
		return (locks.length === 0);
	};
	
	/**
	*  acf.isLocked
	*
	*  Returns true if a lock exists for a given type
	*
	*  @date	22/2/18
	*  @since	5.6.9
	*
	*  @param	jQuery $el The element to lock.
	*  @param	string type The type of lock such as "condition" or "visibility".
	*  @return	void
	*/
	
	acf.isLocked = function( $el, type ){
		return ( getLocks( $el, type ).length > 0 );
	};
	
	/**
	*  acf.isGutenberg
	*
	*  Returns true if the Gutenberg editor is being used.
	*
	*  @date	14/11/18
	*  @since	5.8.0
	*
	*  @param	vois
	*  @return	bool
	*/
	acf.isGutenberg = function(){
		return ( window.wp && wp.data && wp.data.select && wp.data.select( 'core/editor' ) );
	};
	
	/**
	*  acf.objectToArray
	*
	*  Returns an array of items from the given object.
	*
	*  @date	20/11/18
	*  @since	5.8.0
	*
	*  @param	object obj The object of items.
	*  @return	array
	*/
	acf.objectToArray = function( obj ){
		return Object.keys( obj ).map(function( key ){
			return obj[key];
		});
	};
	
	/**
	 * acf.debounce
	 *
	 * Returns a debounced version of the passed function which will postpone its execution until after `wait` milliseconds have elapsed since the last time it was invoked.
	 *
	 * @date	28/8/19
	 * @since	5.8.1
	 *
	 * @param	function callback The callback function.
	 * @return	int wait The number of milliseconds to wait.
	 */
	acf.debounce = function( callback, wait ){
		var timeout;
		return function(){
			var context = this;
			var args = arguments;
			var later = function(){
				callback.apply( context, args );
			};
			clearTimeout( timeout );
			timeout = setTimeout( later, wait );
		};
	};
	
	/**
	 * acf.throttle
	 *
	 * Returns a throttled version of the passed function which will allow only one execution per `limit` time period.
	 *
	 * @date	28/8/19
	 * @since	5.8.1
	 *
	 * @param	function callback The callback function.
	 * @return	int wait The number of milliseconds to wait.
	 */
	acf.throttle = function( callback, limit ){
		var busy = false;
		return function(){
			if( busy ) return;
			busy = true;
			setTimeout(function(){
				busy = false;
			}, limit);
			callback.apply( this, arguments );
		};
	};
	
	/**
	 * acf.isInView
	 *
	 * Returns true if the given element is in view.
	 *
	 * @date	29/8/19
	 * @since	5.8.1
	 *
	 * @param	elem el The dom element to inspect.
	 * @return	bool
	 */
	acf.isInView = function( el ){
		var rect = el.getBoundingClientRect();
		return (
			rect.top !== rect.bottom &&
			rect.top >= 0 &&
			rect.left >= 0 &&
			rect.bottom <= (window.innerHeight || document.documentElement.clientHeight) &&
			rect.right <= (window.innerWidth || document.documentElement.clientWidth)
		);
	};
	
	/**
	 * acf.onceInView
	 *
	 * Watches for a dom element to become visible in the browser and then excecutes the passed callback.
	 *
	 * @date	28/8/19
	 * @since	5.8.1
	 *
	 * @param	dom el The dom element to inspect.
	 * @param	function callback The callback function.
	 */
	acf.onceInView = (function() {
		
		// Define list.
		var items = [];
		var id = 0;
		
		// Define check function.
		var check = function() {
			items.forEach(function( item ){
				if( acf.isInView(item.el) ) {
					item.callback.apply( this );
					pop( item.id );
				}
			});
		};
		
		// And create a debounced version.
		var debounced = acf.debounce( check, 300 );
		
		// Define add function.
		var push = function( el, callback ) {
			
			// Add event listener.
			if( !items.length ) {
				$(window).on( 'scroll resize', debounced ).on( 'acfrefresh orientationchange', check );
			}
			
			// Append to list.
			items.push({ id: id++, el: el, callback: callback });
		}
		
		// Define remove function.
		var pop = function( id ) {
			
			// Remove from list.
			items = items.filter(function(item) {
				return (item.id !== id);
			});
			
			// Clean up listener.
			if( !items.length ) {
				$(window).off( 'scroll resize', debounced ).off( 'acfrefresh orientationchange', check );
			}
		}
		
		// Define returned function.
		return function( el, callback ){
			
			// Allow jQuery object.
			if( el instanceof jQuery )
				el = el[0];
			
			// Execute callback if already in view or add to watch list.
			if( acf.isInView(el) ) {
				callback.apply( this );
			} else {
				push( el, callback );
			}
		}
	})();
	
	/**
	 * acf.once
	 *
	 * Creates a function that is restricted to invoking `func` once.
	 *
	 * @date	2/9/19
	 * @since	5.8.1
	 *
	 * @param	function func The function to restrict.
	 * @return	function
	 */
	acf.once = function( func ){
		var i = 0;
		return function(){
			if( i++ > 0 ) {
				return (func = undefined);
			}
			return func.apply(this, arguments);
		}
	}
	
	/*
	*  exists
	*
	*  This function will return true if a jQuery selection exists
	*
	*  @type	function
	*  @date	8/09/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	(boolean)
	*/
	
	$.fn.exists = function() {
		return $(this).length>0;
	};
	
	
	/*
	*  outerHTML
	*
	*  This function will return a string containing the HTML of the selected element
	*
	*  @type	function
	*  @date	19/11/2013
	*  @since	5.0.0
	*
	*  @param	$.fn
	*  @return	(string)
	*/
	
	$.fn.outerHTML = function() {
	    return $(this).get(0).outerHTML;
	};
	
	/*
	*  indexOf
	*
	*  This function will provide compatibility for ie8
	*
	*  @type	function
	*  @date	5/3/17
	*  @since	5.5.10
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	if( !Array.prototype.indexOf ) {
		
	    Array.prototype.indexOf = function(val) {
	        return $.inArray(val, this);
	    };
	    
	}
	
	
	// Set up actions from events
	$(document).ready(function(){
		acf.doAction('ready');
	});
	
	$(window).on('load', function(){
		acf.doAction('load');
	});
	
	$(window).on('beforeunload', function(){
		acf.doAction('unload');
	});
	
	$(window).on('resize', function(){
		acf.doAction('resize');
	});
	
	$(document).on('sortstart', function( event, ui ) {
		acf.doAction('sortstart', ui.item, ui.placeholder);
	});
	
	$(document).on('sortstop', function( event, ui ) {
		acf.doAction('sortstop', ui.item, ui.placeholder);
	});
	
})(jQuery);

( function( window, undefined ) {
	"use strict";

	/**
	 * Handles managing all events for whatever you plug it into. Priorities for hooks are based on lowest to highest in
	 * that, lowest priority hooks are fired first.
	 */
	var EventManager = function() {
		/**
		 * Maintain a reference to the object scope so our public methods never get confusing.
		 */
		var MethodsAvailable = {
			removeFilter : removeFilter,
			applyFilters : applyFilters,
			addFilter : addFilter,
			removeAction : removeAction,
			doAction : doAction,
			addAction : addAction,
			storage : getStorage
		};

		/**
		 * Contains the hooks that get registered with this EventManager. The array for storage utilizes a "flat"
		 * object literal such that looking up the hook utilizes the native object literal hash.
		 */
		var STORAGE = {
			actions : {},
			filters : {}
		};
		
		function getStorage() {
			
			return STORAGE;
			
		};
		
		/**
		 * Adds an action to the event manager.
		 *
		 * @param action Must contain namespace.identifier
		 * @param callback Must be a valid callback function before this action is added
		 * @param [priority=10] Used to control when the function is executed in relation to other callbacks bound to the same hook
		 * @param [context] Supply a value to be used for this
		 */
		function addAction( action, callback, priority, context ) {
			if( typeof action === 'string' && typeof callback === 'function' ) {
				priority = parseInt( ( priority || 10 ), 10 );
				_addHook( 'actions', action, callback, priority, context );
			}

			return MethodsAvailable;
		}

		/**
		 * Performs an action if it exists. You can pass as many arguments as you want to this function; the only rule is
		 * that the first argument must always be the action.
		 */
		function doAction( /* action, arg1, arg2, ... */ ) {
			var args = Array.prototype.slice.call( arguments );
			var action = args.shift();

			if( typeof action === 'string' ) {
				_runHook( 'actions', action, args );
			}

			return MethodsAvailable;
		}

		/**
		 * Removes the specified action if it contains a namespace.identifier & exists.
		 *
		 * @param action The action to remove
		 * @param [callback] Callback function to remove
		 */
		function removeAction( action, callback ) {
			if( typeof action === 'string' ) {
				_removeHook( 'actions', action, callback );
			}

			return MethodsAvailable;
		}

		/**
		 * Adds a filter to the event manager.
		 *
		 * @param filter Must contain namespace.identifier
		 * @param callback Must be a valid callback function before this action is added
		 * @param [priority=10] Used to control when the function is executed in relation to other callbacks bound to the same hook
		 * @param [context] Supply a value to be used for this
		 */
		function addFilter( filter, callback, priority, context ) {
			if( typeof filter === 'string' && typeof callback === 'function' ) {
				priority = parseInt( ( priority || 10 ), 10 );
				_addHook( 'filters', filter, callback, priority, context );
			}

			return MethodsAvailable;
		}

		/**
		 * Performs a filter if it exists. You should only ever pass 1 argument to be filtered. The only rule is that
		 * the first argument must always be the filter.
		 */
		function applyFilters( /* filter, filtered arg, arg2, ... */ ) {
			var args = Array.prototype.slice.call( arguments );
			var filter = args.shift();

			if( typeof filter === 'string' ) {
				return _runHook( 'filters', filter, args );
			}

			return MethodsAvailable;
		}

		/**
		 * Removes the specified filter if it contains a namespace.identifier & exists.
		 *
		 * @param filter The action to remove
		 * @param [callback] Callback function to remove
		 */
		function removeFilter( filter, callback ) {
			if( typeof filter === 'string') {
				_removeHook( 'filters', filter, callback );
			}

			return MethodsAvailable;
		}

		/**
		 * Removes the specified hook by resetting the value of it.
		 *
		 * @param type Type of hook, either 'actions' or 'filters'
		 * @param hook The hook (namespace.identifier) to remove
		 * @private
		 */
		function _removeHook( type, hook, callback, context ) {
			if ( !STORAGE[ type ][ hook ] ) {
				return;
			}
			if ( !callback ) {
				STORAGE[ type ][ hook ] = [];
			} else {
				var handlers = STORAGE[ type ][ hook ];
				var i;
				if ( !context ) {
					for ( i = handlers.length; i--; ) {
						if ( handlers[i].callback === callback ) {
							handlers.splice( i, 1 );
						}
					}
				}
				else {
					for ( i = handlers.length; i--; ) {
						var handler = handlers[i];
						if ( handler.callback === callback && handler.context === context) {
							handlers.splice( i, 1 );
						}
					}
				}
			}
		}

		/**
		 * Adds the hook to the appropriate storage container
		 *
		 * @param type 'actions' or 'filters'
		 * @param hook The hook (namespace.identifier) to add to our event manager
		 * @param callback The function that will be called when the hook is executed.
		 * @param priority The priority of this hook. Must be an integer.
		 * @param [context] A value to be used for this
		 * @private
		 */
		function _addHook( type, hook, callback, priority, context ) {
			var hookObject = {
				callback : callback,
				priority : priority,
				context : context
			};

			// Utilize 'prop itself' : http://jsperf.com/hasownproperty-vs-in-vs-undefined/19
			var hooks = STORAGE[ type ][ hook ];
			if( hooks ) {
				hooks.push( hookObject );
				hooks = _hookInsertSort( hooks );
			}
			else {
				hooks = [ hookObject ];
			}

			STORAGE[ type ][ hook ] = hooks;
		}

		/**
		 * Use an insert sort for keeping our hooks organized based on priority. This function is ridiculously faster
		 * than bubble sort, etc: http://jsperf.com/javascript-sort
		 *
		 * @param hooks The custom array containing all of the appropriate hooks to perform an insert sort on.
		 * @private
		 */
		function _hookInsertSort( hooks ) {
			var tmpHook, j, prevHook;
			for( var i = 1, len = hooks.length; i < len; i++ ) {
				tmpHook = hooks[ i ];
				j = i;
				while( ( prevHook = hooks[ j - 1 ] ) &&  prevHook.priority > tmpHook.priority ) {
					hooks[ j ] = hooks[ j - 1 ];
					--j;
				}
				hooks[ j ] = tmpHook;
			}

			return hooks;
		}

		/**
		 * Runs the specified hook. If it is an action, the value is not modified but if it is a filter, it is.
		 *
		 * @param type 'actions' or 'filters'
		 * @param hook The hook ( namespace.identifier ) to be ran.
		 * @param args Arguments to pass to the action/filter. If it's a filter, args is actually a single parameter.
		 * @private
		 */
		function _runHook( type, hook, args ) {
			var handlers = STORAGE[ type ][ hook ];
			
			if ( !handlers ) {
				return (type === 'filters') ? args[0] : false;
			}

			var i = 0, len = handlers.length;
			if ( type === 'filters' ) {
				for ( ; i < len; i++ ) {
					args[ 0 ] = handlers[ i ].callback.apply( handlers[ i ].context, args );
				}
			} else {
				for ( ; i < len; i++ ) {
					handlers[ i ].callback.apply( handlers[ i ].context, args );
				}
			}

			return ( type === 'filters' ) ? args[ 0 ] : true;
		}

		// return all of the publicly available methods
		return MethodsAvailable;

	};
	
	// instantiate
	acf.hooks = new EventManager();

} )( window );

(function($, undefined){
	
	// Cached regex to split keys for `addEvent`.
	var delegateEventSplitter = /^(\S+)\s*(.*)$/;
  
	/**
	*  extend
	*
	*  Helper function to correctly set up the prototype chain for subclasses
	*  Heavily inspired by backbone.js
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	object protoProps New properties for this object.
	*  @return	function.
	*/
	
	var extend = function( protoProps ) {
		
		// vars
		var Parent = this;
		var Child;
		
	    // The constructor function for the new subclass is either defined by you
	    // (the "constructor" property in your `extend` definition), or defaulted
	    // by us to simply call the parent constructor.
	    if( protoProps && protoProps.hasOwnProperty('constructor') ) {
	      Child = protoProps.constructor;
	    } else {
	      Child = function(){ return Parent.apply(this, arguments); };
	    }
	    
		// Add static properties to the constructor function, if supplied.
		$.extend(Child, Parent);
		
		// Set the prototype chain to inherit from `parent`, without calling
		// `parent`'s constructor function and add the prototype properties.
		Child.prototype = Object.create(Parent.prototype);
		$.extend(Child.prototype, protoProps);
		Child.prototype.constructor = Child;
		
		// Set a convenience property in case the parent's prototype is needed later.
	    //Child.prototype.__parent__ = Parent.prototype;

	    // return
		return Child;
		
	};
	

	/**
	*  Model
	*
	*  Base class for all inheritence
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	object props
	*  @return	function.
	*/
	
	var Model = acf.Model = function(){
		
		// generate uique client id
		this.cid = acf.uniqueId('acf');
		
		// set vars to avoid modifying prototype
		this.data = $.extend(true, {}, this.data);
		
		// pass props to setup function
		this.setup.apply(this, arguments);
		
		// store on element (allow this.setup to create this.$el)
		if( this.$el && !this.$el.data('acf') ) {
			this.$el.data('acf', this);
		}
		
		// initialize
		var initialize = function(){
			this.initialize();
			this.addEvents();
			this.addActions();
			this.addFilters();
		};
		
		// initialize on action
		if( this.wait && !acf.didAction(this.wait) ) {
			this.addAction(this.wait, initialize);
		
		// initialize now
		} else {
			initialize.apply(this);
		}
	};
	
	// Attach all inheritable methods to the Model prototype.
	$.extend(Model.prototype, {
		
		// Unique model id
		id: '',
		
		// Unique client id
		cid: '',
		
		// jQuery element
		$el: null,
		
		// Data specific to this instance
		data: {},
		
		// toggle used when changing data
		busy: false,
		changed: false,
		
		// Setup events hooks
		events: {},
		actions: {},
		filters: {},
		
		// class used to avoid nested event triggers
		eventScope: '',
		
		// action to wait until initialize
		wait: false,
		
		// action priority default
		priority: 10,
		
		/**
		*  get
		*
		*  Gets a specific data value
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @return	mixed
		*/
		
		get: function( name ) {
			return this.data[name];
		},
		
		/**
		*  has
		*
		*  Returns `true` if the data exists and is not null
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @return	boolean
		*/
		
		has: function( name ) {
			return this.get(name) != null;
		},
		
		/**
		*  set
		*
		*  Sets a specific data value
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	mixed value
		*  @return	this
		*/
		
		set: function( name, value, silent ) {
			
			// bail if unchanged
			var prevValue = this.get(name);
			if( prevValue == value ) {
				return this;
			}
			
			// set data
			this.data[ name ] = value;
			
			// trigger events
			if( !silent ) {
				this.changed = true;
				this.trigger('changed:' + name, [value, prevValue]);
				this.trigger('changed', [name, value, prevValue]);
			}
			
			// return
			return this;
		},
		
		/**
		*  inherit
		*
		*  Inherits the data from a jQuery element
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	jQuery $el
		*  @return	this
		*/
		
		inherit: function( data ){
			
			// allow jQuery
			if( data instanceof jQuery ) {
				data = data.data();
			}
			
			// extend
			$.extend(this.data, data);
			
			// return
			return this;
		},
		
		/**
		*  prop
		*
		*  mimics the jQuery prop function
		*
		*  @date	4/6/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		prop: function(){
			return this.$el.prop.apply(this.$el, arguments);
		},
		
		/**
		*  setup
		*
		*  Run during constructor function
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	n/a
		*  @return	n/a
		*/
		
		setup: function( props ){
			$.extend(this, props);
		},
		
		/**
		*  initialize
		*
		*  Also run during constructor function
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	n/a
		*  @return	n/a
		*/
		
		initialize: function(){},
		
		/**
		*  addElements
		*
		*  Adds multiple jQuery elements to this object
		*
		*  @date	9/5/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		addElements: function( elements ){
			elements = elements || this.elements || null;
			if( !elements || !Object.keys(elements).length ) return false;
			for( var i in elements ) {
				this.addElement( i, elements[i] );
			}
		},
		
		/**
		*  addElement
		*
		*  description
		*
		*  @date	9/5/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		addElement: function( name, selector){
			this[ '$' + name ] = this.$( selector );
		},
		
		/**
		*  addEvents
		*
		*  Adds multiple event handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object events {event1 : callback, event2 : callback, etc }
		*  @return	n/a
		*/
		
		addEvents: function( events ){
			events = events || this.events || null;
			if( !events ) return false;
			for( var key in events ) {
				var match = key.match(delegateEventSplitter);
				this.on(match[1], match[2], events[key]);
			}	
		},
		
		/**
		*  removeEvents
		*
		*  Removes multiple event handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object events {event1 : callback, event2 : callback, etc }
		*  @return	n/a
		*/
		
		removeEvents: function( events ){
			events = events || this.events || null;
			if( !events ) return false;
			for( var key in events ) {
				var match = key.match(delegateEventSplitter);
				this.off(match[1], match[2], events[key]);
			}	
		},
		
		/**
		*  getEventTarget
		*
		*  Returns a jQUery element to tigger an event on
		*
		*  @date	5/6/18
		*  @since	5.6.9
		*
		*  @param	jQuery $el		The default jQuery element. Optional.
		*  @param	string event	The event name. Optional.
		*  @return	jQuery
		*/
		
		getEventTarget: function( $el, event ){
			return $el || this.$el || $(document);
		},
		
		/**
		*  validateEvent
		*
		*  Returns true if the event target's closest $el is the same as this.$el
		*  Requires both this.el and this.$el to be defined
		*
		*  @date	5/6/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		validateEvent: function( e ){
			if( this.eventScope ) {
				return $( e.target ).closest( this.eventScope ).is( this.$el );
			} else {
				return true;
			}
		},
		
		/**
		*  proxyEvent
		*
		*  Returns a new event callback function scoped to this model
		*
		*  @date	29/3/18
		*  @since	5.6.9
		*
		*  @param	function callback
		*  @return	function
		*/
		
		proxyEvent: function( callback ){
			return this.proxy(function(e){
				
				// validate
				if( !this.validateEvent(e) ) {
					return;
				}
				
				// construct args
				var args = acf.arrayArgs( arguments );
				var extraArgs = args.slice(1);
				var eventArgs = [ e, $(e.currentTarget) ].concat( extraArgs );
				
				// callback
				callback.apply(this, eventArgs);
			});
		},
		
		/**
		*  on
		*
		*  Adds an event handler similar to jQuery
		*  Uses the instance 'cid' to namespace event
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		on: function( a1, a2, a3, a4 ){
			
			// vars
			var $el, event, selector, callback, args;
			
			// find args
			if( a1 instanceof jQuery ) {
				
				// 1. args( $el, event, selector, callback )
				if( a4 ) {
					$el = a1; event = a2; selector = a3; callback = a4;
					
				// 2. args( $el, event, callback )
				} else {
					$el = a1; event = a2; callback = a3;
				}
			} else {
				
				// 3. args( event, selector, callback )
				if( a3 ) {
					event = a1; selector = a2; callback = a3;
				
				// 4. args( event, callback )
				} else {
					event = a1; callback = a2;
				}
			}
			
			// element
			$el = this.getEventTarget( $el );
			
			// modify callback
			if( typeof callback === 'string' ) {
				callback = this.proxyEvent( this[callback] );
			}
			
			// modify event
			event = event + '.' + this.cid;
			
			// args
			if( selector ) {
				args = [ event, selector, callback ];
			} else {
				args = [ event, callback ];
			}
			
			// on()
			$el.on.apply($el, args);
		},
				
		/**
		*  off
		*
		*  Removes an event handler similar to jQuery
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		off: function( a1, a2 ,a3 ){
			
			// vars
			var $el, event, selector, args;
						
			// find args
			if( a1 instanceof jQuery ) {
				
				// 1. args( $el, event, selector )
				if( a3 ) {
					$el = a1; event = a2; selector = a3;
				
				// 2. args( $el, event )
				} else {
					$el = a1; event = a2;
				}
			} else {
											
				// 3. args( event, selector )
				if( a2 ) {
					event = a1; selector = a2;
					
				// 4. args( event )
				} else {
					event = a1;
				}
			}
			
			// element
			$el = this.getEventTarget( $el );
			
			// modify event
			event = event + '.' + this.cid;
			
			// args
			if( selector ) {
				args = [ event, selector ];
			} else {
				args = [ event ];
			}
			
			// off()
			$el.off.apply($el, args);			
		},
		
		/**
		*  trigger
		*
		*  Triggers an event similar to jQuery
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		trigger: function( name, args, bubbles ){
			var $el = this.getEventTarget();
			if( bubbles ) {
				$el.trigger.apply( $el, arguments );
			} else {
				$el.triggerHandler.apply( $el, arguments );
			}
			return this;
		},
		
		/**
		*  addActions
		*
		*  Adds multiple action handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object actions {action1 : callback, action2 : callback, etc }
		*  @return	n/a
		*/
		
		addActions: function( actions ){
			actions = actions || this.actions || null;
			if( !actions ) return false;
			for( var i in actions ) {
				this.addAction( i, actions[i] );
			}	
		},
		
		/**
		*  removeActions
		*
		*  Removes multiple action handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object actions {action1 : callback, action2 : callback, etc }
		*  @return	n/a
		*/
		
		removeActions: function( actions ){
			actions = actions || this.actions || null;
			if( !actions ) return false;
			for( var i in actions ) {
				this.removeAction( i, actions[i] );
			}	
		},
		
		/**
		*  addAction
		*
		*  Adds an action using the wp.hooks library
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		addAction: function( name, callback, priority ){
			//console.log('addAction', name, priority);
			// defaults
			priority = priority || this.priority;
			
			// modify callback
			if( typeof callback === 'string' ) {
				callback = this[ callback ];
			}
			
			// add
			acf.addAction(name, callback, priority, this);
			
		},
		
		/**
		*  removeAction
		*
		*  Remove an action using the wp.hooks library
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		removeAction: function( name, callback ){
			acf.removeAction(name, this[ callback ]);
		},
		
		/**
		*  addFilters
		*
		*  Adds multiple filter handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object filters {filter1 : callback, filter2 : callback, etc }
		*  @return	n/a
		*/
		
		addFilters: function( filters ){
			filters = filters || this.filters || null;
			if( !filters ) return false;
			for( var i in filters ) {
				this.addFilter( i, filters[i] );
			}	
		},
		
		/**
		*  addFilter
		*
		*  Adds a filter using the wp.hooks library
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		addFilter: function( name, callback, priority ){
			
			// defaults
			priority = priority || this.priority;
			
			// modify callback
			if( typeof callback === 'string' ) {
				callback = this[ callback ];
			}
			
			// add
			acf.addFilter(name, callback, priority, this);
			
		},
		
		/**
		*  removeFilters
		*
		*  Removes multiple filter handlers
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	object filters {filter1 : callback, filter2 : callback, etc }
		*  @return	n/a
		*/
		
		removeFilters: function( filters ){
			filters = filters || this.filters || null;
			if( !filters ) return false;
			for( var i in filters ) {
				this.removeFilter( i, filters[i] );
			}	
		},
		
		/**
		*  removeFilter
		*
		*  Remove a filter using the wp.hooks library
		*
		*  @date	14/12/17
		*  @since	5.6.5
		*
		*  @param	string name
		*  @param	string callback
		*  @return	n/a
		*/
		
		removeFilter: function( name, callback ){
			acf.removeFilter(name, this[ callback ]);
		},
		
		/**
		*  $
		*
		*  description
		*
		*  @date	16/12/17
		*  @since	5.6.5
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		$: function( selector ){
			return this.$el.find( selector );
		},
		
		/**
		*  remove
		*
		*  Removes the element and listenters
		*
		*  @date	19/12/17
		*  @since	5.6.5
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		remove: function(){
			this.removeEvents();
			this.removeActions();
			this.removeFilters();
			this.$el.remove();
		},
		
		/**
		*  setTimeout
		*
		*  description
		*
		*  @date	16/1/18
		*  @since	5.6.5
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		setTimeout: function( callback, milliseconds ){
			return setTimeout( this.proxy(callback), milliseconds );
		},
		
		/**
		*  time
		*
		*  used for debugging
		*
		*  @date	7/3/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		time: function(){
			console.time( this.id || this.cid );
		},
		
		/**
		*  timeEnd
		*
		*  used for debugging
		*
		*  @date	7/3/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		timeEnd: function(){
			console.timeEnd( this.id || this.cid );
		},
		
		/**
		*  show
		*
		*  description
		*
		*  @date	15/3/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		show: function(){
			acf.show( this.$el );
		},
		
		
		/**
		*  hide
		*
		*  description
		*
		*  @date	15/3/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		hide: function(){
			acf.hide( this.$el );
		},
		
		/**
		*  proxy
		*
		*  Returns a new function scoped to this model
		*
		*  @date	29/3/18
		*  @since	5.6.9
		*
		*  @param	function callback
		*  @return	function
		*/
		
		proxy: function( callback ){
			return $.proxy( callback, this );
		}
		
		
	});
	
	// Set up inheritance for the model
	Model.extend = extend;
	
	// Global model storage
	acf.models = {};
	
	/**
	*  acf.getInstance
	*
	*  This function will get an instance from an element
	*
	*  @date	5/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getInstance = function( $el ){
		return $el.data('acf');	
	};
	
	/**
	*  acf.getInstances
	*
	*  This function will get an array of instances from multiple elements
	*
	*  @date	5/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getInstances = function( $el ){
		var instances = [];
		$el.each(function(){
			instances.push( acf.getInstance( $(this) ) );
		});
		return instances;	
	};
	
})(jQuery);

(function($, undefined){
	
	acf.models.Popup = acf.Model.extend({
			
		data: {
			title: '',
			content: '',
			width: 0,
			height: 0,
			loading: false,
		},
		
		events: {
			'click [data-event="close"]': 'onClickClose',
			'click .acf-close-popup': 'onClickClose',
		},
		
		setup: function( props ){
			$.extend(this.data, props);
			this.$el = $(this.tmpl());
		},
		
		initialize: function(){
			this.render();
			this.open();
		},
		
		tmpl: function(){
			return [
				'<div id="acf-popup">',
					'<div class="acf-popup-box acf-box">',
						'<div class="title"><h3></h3><a href="#" class="acf-icon -cancel grey" data-event="close"></a></div>',
						'<div class="inner"></div>',
						'<div class="loading"><i class="acf-loading"></i></div>',
					'</div>',
					'<div class="bg" data-event="close"></div>',
				'</div>'
			].join('');
		},
		
		render: function(){
			
			// vars
			var title = this.get('title');
			var content = this.get('content');
			var loading = this.get('loading');
			var width = this.get('width');
			var height = this.get('height');
			
			// html
			this.title( title );
			this.content( content );
			
			// width
			if( width ) {
				this.$('.acf-popup-box').css('width', width);
			}
			
			// height
			if( height ) {
				this.$('.acf-popup-box').css('min-height', height);
			}
			
			// loading
			this.loading( loading );
			
			// action
			acf.doAction('append', this.$el);

		},
		
		update: function( props ){
			this.data = acf.parseArgs(props, this.data);
			this.render();
		},
		
		title: function( title ){
			this.$('.title:first h3').html( title );
		},
		
		content: function( content ){
			this.$('.inner:first').html( content );
		},
		
		loading: function( show ){
			var $loading = this.$('.loading:first');
			show ? $loading.show() : $loading.hide();
		},

		open: function(){
			$('body').append( this.$el );
		},
		
		close: function(){
			this.remove();
		},
		
		onClickClose: function( e, $el ){
			e.preventDefault();
			this.close();
		}
		
	});
	
	/**
	*  newPopup
	*
	*  Creates a new Popup with the supplied props
	*
	*  @date	17/12/17
	*  @since	5.6.5
	*
	*  @param	object props
	*  @return	object
	*/
	
	acf.newPopup = function( props ){
		return new acf.models.Popup( props );
	};
	
})(jQuery);

(function($, undefined){
	
	acf.unload = new acf.Model({
		
		wait: 'load',
		active: true,
		changed: false,
		
		actions: {
			'validation_failure':	'startListening',
			'validation_success':	'stopListening'
		},
		
		events: {
			'change form .acf-field':	'startListening',
			'submit form':				'stopListening'
		},
		
		enable: function(){
			this.active = true;
		},
		
		disable: function(){
			this.active = false;
		},
		
		reset: function(){
			this.stopListening();
		},
		
		startListening: function(){
			
			// bail ealry if already changed, not active
			if( this.changed || !this.active ) {
				return;
			}
			
			// update 
			this.changed = true;
			
			// add event
			$(window).on('beforeunload', this.onUnload);
			
		},
		
		stopListening: function(){
			
			// update 
			this.changed = false;
			
			// remove event
			$(window).off('beforeunload', this.onUnload);
			
		},
		
		onUnload: function(){
			return acf.__('The changes you made will be lost if you navigate away from this page');
		}
		 
	});
	
})(jQuery);

(function($, undefined){
	
	var panel = new acf.Model({
		
		events: {
			'click .acf-panel-title': 'onClick',
		},
		
		onClick: function( e, $el ){
			e.preventDefault();
			this.toggle( $el.parent() );
		},
		
		isOpen: function( $el ) {
			return $el.hasClass('-open');
		},
		
		toggle: function( $el ){
			this.isOpen($el) ? this.close( $el ) : this.open( $el );
		},
		
		open: function( $el ){
			$el.addClass('-open');
			$el.find('.acf-panel-title i').attr('class', 'dashicons dashicons-arrow-down');
		},
		
		close: function( $el ){
			$el.removeClass('-open');
			$el.find('.acf-panel-title i').attr('class', 'dashicons dashicons-arrow-right');
		}
				 
	});
		
})(jQuery);

(function($, undefined){
	
	var Notice = acf.Model.extend({
		
		data: {
			text: '',
			type: '',
			timeout: 0,
			dismiss: true,
			target: false,
			close: function(){}
		},
		
		events: {
			'click .acf-notice-dismiss': 'onClickClose',
		},
		
		tmpl: function(){
			return '<div class="acf-notice"></div>';
		},
		
		setup: function( props ){
			$.extend(this.data, props);
			this.$el = $(this.tmpl());
		},
		
		initialize: function(){
			
			// render
			this.render();
			
			// show
			this.show();
		},
		
		render: function(){
			
			// class
			this.type( this.get('type') );
			
			// text
			this.html( '<p>' + this.get('text') + '</p>' );
			
			// close
			if( this.get('dismiss') ) {
				this.$el.append('<a href="#" class="acf-notice-dismiss acf-icon -cancel small"></a>');
				this.$el.addClass('-dismiss');
			}
			
			// timeout
			var timeout = this.get('timeout');
			if( timeout ) {
				this.away( timeout );
			}
		},
		
		update: function( props ){
			
			// update
			$.extend(this.data, props);
			
			// re-initialize
			this.initialize();
			
			// refresh events
			this.removeEvents();
			this.addEvents();
		},
		
		show: function(){
			var $target = this.get('target');
			if( $target ) {
				$target.prepend( this.$el );
			}
		},
		
		hide: function(){
			this.$el.remove();
		},
		
		away: function( timeout ){
			this.setTimeout(function(){
				acf.remove( this.$el );
			}, timeout );
		},
		
		type: function( type ){
			
			// remove prev type
			var prevType = this.get('type');
			if( prevType ) {
				this.$el.removeClass('-' + prevType);
			}
			
			// add new type
			this.$el.addClass('-' + type);
			
			// backwards compatibility
			if( type == 'error' ) {
				this.$el.addClass('acf-error-message');
			}
		},
		
		html: function( html ){
			this.$el.html( html );
		},
		
		text: function( text ){
			this.$('p').html( text );
		},
		
		onClickClose: function( e, $el ){
			e.preventDefault();
			this.get('close').apply(this, arguments);
			this.remove();
		}
	});
	
	acf.newNotice = function( props ){
		
		// ensure object
		if( typeof props !== 'object' ) {
			props = { text: props };
		}
		
		// instantiate
		return new Notice( props );
	};
	
	var noticeManager = new acf.Model({
		wait: 'prepare',
		priority: 1,
		initialize: function(){
			
			// vars
			var $notice = $('.acf-admin-notice');
			
			// move to avoid WP flicker
			if( $notice.length ) {
				$('h1:first').after( $notice );
			}
		}	 
	});
	
	
})(jQuery);

(function($, undefined){
	
	/**
	 * postboxManager
	 *
	 * Manages postboxes on the screen.
	 *
	 * @date	25/5/19
	 * @since	5.8.1
	 *
	 * @param	void
	 * @return	void
	 */
	var postboxManager = new acf.Model({
		wait: 'prepare',
		priority: 1,
		initialize: function(){
			(acf.get('postboxes') || []).map( acf.newPostbox );
		},
	});
	
	/**
	*  acf.getPostbox
	*
	*  Returns a postbox instance.
	*
	*  @date	23/9/18
	*  @since	5.7.7
	*
	*  @param	mixed $el Either a jQuery element or the postbox id.
	*  @return	object
	*/
	acf.getPostbox = function( $el ){
		
		// allow string parameter
		if( typeof arguments[0] == 'string' ) {
			$el = $('#' + arguments[0]);
		}
		
		// return instance
		return acf.getInstance( $el );
	};
	
	/**
	*  acf.getPostboxes
	*
	*  Returns an array of postbox instances.
	*
	*  @date	23/9/18
	*  @since	5.7.7
	*
	*  @param	void
	*  @return	array
	*/
	acf.getPostboxes = function(){
		return acf.getInstances( $('.acf-postbox') );
	};
	
	/**
	*  acf.newPostbox
	*
	*  Returns a new postbox instance for the given props.
	*
	*  @date	20/9/18
	*  @since	5.7.6
	*
	*  @param	object props The postbox properties.
	*  @return	object
	*/
	acf.newPostbox = function( props ){
		return new acf.models.Postbox( props );
	};
	
	/**
	*  acf.models.Postbox
	*
	*  The postbox model.
	*
	*  @date	20/9/18
	*  @since	5.7.6
	*
	*  @param	void
	*  @return	void
	*/
	acf.models.Postbox = acf.Model.extend({
		
		data: {
			id:			'',
			key:		'',
			style: 		'default',
			label: 		'top',
			edit:		''
		},
		
		setup: function( props ){
			
			// compatibilty
			if( props.editLink ) {
				props.edit = props.editLink;
			}
			
			// extend data
			$.extend(this.data, props);
			
			// set $el
			this.$el = this.$postbox();
		},
		
		$postbox: function(){
			return $('#' + this.get('id'));
		},
		
		$hide: function(){
			return $('#' + this.get('id') + '-hide');
		},
		
		$hideLabel: function(){
			return this.$hide().parent();
		},
		
		$hndle: function(){
			return this.$('> .hndle');
		},
		
		$inside: function(){
			return this.$('> .inside');
		},
		
		isVisible: function(){
			return this.$el.hasClass('acf-hidden');
		},
		
		initialize: function(){
			
			// Add default class.
			this.$el.addClass('acf-postbox');
			
			// Remove 'hide-if-js class.
			// This class is added by WP to postboxes that are hidden via the "Screen Options" tab.
			this.$el.removeClass('hide-if-js');
			
			// Add field group style class (ignore in block editor).
			if( acf.get('editor') !== 'block' ) {
				var style = this.get('style');
				if( style !== 'default' ) {
					this.$el.addClass( style );
				}
			}
			
			// Add .inside class.
			this.$inside().addClass('acf-fields').addClass('-' + this.get('label'));
			
			// Append edit link.
			var edit = this.get('edit');
			if( edit ) {
				this.$hndle().append('<a href="' + edit + '" class="dashicons dashicons-admin-generic acf-hndle-cog acf-js-tooltip" title="' + acf.__('Edit field group') + '"></a>');
			}
			
			// Show postbox.
			this.show();
		},
		
		show: function(){
			
			// Show label.
			this.$hideLabel().show();
			
			// toggle on checkbox
			this.$hide().prop('checked', true);
			
			// Show postbox
			this.$el.show().removeClass('acf-hidden');
			
			// Do action.
			acf.doAction('show_postbox', this);
		},
		
		enable: function(){
			acf.enable( this.$el, 'postbox' );
		},
		
		showEnable: function(){
			this.enable();
			this.show();
		},
		
		hide: function(){
			
			// Hide label.
			this.$hideLabel().hide();
			
			// Hide postbox
			this.$el.hide().addClass('acf-hidden');
			
			// Do action.
			acf.doAction('hide_postbox', this);
		},
		
		disable: function(){
			acf.disable( this.$el, 'postbox' );
		},
		
		hideDisable: function(){
			this.disable();
			this.hide();
		},
		
		html: function( html ){
			
			// Update HTML.
			this.$inside().html( html );
			
			// Do action.
			acf.doAction('append', this.$el);
		}
	});
		
})(jQuery);

(function($, undefined){
	
	acf.newTooltip = function( props ){
		
		// ensure object
		if( typeof props !== 'object' ) {
			props = { text: props };
		}
		
		// confirmRemove
		if( props.confirmRemove !== undefined ) {
			
			props.textConfirm = acf.__('Remove');
			props.textCancel = acf.__('Cancel');
			return new TooltipConfirm( props );
			
		// confirm
		} else if( props.confirm !== undefined ) {
			
			return new TooltipConfirm( props );
		
		// default
		} else {
			return new Tooltip( props );
		}
		
	};
	
	var Tooltip = acf.Model.extend({
		
		data: {
			text: '',
			timeout: 0,
			target: null
		},
		
		tmpl: function(){
			return '<div class="acf-tooltip"></div>';
		},
		
		setup: function( props ){
			$.extend(this.data, props);
			this.$el = $(this.tmpl());
		},
		
		initialize: function(){
			
			// render
			this.render();
			
			// append
			this.show();
			
			// position
			this.position();
			
			// timeout
			var timeout = this.get('timeout');
			if( timeout ) {
				setTimeout( $.proxy(this.fade, this), timeout );
			}
		},
		
		update: function( props ){
			$.extend(this.data, props);
			this.initialize();
		},
		
		render: function(){
			this.html( this.get('text') );
		},
		
		show: function(){
			$('body').append( this.$el );
		},
		
		hide: function(){
			this.$el.remove();
		},
		
		fade: function(){
			
			// add class
			this.$el.addClass('acf-fade-up');
			
			// remove
			this.setTimeout(function(){
				this.remove();
			}, 250);
		},
		
		html: function( html ){
			this.$el.html( html );
		},
		
		position: function(){
			
			// vars
			var $tooltip = this.$el;
			var $target = this.get('target');
			if( !$target ) return;
			
			// Reset position.
			$tooltip.removeClass('right left bottom top').css({ top: 0, left: 0 });
			
			// Declare tollerance to edge of screen.
			var tolerance = 10;
			
			// Find target position.
			var targetWidth = $target.outerWidth();
			var targetHeight = $target.outerHeight();
			var targetTop = $target.offset().top;
			var targetLeft = $target.offset().left;
			
			// Find tooltip position.
			var tooltipWidth = $tooltip.outerWidth();
			var tooltipHeight = $tooltip.outerHeight();
			var tooltipTop = $tooltip.offset().top; // Should be 0, but WP media grid causes this to be 32 (toolbar padding).
			
			// Assume default top alignment.
			var top = targetTop - tooltipHeight - tooltipTop;
			var left = targetLeft + (targetWidth / 2) - (tooltipWidth / 2);
			
			// Check if too far left.
			if( left < tolerance ) {
				$tooltip.addClass('right');
				left = targetLeft + targetWidth;
				top = targetTop + (targetHeight / 2) - (tooltipHeight / 2) - tooltipTop;
			
			// Check if too far right.
			} else if( (left + tooltipWidth + tolerance) > $(window).width() ) {
				$tooltip.addClass('left');
				left = targetLeft - tooltipWidth;
				top = targetTop + (targetHeight / 2) - (tooltipHeight / 2) - tooltipTop;
			
			// Check if too far up.
			} else if( top - $(window).scrollTop() < tolerance ) {
				$tooltip.addClass('bottom');
				top = targetTop + targetHeight - tooltipTop;
				
			// No colision with edges.
			} else {
				$tooltip.addClass('top');
			}
			
			// update css
			$tooltip.css({ 'top': top, 'left': left });	
		}
	});
	
	var TooltipConfirm = Tooltip.extend({
		
		data: {
			text: '',
			textConfirm: '',
			textCancel: '',
			target: null,
			targetConfirm: true,
			confirm: function(){},
			cancel: function(){},
			context: false
		},
		
		events: {
			'click [data-event="cancel"]': 'onCancel',
			'click [data-event="confirm"]': 'onConfirm',
		},
		
		addEvents: function(){
			
			// add events
			acf.Model.prototype.addEvents.apply(this);
			
			// vars
			var $document = $(document);
			var $target = this.get('target');
			
			// add global 'cancel' click event
			// - use timeout to avoid the current 'click' event triggering the onCancel function
			this.setTimeout(function(){
				this.on( $document, 'click', 'onCancel' );
			});
			
			// add target 'confirm' click event
			// - allow setting to control this feature
			if( this.get('targetConfirm') ) {
				this.on( $target, 'click', 'onConfirm' );
			}
		},
		
		removeEvents: function(){
			
			// remove events
			acf.Model.prototype.removeEvents.apply(this);
			
			// vars
			var $document = $(document);
			var $target = this.get('target');
			
			// remove custom events
			this.off( $document, 'click' );
			this.off( $target, 'click' );
		},
		
		render: function(){
			
			// defaults
			var text = this.get('text') || acf.__('Are you sure?');
			var textConfirm = this.get('textConfirm') || acf.__('Yes');
			var textCancel = this.get('textCancel') || acf.__('No');
			
			// html
			var html = [
				text,
				'<a href="#" data-event="confirm">' + textConfirm + '</a>',
				'<a href="#" data-event="cancel">' + textCancel + '</a>'
			].join(' ');
			
			// html
			this.html( html );
			
			// class
			this.$el.addClass('-confirm');
		},
		
		onCancel: function( e, $el ){
			
			// prevent default
			e.preventDefault();
			e.stopImmediatePropagation();
			
			// callback
			var callback = this.get('cancel');
			var context = this.get('context') || this;
			callback.apply( context, arguments );
			
			//remove
			this.remove();
		},
		
		onConfirm: function( e, $el ){
			
			// prevent default
			e.preventDefault();
			e.stopImmediatePropagation();
			
			// callback
			var callback = this.get('confirm');
			var context = this.get('context') || this;
			callback.apply( context, arguments );
			
			//remove
			this.remove();
		}
	});
	
	// storage
	acf.models.Tooltip = Tooltip;
	acf.models.TooltipConfirm = TooltipConfirm;
	
	
	/**
	*  tooltipManager
	*
	*  description
	*
	*  @date	17/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var tooltipHoverHelper = new acf.Model({
		
		tooltip: false,
		
		events: {
			'mouseenter .acf-js-tooltip':	'showTitle',
			'mouseup .acf-js-tooltip':		'hideTitle',
			'mouseleave .acf-js-tooltip':	'hideTitle'
		},
		
		showTitle: function( e, $el ){
			
			// vars
			var title = $el.attr('title');
			
			// bail ealry if no title
			if( !title ) {
				return;
			}
			
			// clear title to avoid default browser tooltip
			$el.attr('title', '');
			
			// create
			if( !this.tooltip ) {
				this.tooltip = acf.newTooltip({
					text: title,
					target: $el
				});
			
			// update
			} else {
				this.tooltip.update({
					text: title,
					target: $el
				});
			}
			
		},
		
		hideTitle: function( e, $el ){
			
			// hide tooltip
			this.tooltip.hide();
			
			// restore title
			$el.attr('title', this.tooltip.get('text'));
		}
	});
	
})(jQuery);

(function($, undefined){
	
	// vars
	var storage = [];
	
	/**
	*  acf.Field
	*
	*  description
	*
	*  @date	23/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.Field = acf.Model.extend({
		
		// field type
		type: '',
		
		// class used to avoid nested event triggers
		eventScope: '.acf-field',
		
		// initialize events on 'ready'
		wait: 'ready',
		
		/**
		*  setup
		*
		*  Called during the constructor function to setup this field ready for initialization
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	jQuery $field The field element.
		*  @return	void
		*/
		
		setup: function( $field ){
			
			// set $el
			this.$el = $field;
			
			// inherit $field data
			this.inherit( $field );
			
			// inherit controll data
			this.inherit( this.$control() );
		},
		
		/**
		*  val
		*
		*  Sets or returns the field's value
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	mixed val Optional. The value to set
		*  @return	mixed
		*/
		
		val: function( val ){
			
			// Set.
			if( val !== undefined ) {
				return this.setValue( val );
			
			// Get.
			} else {
				return this.prop('disabled') ? null : this.getValue();
			}
		},
		
		/**
		*  getValue
		*
		*  returns the field's value
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	void
		*  @return	mixed
		*/
		
		getValue: function(){
			return this.$input().val();
		},
		
		/**
		*  setValue
		*
		*  sets the field's value and returns true if changed
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	mixed val
		*  @return	boolean. True if changed.
		*/
		
		setValue: function( val ){
			return acf.val( this.$input(), val );
		},
		
		/**
		*  __
		*
		*  i18n helper to be removed
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		__: function( string ){
			return acf._e( this.type, string );
		},
		
		/**
		*  $control
		*
		*  returns the control jQuery element used for inheriting data. Uses this.control setting.
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	void
		*  @return	jQuery
		*/
		
		$control: function(){
			return false;
		},
		
		/**
		*  $input
		*
		*  returns the input jQuery element used for saving values. Uses this.input setting.
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	void
		*  @return	jQuery
		*/
		
		$input: function(){
			return this.$('[name]:first');
		},
		
		/**
		*  $inputWrap
		*
		*  description
		*
		*  @date	12/5/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		$inputWrap: function(){
			return this.$('.acf-input:first');
		},
		
		/**
		*  $inputWrap
		*
		*  description
		*
		*  @date	12/5/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		$labelWrap: function(){
			return this.$('.acf-label:first');
		},
		
		/**
		*  getInputName
		*
		*  Returns the field's input name
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	void
		*  @return	string
		*/
		
		getInputName: function(){
			return this.$input().attr('name') || '';
		},
		
		/**
		*  parent
		*
		*  returns the field's parent field or false on failure.
		*
		*  @date	8/5/18
		*  @since	5.6.9
		*
		*  @param	void
		*  @return	object|false
		*/
		
		parent: function() {
			
			// vars
			var parents = this.parents();
			
			// return
			return parents.length ? parents[0] : false;
		},
		
		/**
		*  parents
		*
		*  description
		*
		*  @date	9/7/18
		*  @since	5.6.9
		*
		*  @param	type $var Description. Default.
		*  @return	type Description.
		*/
		
		parents: function(){
			
			// vars
			var $parents = this.$el.parents('.acf-field');
			
			// convert
			var parents = acf.getFields( $parents );
			
			// return
			return parents;
		},
		
		show: function( lockKey, context ){
			
			// show field and store result
			var changed = acf.show( this.$el, lockKey );
			
			// do action if visibility has changed
			if( changed ) {
				this.prop('hidden', false);
				acf.doAction('show_field', this, context);
			}
			
			// return
			return changed;
		},
		
		hide: function( lockKey, context ){
			
			// hide field and store result
			var changed = acf.hide( this.$el, lockKey );
			
			// do action if visibility has changed
			if( changed ) {
				this.prop('hidden', true);
				acf.doAction('hide_field', this, context);
			}
			
			// return
			return changed;
		},
		
		enable: function( lockKey, context ){
			
			// enable field and store result
			var changed = acf.enable( this.$el, lockKey );
			
			// do action if disabled has changed
			if( changed ) {
				this.prop('disabled', false);
				acf.doAction('enable_field', this, context);
			}
			
			// return
			return changed;
		},
		
		disable: function( lockKey, context ){
			
			// disabled field and store result
			var changed = acf.disable( this.$el, lockKey );
			
			// do action if disabled has changed
			if( changed ) {
				this.prop('disabled', true);
				acf.doAction('disable_field', this, context);
			}
			
			// return
			return changed;
		},
		
		showEnable: function( lockKey, context ){
			
			// enable
			this.enable.apply(this, arguments);
			
			// show and return true if changed
			return this.show.apply(this, arguments);
		},
		
		hideDisable: function( lockKey, context ){
			
			// disable
			this.disable.apply(this, arguments);
			
			// hide and return true if changed
			return this.hide.apply(this, arguments);
		},
		
		showNotice: function( props ){
			
			// ensure object
			if( typeof props !== 'object' ) {
				props = { text: props };
			}
			
			// remove old notice
			if( this.notice ) {
				this.notice.remove();
			}
			
			// create new notice
			props.target = this.$inputWrap();
			this.notice = acf.newNotice( props );
		},
		
		removeNotice: function( timeout ){
			if( this.notice ) {
				this.notice.away( timeout || 0 );
				this.notice = false;
			}
		},
		
		showError: function( message ){
			
			// add class
			this.$el.addClass('acf-error');
			
			// add message
			if( message !== undefined ) {
				this.showNotice({
					text: message,
					type: 'error',
					dismiss: false
				});
			}
			
			// action
			acf.doAction('invalid_field', this);
			
			// add event
			this.$el.one('focus change', 'input, select, textarea', $.proxy( this.removeError, this ));	
		},
		
		removeError: function(){
			
			// remove class
			this.$el.removeClass('acf-error');
			
			// remove notice
			this.removeNotice( 250 );
			
			// action
			acf.doAction('valid_field', this);
		},
		
		trigger: function( name, args, bubbles ){
			
			// allow some events to bubble
			if( name == 'invalidField' ) {
				bubbles = true;
			}
			
			// return
			return acf.Model.prototype.trigger.apply(this, [name, args, bubbles]);
		},
	});
	
	/**
	*  newField
	*
	*  description
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newField = function( $field ){
		
		// vars
		var type = $field.data('type');
		var mid = modelId( type );
		var model = acf.models[ mid ] || acf.Field;
		
		// instantiate
		var field = new model( $field );
		
		// actions
		acf.doAction('new_field', field);
		
		// return
		return field;
	};
	
	/**
	*  mid
	*
	*  Calculates the model ID for a field type
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	string type
	*  @return	string
	*/
	
	var modelId = function( type ) {
		return acf.strPascalCase( type || '' ) + 'Field';
	};
	
	/**
	*  registerFieldType
	*
	*  description
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.registerFieldType = function( model ){
		
		// vars
		var proto = model.prototype;
		var type = proto.type;
		var mid = modelId( type );
		
		// store model
		acf.models[ mid ] = model;
		
		// store reference
		storage.push( type );
	};
	
	/**
	*  acf.getFieldType
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getFieldType = function( type ){
		var mid = modelId( type );
		return acf.models[ mid ] || false;
	}
	
	/**
	*  acf.getFieldTypes
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getFieldTypes = function( args ){
		
		// defaults
		args = acf.parseArgs(args, {
			category: '',
			// hasValue: true
		});
		
		// clonse available types
		var types = [];
		
		// loop
		storage.map(function( type ){
			
			// vars
			var model = acf.getFieldType(type);
			var proto = model.prototype;
						
			// check operator
			if( args.category && proto.category !== args.category )  {
				return;
			}
			
			// append
			types.push( model );
		});
		
		// return
		return types;
	};
	
})(jQuery);

(function($, undefined){
	
	/**
	*  findFields
	*
	*  Returns a jQuery selection object of acf fields.
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	object $args {
	*		Optional. Arguments to find fields.
	*
	*		@type string			key			The field's key (data-attribute).
	*		@type string			name		The field's name (data-attribute).
	*		@type string			type		The field's type (data-attribute).
	*		@type string			is			jQuery selector to compare against.
	*		@type jQuery			parent		jQuery element to search within.
	*		@type jQuery			sibling		jQuery element to search alongside.
	*		@type limit				int			The number of fields to find.
	*		@type suppressFilters	bool		Whether to allow filters to add/remove results. Default behaviour will ignore clone fields.
	*  }
	*  @return	jQuery
	*/
	
	acf.findFields = function( args ){
		
		// vars
		var selector = '.acf-field';
		var $fields = false;
		
		// args
		args = acf.parseArgs(args, {
			key: '',
			name: '',
			type: '',
			is: '',
			parent: false,
			sibling: false,
			limit: false,
			visible: false,
			suppressFilters: false,
		});
		
		// filter args
		if( !args.suppressFilters ) {
			args = acf.applyFilters('find_fields_args', args);
		}
		
		// key
		if( args.key ) {
			selector += '[data-key="' + args.key + '"]';
		}
		
		// type
		if( args.type ) {
			selector += '[data-type="' + args.type + '"]';
		}
		
		// name
		if( args.name ) {
			selector += '[data-name="' + args.name + '"]';
		}
		
		// is
		if( args.is ) {
			selector += args.is;
		}
		
		// visibility
		if( args.visible ) {
			selector += ':visible';
		}
		
		// query
		if( args.parent ) {
			$fields = args.parent.find( selector );
		} else if( args.sibling ) {
			$fields = args.sibling.siblings( selector );
		} else {
			$fields = $( selector );
		}
		
		// filter
		if( !args.suppressFilters ) {
			$fields = $fields.not('.acf-clone .acf-field');
			$fields = acf.applyFilters('find_fields', $fields);
		}
		
		// limit
		if( args.limit ) {
			$fields = $fields.slice( 0, args.limit );
		}
		
		// return
		return $fields;
		
	};
	
	/**
	*  findField
	*
	*  Finds a specific field with jQuery
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	string key 		The field's key.
	*  @param	jQuery $parent	jQuery element to search within.
	*  @return	jQuery
	*/
	
	acf.findField = function( key, $parent ){
		return acf.findFields({
			key: key,
			limit: 1,
			parent: $parent,
			suppressFilters: true
		});
	};
	
	/**
	*  getField
	*
	*  Returns a field instance
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	jQuery|string $field	jQuery element or field key.
	*  @return	object
	*/
	
	acf.getField = function( $field ){
		
		// allow jQuery
		if( $field instanceof jQuery ) {
		
		// find fields
		} else {
			$field = acf.findField( $field );
		}
		
		// instantiate
		var field = $field.data('acf');
		if( !field ) {
			field = acf.newField( $field );
		}
		
		// return
		return field;
	};
	
	/**
	*  getFields
	*
	*  Returns multiple field instances
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	jQuery|object $fields	jQuery elements or query args.
	*  @return	array
	*/
	
	acf.getFields = function( $fields ){
		
		// allow jQuery
		if( $fields instanceof jQuery ) {
		
		// find fields	
		} else {
			$fields = acf.findFields( $fields );
		}
		
		// loop
		var fields = [];
		$fields.each(function(){
			var field = acf.getField( $(this) );
			fields.push( field );
		});
		
		// return
		return fields;
	};
	
	/**
	*  findClosestField
	*
	*  Returns the closest jQuery field element
	*
	*  @date	9/4/18
	*  @since	5.6.9
	*
	*  @param	jQuery $el
	*  @return	jQuery
	*/
	
	acf.findClosestField = function( $el ){
		return $el.closest('.acf-field');
	};
	
	/**
	*  getClosestField
	*
	*  Returns the closest field instance
	*
	*  @date	22/1/18
	*  @since	5.6.5
	*
	*  @param	jQuery $el
	*  @return	object
	*/
	
	acf.getClosestField = function( $el ){
		var $field = acf.findClosestField( $el );
		return this.getField( $field );
	};
	
	/**
	*  addGlobalFieldAction
	*
	*  Sets up callback logic for global field actions
	*
	*  @date	15/6/18
	*  @since	5.6.9
	*
	*  @param	string action
	*  @return	void
	*/
	
	var addGlobalFieldAction = function( action ){
		
		// vars
		var globalAction = action;
		var pluralAction = action + '_fields';	// ready_fields
		var singleAction = action + '_field';	// ready_field
		
		// global action
		var globalCallback = function( $el /*, arg1, arg2, etc*/ ){
			//console.log( action, arguments );
			
			// get args [$el, ...]
			var args = acf.arrayArgs( arguments );
			var extraArgs = args.slice(1);
			
			// find fields
			var fields = acf.getFields({ parent: $el });
			
			// check
			if( fields.length ) {
				
				// pluralAction
				var pluralArgs = [ pluralAction, fields ].concat( extraArgs );
				acf.doAction.apply(null, pluralArgs);
			}
		};
		
		// plural action
		var pluralCallback = function( fields /*, arg1, arg2, etc*/ ){
			//console.log( pluralAction, arguments );
			
			// get args [fields, ...]
			var args = acf.arrayArgs( arguments );
			var extraArgs = args.slice(1);
			
			// loop
			fields.map(function( field, i ){
				//setTimeout(function(){
				// singleAction
				var singleArgs = [ singleAction, field ].concat( extraArgs );
				acf.doAction.apply(null, singleArgs);
				//}, i * 100);
			});
		};
		
		// add actions
		acf.addAction(globalAction, globalCallback);
		acf.addAction(pluralAction, pluralCallback);
		
		// also add single action
		addSingleFieldAction( action );
	}
	
	/**
	*  addSingleFieldAction
	*
	*  Sets up callback logic for single field actions
	*
	*  @date	15/6/18
	*  @since	5.6.9
	*
	*  @param	string action
	*  @return	void
	*/
	
	var addSingleFieldAction = function( action ){
		
		// vars
		var singleAction = action + '_field';	// ready_field
		var singleEvent = action + 'Field';		// readyField
		
		// single action
		var singleCallback = function( field /*, arg1, arg2, etc*/ ){
			//console.log( singleAction, arguments );
			
			// get args [field, ...]
			var args = acf.arrayArgs( arguments );
			var extraArgs = args.slice(1);
			
			// action variations (ready_field/type=image)
			var variations = ['type', 'name', 'key'];
			variations.map(function( variation ){
				
				// vars
				var prefix = '/' + variation + '=' + field.get(variation);
				
				// singleAction
				args = [ singleAction + prefix , field ].concat( extraArgs );
				acf.doAction.apply(null, args);
			});
			
			// event
			if( singleFieldEvents.indexOf(action) > -1 ) {
				field.trigger(singleEvent, extraArgs);
			}
		};
		
		// add actions
		acf.addAction(singleAction, singleCallback);	
	}
	
	// vars
	var globalFieldActions = [ 'prepare', 'ready', 'load', 'append', 'remove', 'unmount', 'remount', 'sortstart', 'sortstop', 'show', 'hide', 'unload' ];
	var singleFieldActions = [ 'valid', 'invalid', 'enable', 'disable', 'new' ];
	var singleFieldEvents = [ 'remove', 'unmount', 'remount', 'sortstart', 'sortstop', 'show', 'hide', 'unload', 'valid', 'invalid', 'enable', 'disable' ];
	
	// add
	globalFieldActions.map( addGlobalFieldAction );
	singleFieldActions.map( addSingleFieldAction );
	
	/**
	*  fieldsEventManager
	*
	*  Manages field actions and events
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	void
	*  @param	void
	*/
	
	var fieldsEventManager = new acf.Model({
		id: 'fieldsEventManager',
		events: {
			'click .acf-field a[href="#"]':	'onClick',
			'change .acf-field':			'onChange'
		},
		onClick: function( e ){
			
			// prevent default of any link with an href of #
			e.preventDefault();
		},
		onChange: function(){
			
			// preview hack allows post to save with no title or content
			$('#_acf_changed').val(1);
		}
	});
	
})(jQuery);

(function($, undefined){
	
	var i = 0;
	
	var Field = acf.Field.extend({
		
		type: 'accordion',
		
		wait: '',
		
		$control: function(){
			return this.$('.acf-fields:first');
		},
		
		initialize: function(){
			
			// bail early if is cell
			if( this.$el.is('td') ) return;
			
			// enpoint
			if( this.get('endpoint') ) {
				return this.remove();
			}
			
			// vars
			var $field = this.$el;
			var $label = this.$labelWrap()
			var $input = this.$inputWrap();
			var $wrap = this.$control();
			var $instructions = $input.children('.description');
			
			// force description into label
			if( $instructions.length ) {
				$label.append( $instructions );
			}
			
			// table
			if( this.$el.is('tr') ) {
				
				// vars
				var $table = this.$el.closest('table');
				var $newLabel = $('<div class="acf-accordion-title"/>');
				var $newInput = $('<div class="acf-accordion-content"/>');
				var $newTable = $('<table class="' + $table.attr('class') + '"/>');
				var $newWrap = $('<tbody/>');
				
				// dom
				$newLabel.append( $label.html() );
				$newTable.append( $newWrap );
				$newInput.append( $newTable );
				$input.append( $newLabel );
				$input.append( $newInput );
				
				// modify
				$label.remove();
				$wrap.remove();
				$input.attr('colspan', 2);
				
				// update vars
				$label = $newLabel;
				$input = $newInput;
				$wrap = $newWrap;
			}
			
			// add classes
			$field.addClass('acf-accordion');
			$label.addClass('acf-accordion-title');
			$input.addClass('acf-accordion-content');
			
			// index
			i++;
			
			// multi-expand
			if( this.get('multi_expand') ) {
				$field.attr('multi-expand', 1);
			}
			
			// open
			var order = acf.getPreference('this.accordions') || [];
			if( order[i-1] !== undefined ) {
				this.set('open', order[i-1]);
			}
			
			if( this.get('open') ) {
				$field.addClass('-open');
				$input.css('display', 'block'); // needed for accordion to close smoothly
			}
			
			// add icon
			$label.prepend( accordionManager.iconHtml({ open: this.get('open') }) );
			
			// classes
			// - remove 'inside' which is a #poststuff WP class
			var $parent = $field.parent();
			$wrap.addClass( $parent.hasClass('-left') ? '-left' : '' );
			$wrap.addClass( $parent.hasClass('-clear') ? '-clear' : '' );
			
			// append
			$wrap.append( $field.nextUntil('.acf-field-accordion', '.acf-field') );
			
			// clean up
			$wrap.removeAttr('data-open data-multi_expand data-endpoint');
		},
		
	});
	
	acf.registerFieldType( Field );


	/**
	*  accordionManager
	*
	*  Events manager for the acf accordion
	*
	*  @date	14/2/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var accordionManager = new acf.Model({
		
		actions: {
			'unload':	'onUnload'
		},
		
		events: {
			'click .acf-accordion-title': 'onClick',
			'invalidField .acf-accordion':	'onInvalidField'
		},
		
		isOpen: function( $el ) {
			return $el.hasClass('-open');
		},
		
		toggle: function( $el ){
			if( this.isOpen($el) ) {
				this.close( $el );
			} else {
				this.open( $el );
			}
		},
		
		iconHtml: function( props ){
			
			// Determine icon.
			//if( acf.isGutenberg() ) {
			//	var icon = props.open ? 'arrow-up-alt2' : 'arrow-down-alt2';
			//} else {
				var icon = props.open ? 'arrow-down' : 'arrow-right';
			//}
			
			// Return HTML.
			return '<i class="acf-accordion-icon dashicons dashicons-' + icon + '"></i>';
		},
		
		open: function( $el ){
			
			// open
			$el.find('.acf-accordion-content:first').slideDown().css('display', 'block');
			$el.find('.acf-accordion-icon:first').replaceWith( this.iconHtml({ open: true }) );
			$el.addClass('-open');
			
			// action
			acf.doAction('show', $el);
			
			// close siblings
			if( !$el.attr('multi-expand') ) {
				$el.siblings('.acf-accordion.-open').each(function(){
					accordionManager.close( $(this) );
				});
			}
		},
		
		close: function( $el ){
			
			// close
			$el.find('.acf-accordion-content:first').slideUp();
			$el.find('.acf-accordion-icon:first').replaceWith( this.iconHtml({ open: false }) );
			$el.removeClass('-open');
			
			// action
			acf.doAction('hide', $el);
		},
		
		onClick: function( e, $el ){
			
			// prevent Defailt
			e.preventDefault();
			
			// open close
			this.toggle( $el.parent() );
			
		},
		
		onInvalidField: function( e, $el ){
			
			// bail early if already focused
			if( this.busy ) {
				return;
			}
			
			// disable functionality for 1sec (allow next validation to work)
			this.busy = true;
			this.setTimeout(function(){
				this.busy = false;
			}, 1000);
			
			// open accordion
			this.open( $el );
		},
		
		onUnload: function( e ){
			
			// vars
			var order = [];
			
			// loop
			$('.acf-accordion').each(function(){
				var open = $(this).hasClass('-open') ? 1 : 0;
				order.push(open);
			});
			
			// set
			if( order.length ) {
				acf.setPreference('this.accordions', order);
			}
		}
	});

})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'button_group',
		
		events: {
			'click input[type="radio"]': 'onClick'
		},
		
		$control: function(){
			return this.$('.acf-button-group');
		},
		
		$input: function(){
			return this.$('input:checked');
		},
		
		setValue: function( val ){
			this.$('input[value="' + val + '"]').prop('checked', true).trigger('change');
		},
		
		onClick: function( e, $el ){
			
			// vars
			var $label = $el.parent('label');
			var selected = $label.hasClass('selected');
			
			// remove previous selected
			this.$('.selected').removeClass('selected');
			
			// add active class
			$label.addClass('selected');
			
			// allow null
			if( this.get('allow_null') && selected ) {
				$label.removeClass('selected');
				$el.prop('checked', false).trigger('change');
			}
		}
	});
	
	acf.registerFieldType( Field );

})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'checkbox',
		
		events: {
			'change input':					'onChange',
			'click .acf-add-checkbox':		'onClickAdd',
			'click .acf-checkbox-toggle':	'onClickToggle',
			'click .acf-checkbox-custom':	'onClickCustom'
		},
		
		$control: function(){
			return this.$('.acf-checkbox-list');
		},
		
		$toggle: function(){
			return this.$('.acf-checkbox-toggle');
		},
		
		$input: function(){
			return this.$('input[type="hidden"]');
		},
		
		$inputs: function(){
			return this.$('input[type="checkbox"]').not('.acf-checkbox-toggle');
		},
		
		getValue: function(){
			var val = [];
			this.$(':checked').each(function(){
				val.push( $(this).val() );
			});
			return val.length ? val : false;
		},
		
		onChange: function( e, $el ){
			
			// Vars.
			var checked = $el.prop('checked');
			var $label = $el.parent('label');
			var $toggle = this.$toggle();
			
			// Add or remove "selected" class.
			if( checked ) {
				$label.addClass('selected');
			} else {
				$label.removeClass('selected');
			}
			
			// Update toggle state if all inputs are checked.
			if( $toggle.length ) {
				var $inputs = this.$inputs();
				
				// all checked
				if( $inputs.not(':checked').length == 0 ) {
					$toggle.prop('checked', true);
				} else {
					$toggle.prop('checked', false);
				}
			}
		},
		
		onClickAdd: function( e, $el ){
			var html = '<li><input class="acf-checkbox-custom" type="checkbox" checked="checked" /><input type="text" name="' + this.getInputName() + '[]" /></li>';
			$el.parent('li').before( html );	
		},
		
		onClickToggle: function( e, $el ){
			
			// Vars.
			var checked = $el.prop('checked');
			var $inputs = this.$('input[type="checkbox"]');
			var $labels = this.$('label');
			
			// Update "checked" state.
			$inputs.prop('checked', checked);
			
			// Add or remove "selected" class.
			if( checked ) {
				$labels.addClass('selected');
			} else {
				$labels.removeClass('selected');
			}
		},
		
		onClickCustom: function( e, $el ){
			var checked = $el.prop('checked');
			var $text = $el.next('input[type="text"]');
			
			// checked
			if( checked ) {
				$text.prop('disabled', false);
				
			// not checked	
			} else {
				$text.prop('disabled', true);
				
				// remove
				if( $text.val() == '' ) {
					$el.parent('li').remove();
				}
			}
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'color_picker',
		
		wait: 'load',
		
		$control: function(){
			return this.$('.acf-color-picker');
		},
		
		$input: function(){
			return this.$('input[type="hidden"]');
		},
		
		$inputText: function(){
			return this.$('input[type="text"]');
		},
		
		setValue: function( val ){
			
			// update input (with change)
			acf.val( this.$input(), val );
			
			// update iris
			this.$inputText().iris('color', val);
		},
		
		initialize: function(){
			
			// vars
			var $input = this.$input();
			var $inputText = this.$inputText();
			
			// event
			var onChange = function( e ){
				
				// timeout is required to ensure the $input val is correct
				setTimeout(function(){ 
					acf.val( $input, $inputText.val() );
				}, 1);
			}
			
			// args
			var args = {
				defaultColor: false,
				palettes: true,
				hide: true,
				change: onChange,
				clear: onChange
			};
			
 			// filter
 			var args = acf.applyFilters('color_picker_args', args, this);
        	
 			// initialize
			$inputText.wpColorPicker( args );
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'date_picker',
		
		events: {
			'blur input[type="text"]': 'onBlur'
		},
		
		$control: function(){
			return this.$('.acf-date-picker');
		},
		
		$input: function(){
			return this.$('input[type="hidden"]');
		},
		
		$inputText: function(){
			return this.$('input[type="text"]');
		},
				
		initialize: function(){
			
			// save_format: compatibility with ACF < 5.0.0
			if( this.has('save_format') ) {
				return this.initializeCompatibility();
			}
			
			// vars
			var $input = this.$input();
			var $inputText = this.$inputText();
			
			// args
			var args = { 
				dateFormat:			this.get('date_format'),
				altField:			$input,
				altFormat:			'yymmdd',
				changeYear:			true,
				yearRange:			"-100:+100",
				changeMonth:		true,
				showButtonPanel:	true,
				firstDay:			this.get('first_day')
			};
			
			// filter
			args = acf.applyFilters('date_picker_args', args, this);
			
			// add date picker
			acf.newDatePicker( $inputText, args );
			
			// action
			acf.doAction('date_picker_init', $inputText, args, this);
			
		},
		
		initializeCompatibility: function(){
			
			// vars
			var $input = this.$input();
			var $inputText = this.$inputText();
			
			// get and set value from alt field
			$inputText.val( $input.val() );
			
			// args
			var args =  { 
				dateFormat:			this.get('date_format'),
				altField:			$input,
				altFormat:			this.get('save_format'),
				changeYear:			true,
				yearRange:			"-100:+100",
				changeMonth:		true,
				showButtonPanel:	true,
				firstDay:			this.get('first_day')
			};
			
			// filter for 3rd party customization
			args = acf.applyFilters('date_picker_args', args, this);
			
			// backup
			var dateFormat = args.dateFormat;
			
			// change args.dateFormat
			args.dateFormat = this.get('save_format');
				
			// add date picker
			acf.newDatePicker( $inputText, args );
			
			// now change the format back to how it should be.
			$inputText.datepicker( 'option', 'dateFormat', dateFormat );
			
			// action for 3rd party customization
			acf.doAction('date_picker_init', $inputText, args, this);
		},
		
		onBlur: function(){
			if( !this.$inputText().val() ) {
				acf.val( this.$input(), '' );
			}
		}
	});
	
	acf.registerFieldType( Field );
	
	
	// manager
	var datePickerManager = new acf.Model({
		priority: 5,
		wait: 'ready',
		initialize: function(){
			
			// vars
			var locale = acf.get('locale');
			var rtl = acf.get('rtl');
			var l10n = acf.get('datePickerL10n');
			
			// bail ealry if no l10n
			if( !l10n ) {
				return false;
			}
			
			// bail ealry if no datepicker library
			if( typeof $.datepicker === 'undefined' ) {
				return false;
			}
			
			// rtl
			l10n.isRTL = rtl;
			
			// append
			$.datepicker.regional[ locale ] = l10n;
			$.datepicker.setDefaults(l10n);
		}
	});
	
	// add
	acf.newDatePicker = function( $input, args ){
		
		// bail ealry if no datepicker library
		if( typeof $.datepicker === 'undefined' ) {
			return false;
		}
		
		// defaults
		args = args || {};
		
		// initialize
		$input.datepicker( args );
		
		// wrap the datepicker (only if it hasn't already been wrapped)
		if( $('body > #ui-datepicker-div').exists() ) {
			$('body > #ui-datepicker-div').wrap('<div class="acf-ui-datepicker" />');
		}
	};
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.models.DatePickerField.extend({
		
		type: 'date_time_picker',
		
		$control: function(){
			return this.$('.acf-date-time-picker');
		},
		
		initialize: function(){
			
			// vars
			var $input = this.$input();
			var $inputText = this.$inputText();
			
			// args
			var args = {
				dateFormat:			this.get('date_format'),
				timeFormat:			this.get('time_format'),
				altField:			$input,
				altFieldTimeOnly:	false,
				altFormat:			'yy-mm-dd',
				altTimeFormat:		'HH:mm:ss',
				changeYear:			true,
				yearRange:			"-100:+100",
				changeMonth:		true,
				showButtonPanel:	true,
				firstDay:			this.get('first_day'),
				controlType: 		'select',
				oneLine:			true
			};
			
			// filter
			args = acf.applyFilters('date_time_picker_args', args, this);
			
			// add date time picker
			acf.newDateTimePicker( $inputText, args );
			
			// action
			acf.doAction('date_time_picker_init', $inputText, args, this);
		}
	});
	
	acf.registerFieldType( Field );
	
	
	// manager
	var dateTimePickerManager = new acf.Model({
		priority: 5,
		wait: 'ready',
		initialize: function(){
			
			// vars
			var locale = acf.get('locale');
			var rtl = acf.get('rtl');
			var l10n = acf.get('dateTimePickerL10n');
			
			// bail ealry if no l10n
			if( !l10n ) {
				return false;
			}
			
			// bail ealry if no datepicker library
			if( typeof $.timepicker === 'undefined' ) {
				return false;
			}
			
			// rtl
			l10n.isRTL = rtl;
			
			// append
			$.timepicker.regional[ locale ] = l10n;
			$.timepicker.setDefaults(l10n);
		}
	});
	
	
	// add
	acf.newDateTimePicker = function( $input, args ){
		
		// bail ealry if no datepicker library
		if( typeof $.timepicker === 'undefined' ) {
			return false;
		}
		
		// defaults
		args = args || {};
		
		// initialize
		$input.datetimepicker( args );
		
		// wrap the datepicker (only if it hasn't already been wrapped)
		if( $('body > #ui-datepicker-div').exists() ) {
			$('body > #ui-datepicker-div').wrap('<div class="acf-ui-datepicker" />');
		}
	};
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
	
		type: 'google_map',
		
		map: false,
		
		wait: 'load',
		
		events: {
			'click a[data-name="clear"]': 		'onClickClear',
			'click a[data-name="locate"]': 		'onClickLocate',
			'click a[data-name="search"]': 		'onClickSearch',
			'keydown .search': 					'onKeydownSearch',
			'keyup .search': 					'onKeyupSearch',
			'focus .search': 					'onFocusSearch',
			'blur .search': 					'onBlurSearch',
			'showField':						'onShow',
		},
		
		$control: function(){
			return this.$('.acf-google-map');
		},
		
		$search: function(){
			return this.$('.search');
		},
		
		$canvas: function(){
			return this.$('.canvas');
		},
		
		setState: function( state ){
			
			// Remove previous state classes.
			this.$control().removeClass( '-value -loading -searching' );
			
			// Determine auto state based of current value.
			if( state === 'default' ) {
				state = this.val() ? 'value' : '';
			}
			
			// Update state class.
			if( state ) {
				this.$control().addClass( '-' + state );
			}
		},
		
		getValue: function(){
			var val = this.$input().val();
			if( val ) {
				return JSON.parse( val )
			} else {
				return false;
			}
		},
		
		setValue: function( val, silent ){
			
			// Convert input value.
			var valAttr = '';
			if( val ) {
				valAttr = JSON.stringify( val );
			}
			
			// Update input (with change).
			acf.val( this.$input(), valAttr );
			
			// Bail early if silent update.
			if( silent ) {
				return;
			}
			
			// Render.
			this.renderVal( val );
			
			/**
			 * Fires immediately after the value has changed.
			 *
			 * @date	12/02/2014
			 * @since	5.0.0
			 *
			 * @param	object|string val The new value.
			 * @param	object map The Google Map isntance.
			 * @param	object field The field instance.
			 */
			acf.doAction('google_map_change', val, this.map, this);
		},
		
		renderVal: function( val ){
			
			// Value.
			if( val ) {
				this.setState( 'value' );
				this.$search().val( val.address );
				this.setPosition( val.lat, val.lng );
			
			// No value.
			} else {
				this.setState( '' );
				this.$search().val( '' );
				this.map.marker.setVisible( false );
			}
		},
		
		newLatLng: function( lat, lng ){
			return new google.maps.LatLng( parseFloat(lat), parseFloat(lng) );
		},
		
		setPosition: function( lat, lng ){
			
			// Update marker position.
			this.map.marker.setPosition({
				lat: parseFloat(lat), 
				lng: parseFloat(lng)
			});
			
			// Show marker.
			this.map.marker.setVisible( true );
			
			// Center map.
			this.center();
		},
		
		center: function(){
			
			// Find marker position.
			var position = this.map.marker.getPosition();
			if( position ) {
				var lat = position.lat();
				var lng = position.lng();
				
			// Or find default settings.
			} else {
				var lat = this.get('lat');
				var lng = this.get('lng');
			}
			
			// Center map.
			this.map.setCenter({
				lat: parseFloat(lat), 
				lng: parseFloat(lng)
			});
		},
		
		initialize: function(){
			
			// Ensure Google API is loaded and then initialize map.
			withAPI( this.initializeMap.bind(this) );
		},
		
		initializeMap: function(){
			
			// Get value ignoring conditional logic status.
			var val = this.getValue();
			
			// Construct default args.
			var args = acf.parseArgs(val, {
				zoom: this.get('zoom'),
				lat: this.get('lat'),
				lng: this.get('lng')
			});
			
			// Create Map.
			var mapArgs = {
				scrollwheel:	false,
        		zoom:			parseInt( args.zoom ),
        		center:			{
					lat: parseFloat( args.lat ), 
					lng: parseFloat( args.lng )
				},
        		mapTypeId:		google.maps.MapTypeId.ROADMAP,
        		marker:			{
			        draggable: 		true,
			        raiseOnDrag: 	true
		    	},
		    	autocomplete: {}
        	};
        	mapArgs = acf.applyFilters('google_map_args', mapArgs, this);       	
        	var map = new google.maps.Map( this.$canvas()[0], mapArgs );
        	
        	// Create Marker.
        	var markerArgs = acf.parseArgs(mapArgs.marker, {
				draggable: 		true,
				raiseOnDrag: 	true,
				map:			map
        	});
		    markerArgs = acf.applyFilters('google_map_marker_args', markerArgs, this);
			var marker = new google.maps.Marker( markerArgs );
        	
        	// Maybe Create Autocomplete.
        	var autocomplete = false;
	        if( acf.isset(google, 'maps', 'places', 'Autocomplete') ) {
		        var autocompleteArgs = mapArgs.autocomplete || {};
		        autocompleteArgs = acf.applyFilters('google_map_autocomplete_args', autocompleteArgs, this);
		        autocomplete = new google.maps.places.Autocomplete( this.$search()[0], autocompleteArgs );
		        autocomplete.bindTo('bounds', map);
	        }
	        
	        // Add map events.
	        this.addMapEvents( this, map, marker, autocomplete );
        	
        	// Append references.
        	map.acf = this;
        	map.marker = marker;
        	map.autocomplete = autocomplete;
        	this.map = map;
        	
        	// Set position.
		    if( val ) {
			    this.setPosition( val.lat, val.lng );
		    }
		    
        	/**
			 * Fires immediately after the Google Map has been initialized.
			 *
			 * @date	12/02/2014
			 * @since	5.0.0
			 *
			 * @param	object map The Google Map isntance.
			 * @param	object marker The Google Map marker isntance.
			 * @param	object field The field instance.
			 */
			acf.doAction('google_map_init', map, marker, this);
		},
		
		addMapEvents: function( field, map, marker, autocomplete ){
			
			// Click map.
	        google.maps.event.addListener( map, 'click', function( e ) {
				var lat = e.latLng.lat();
				var lng = e.latLng.lng();
				field.searchPosition( lat, lng );
			});
			
			// Drag marker.
		    google.maps.event.addListener( marker, 'dragend', function(){
				var lat = this.getPosition().lat();
			    var lng = this.getPosition().lng();
				field.searchPosition( lat, lng );
			});
			
			// Autocomplete search.
	        if( autocomplete ) {
				google.maps.event.addListener(autocomplete, 'place_changed', function() {
					var place = this.getPlace();
					field.searchPlace( place );
				});
	        }
	        
	        // Detect zoom change.
		    google.maps.event.addListener( map, 'zoom_changed', function(){
			    var val = field.val();
			    if( val ) {
				    val.zoom = map.getZoom();
				    field.setValue( val, true );
			    }
			});
		},
		
		searchPosition: function( lat, lng ){
			//console.log('searchPosition', lat, lng );
			
			// Start Loading.
			this.setState( 'loading' );
			
			// Query Geocoder.
			var latLng = { lat: lat, lng: lng };
			geocoder.geocode({ location: latLng }, function( results, status ){
			    //console.log('searchPosition', arguments );
			    
			    // End Loading.
			    this.setState( '' );
			    
			    // Status failure.
				if( status !== 'OK' ) {
					this.showNotice({
						text: acf.__('Location not found: %s').replace('%s', status),
						type: 'warning'
					});

				// Success.
				} else {
					var val = this.parseResult( results[0] );
					
					// Override lat/lng to match user defined marker location.
					// Avoids issue where marker "snaps" to nearest result.
					val.lat = lat;
					val.lng = lng;
					this.val( val );
				}
					
			}.bind( this ));
		},
		
		searchPlace: function( place ){
			//console.log('searchPlace', place );
			
			// Bail early if no place.
			if( !place ) {
				return;
			}
			
			// Selecting from the autocomplete dropdown will return a rich PlaceResult object.
			// Be sure to over-write the "formatted_address" value with the one displayed to the user for best UX.
			if( place.geometry ) {
				place.formatted_address = this.$search().val();
				var val = this.parseResult( place );
				this.val( val );
			
			// Searching a custom address will return an empty PlaceResult object.
			} else if( place.name ) {
				this.searchAddress( place.name );
			}
		},
		
		searchAddress: function( address ){
			//console.log('searchAddress', address );
			
			// Bail early if no address.
			if( !address ) {
				return;
			}
			
		    // Allow "lat,lng" search.
		    var latLng = address.split(',');
		    if( latLng.length == 2 ) {
			    var lat = parseFloat(latLng[0]);
				var lng = parseFloat(latLng[1]);
			    if( lat && lng ) {
				    return this.searchPosition( lat, lng );
			    }
		    }
		    
			// Start Loading.
			this.setState( 'loading' );
		    
		    // Query Geocoder.
		    geocoder.geocode({ address: address }, function( results, status ){
			    //console.log('searchPosition', arguments );
			    
			    // End Loading.
			    this.setState( '' );
			    
			    // Status failure.
				if( status !== 'OK' ) {
					this.showNotice({
						text: acf.__('Location not found: %s').replace('%s', status),
						type: 'warning'
					});
					
				// Success.
				} else {
					var val = this.parseResult( results[0] );
					
					// Override address data with parameter allowing custom address to be defined in search.
					val.address = address;
					
					// Update value.
					this.val( val );
				}
					
			}.bind( this ));
		},
		
		searchLocation: function(){
			//console.log('searchLocation' );
			
			// Check HTML5 geolocation.
			if( !navigator.geolocation ) {
				return alert( acf.__('Sorry, this browser does not support geolocation') );
			}
			
			// Start Loading.
			this.setState( 'loading' );
			
		    // Query Geolocation.
			navigator.geolocation.getCurrentPosition(
				
				// Success.
				function( results ){
				    
				    // End Loading.
					this.setState( '' );
				    
				    // Search position.
					var lat = results.coords.latitude;
				    var lng = results.coords.longitude;
				    this.searchPosition( lat, lng );
					
				}.bind(this),
				
				// Failure.
				function( error ){
				    this.setState( '' );
				}.bind(this)
			);	
		},
		
		/**
		 * parseResult
		 *
		 * Returns location data for the given GeocoderResult object.
		 *
		 * @date	15/10/19
		 * @since	5.8.6
		 *
		 * @param	object obj A GeocoderResult object.
		 * @return	object
		 */
		parseResult: function( obj ) {
			
			// Construct basic data.
			var result = {
				address: obj.formatted_address,
				lat: obj.geometry.location.lat(),
				lng: obj.geometry.location.lng(),
			};
			
			// Add zoom level.
			result.zoom = this.map.getZoom();
			
			// Add place ID.
			if( obj.place_id ) {
				result.place_id = obj.place_id;
			}
			
			// Add place name.
			if( obj.name ) {
				result.name = obj.name;
			}
				
			// Create search map for address component data.
			var map = {
		        street_number: [ 'street_number' ],
		        street_name: [ 'street_address', 'route' ],
		        city: [ 'locality' ],
		        state: [
					'administrative_area_level_1',
					'administrative_area_level_2',
					'administrative_area_level_3',
					'administrative_area_level_4',
					'administrative_area_level_5'
		        ],
		        post_code: [ 'postal_code' ],
		        country: [ 'country' ]
			};
			
			// Loop over map.
			for( var k in map ) {
				var keywords = map[ k ];
				
				// Loop over address components.
				for( var i = 0; i < obj.address_components.length; i++ ) {
					var component = obj.address_components[ i ];
					var component_type = component.types[0];
					
					// Look for matching component type.
					if( keywords.indexOf(component_type) !== -1 ) {
						
						// Append to result.
						result[ k ] = component.long_name;
						
						// Append short version.
						if( component.long_name !== component.short_name ) {
							result[ k + '_short' ] = component.short_name;
						}
					}
				}
			}
			
			/**
			 * Filters the parsed result.
			 *
			 * @date	18/10/19
			 * @since	5.8.6
			 *
			 * @param	object result The parsed result value.
			 * @param	object obj The GeocoderResult object.
			 */
			return acf.applyFilters('google_map_result', result, obj, this.map, this);
		},
		
		onClickClear: function(){
			this.val( false );
		},
		
		onClickLocate: function(){
			this.searchLocation();
		},
		
		onClickSearch: function(){
			this.searchAddress( this.$search().val() );
		},
		
		onFocusSearch: function( e, $el ){
			this.setState( 'searching' );
		},
		
		onBlurSearch: function( e, $el ){
			
			// Get saved address value.
			var val = this.val();
			var address = val ? val.address : '';
			
			// Remove 'is-searching' if value has not changed.
			if( $el.val() === address ) {
				this.setState( 'default' );
			}
		},
		
		onKeyupSearch: function( e, $el ){
			
			// Clear empty value.
			if( !$el.val() ) {
				this.val( false );
			}
		},
		
		// Prevent form from submitting.
		onKeydownSearch: function( e, $el ){
			if( e.which == 13 ) {
				e.preventDefault();
				$el.blur();
			}
		},
		
		// Center map once made visible.
		onShow: function(){
			if( this.map ) {
				this.setTimeout( this.center );
			}
		},
	});
	
	acf.registerFieldType( Field );
	
	// Vars.
	var loading = false;
	var geocoder = false;
	
	/**
	 * withAPI
	 *
	 * Loads the Google Maps API library and troggers callback.
	 *
	 * @date	28/3/19
	 * @since	5.7.14
	 *
	 * @param	function callback The callback to excecute.
	 * @return	void
	 */
	
	function withAPI( callback ) {
		
		// Check if geocoder exists.
		if( geocoder ) {
			return callback();
		}
		
		// Check if geocoder API exists.
		if( acf.isset(window, 'google', 'maps', 'Geocoder') ) {
			geocoder = new google.maps.Geocoder();
			return callback();
		}
		
		// Geocoder will need to be loaded. Hook callback to action.
		acf.addAction( 'google_map_api_loaded', callback );
		
		// Bail early if already loading API.
		if( loading ) {
			return;
		}
		
		// load api
		var url = acf.get('google_map_api');
		if( url ) {
			
			// Set loading status.
			loading = true;
			
			// Load API
			$.ajax({
				url: url,
				dataType: 'script',
				cache: true,
				success: function(){
					geocoder = new google.maps.Geocoder();
					acf.doAction('google_map_api_loaded');
				}
			});
		}
	}
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'image',
		
		$control: function(){
			return this.$('.acf-image-uploader');
		},
		
		$input: function(){
			return this.$('input[type="hidden"]');
		},
		
		events: {
			'click a[data-name="add"]': 	'onClickAdd',
			'click a[data-name="edit"]': 	'onClickEdit',
			'click a[data-name="remove"]':	'onClickRemove',
			'change input[type="file"]':	'onChange'
		},
		
		initialize: function(){
			
			// add attribute to form
			if( this.get('uploader') === 'basic' ) {
				this.$el.closest('form').attr('enctype', 'multipart/form-data');
			}
		},
		
		validateAttachment: function( attachment ){
			
			// defaults
			attachment = attachment || {};
			
			// WP attachment
			if( attachment.id !== undefined ) {
				attachment = attachment.attributes;
			}
			
			// args
			attachment = acf.parseArgs(attachment, {
				url: '',
				alt: '',
				title: '',
				caption: '',
				description: '',
				width: 0,
				height: 0
			});
			
			// preview size
			var url = acf.isget(attachment, 'sizes', this.get('preview_size'), 'url');
			if( url !== null ) {
				attachment.url = url;
			}
			
			// return
			return attachment;
		},
		
		render: function( attachment ){
			
			// vars
			attachment = this.validateAttachment( attachment );
			
			// update image
		 	this.$('img').attr({
			 	src: attachment.url,
			 	alt: attachment.alt,
			 	title: attachment.title
		 	});
		 	
			// vars
			var val = attachment.id || '';
						
			// update val
			this.val( val );
		 	
		 	// update class
		 	if( val ) {
			 	this.$control().addClass('has-value');
		 	} else {
			 	this.$control().removeClass('has-value');
		 	}
		},
		
		// create a new repeater row and render value
		append: function( attachment, parent ){
			
			// create function to find next available field within parent
			var getNext = function( field, parent ){
				
				// find existing file fields within parent
				var fields = acf.getFields({
					key: 	field.get('key'),
					parent: parent.$el
				});
				
				// find the first field with no value
				for( var i = 0; i < fields.length; i++ ) {
					if( !fields[i].val() ) {
						return fields[i];
					}
				}
								
				// return
				return false;
			}
			
			// find existing file fields within parent
			var field = getNext( this, parent );
			
			// add new row if no available field
			if( !field ) {
				parent.$('.acf-button:last').trigger('click');
				field = getNext( this, parent );
			}
					
			// render
			if( field ) {
				field.render( attachment );
			}
		},
		
		selectAttachment: function(){
			
			// vars
			var parent = this.parent();
			var multiple = (parent && parent.get('type') === 'repeater');
			
			// new frame
			var frame = acf.newMediaPopup({
				mode:			'select',
				type:			'image',
				title:			acf.__('Select Image'),
				field:			this.get('key'),
				multiple:		multiple,
				library:		this.get('library'),
				allowedTypes:	this.get('mime_types'),
				select:			$.proxy(function( attachment, i ) {
					if( i > 0 ) {
						this.append( attachment, parent );
					} else {
						this.render( attachment );
					}
				}, this)
			});
		},
		
		editAttachment: function(){
			
			// vars
			var val = this.val();
			
			// bail early if no val
			if( !val ) return;
			
			// popup
			var frame = acf.newMediaPopup({
				mode:		'edit',
				title:		acf.__('Edit Image'),
				button:		acf.__('Update Image'),
				attachment:	val,
				field:		this.get('key'),
				select:		$.proxy(function( attachment, i ) {
					this.render( attachment );
				}, this)
			});
		},
		
		removeAttachment: function(){
	        this.render( false );
		},
		
		onClickAdd: function( e, $el ){
			this.selectAttachment();
		},
		
		onClickEdit: function( e, $el ){
			this.editAttachment();
		},
		
		onClickRemove: function( e, $el ){
			this.removeAttachment();
		},
		
		onChange: function( e, $el ){
			var $hiddenInput = this.$input();
			
			acf.getFileInputData($el, function( data ){
				$hiddenInput.val( $.param(data) );
			});
		}
	});
	
	acf.registerFieldType( Field );

})(jQuery);

(function($, undefined){
	
	var Field = acf.models.ImageField.extend({
		
		type: 'file',
		
		$control: function(){
			return this.$('.acf-file-uploader');
		},
		
		$input: function(){
			return this.$('input[type="hidden"]');
		},
		
		validateAttachment: function( attachment ){
			
			// defaults
			attachment = attachment || {};
			
			// WP attachment
			if( attachment.id !== undefined ) {
				attachment = attachment.attributes;
			}
			
			// args
			attachment = acf.parseArgs(attachment, {
				url: '',
				alt: '',
				title: '',
				filename: '',
				filesizeHumanReadable: '',
				icon: '/wp-includes/images/media/default.png'
			});
						
			// return
			return attachment;
		},
		
		render: function( attachment ){
			
			// vars
			attachment = this.validateAttachment( attachment );
			
			// update image
		 	this.$('img').attr({
			 	src: attachment.icon,
			 	alt: attachment.alt,
			 	title: attachment.title
		 	});
		 	
		 	// update elements
		 	this.$('[data-name="title"]').text( attachment.title );
		 	this.$('[data-name="filename"]').text( attachment.filename ).attr( 'href', attachment.url );
		 	this.$('[data-name="filesize"]').text( attachment.filesizeHumanReadable );
		 	
			// vars
			var val = attachment.id || '';
						
			// update val
		 	acf.val( this.$input(), val );
		 	
		 	// update class
		 	if( val ) {
			 	this.$control().addClass('has-value');
		 	} else {
			 	this.$control().removeClass('has-value');
		 	}
		},
		
		selectAttachment: function(){
			
			// vars
			var parent = this.parent();
			var multiple = (parent && parent.get('type') === 'repeater');
			
			// new frame
			var frame = acf.newMediaPopup({
				mode:			'select',
				title:			acf.__('Select File'),
				field:			this.get('key'),
				multiple:		multiple,
				library:		this.get('library'),
				allowedTypes:	this.get('mime_types'),
				select:			$.proxy(function( attachment, i ) {
					if( i > 0 ) {
						this.append( attachment, parent );
					} else {
						this.render( attachment );
					}
				}, this)
			});
		},
		
		editAttachment: function(){
			
			// vars
			var val = this.val();
			
			// bail early if no val
			if( !val ) {
				return false;
			}
			
			// popup
			var frame = acf.newMediaPopup({
				mode:		'edit',
				title:		acf.__('Edit File'),
				button:		acf.__('Update File'),
				attachment:	val,
				field:		this.get('key'),
				select:		$.proxy(function( attachment, i ) {
					this.render( attachment );
				}, this)
			});
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'link',
		
		events: {
			'click a[data-name="add"]': 	'onClickEdit',
			'click a[data-name="edit"]': 	'onClickEdit',
			'click a[data-name="remove"]':	'onClickRemove',
			'change .link-node':			'onChange',
		},
		
		$control: function(){
			return this.$('.acf-link');
		},
		
		$node: function(){
			return this.$('.link-node');
		},
		
		getValue: function(){
			
			// vars
			var $node = this.$node();
			
			// return false if empty
			if( !$node.attr('href') ) {
				return false;
			}
			
			// return
			return {
				title:	$node.html(),
				url:	$node.attr('href'),
				target:	$node.attr('target')
			};
		},
		
		setValue: function( val ){
			
			// default
			val = acf.parseArgs(val, {
				title:	'',
				url:	'',
				target:	''
			});
			
			// vars
			var $div = this.$control();
			var $node = this.$node();
			
			// remove class
			$div.removeClass('-value -external');
			
			// add class
			if( val.url ) $div.addClass('-value');
			if( val.target === '_blank' ) $div.addClass('-external');
			
			// update text
			this.$('.link-title').html( val.title );
			this.$('.link-url').attr('href', val.url).html( val.url );
			
			// update node
			$node.html(val.title);
			$node.attr('href', val.url);
			$node.attr('target', val.target);
			
			// update inputs
			this.$('.input-title').val( val.title );
			this.$('.input-target').val( val.target );
			this.$('.input-url').val( val.url ).trigger('change');
		},
		
		onClickEdit: function( e, $el ){
			acf.wpLink.open( this.$node() );
		},
		
		onClickRemove: function( e, $el ){
			this.setValue( false );
		},
		
		onChange: function( e, $el ){
			
			// get the changed value
			var val = this.getValue();
			
			// update inputs
			this.setValue(val);
		}
		
	});
	
	acf.registerFieldType( Field );
	
	
	// manager
	acf.wpLink = new acf.Model({
		
		getNodeValue: function(){
			var $node = this.get('node');
			return {
				title:	acf.decode( $node.html() ),
				url:	$node.attr('href'),
				target:	$node.attr('target')
			};
		},
		
		setNodeValue: function( val ){
			var $node = this.get('node');
			$node.text( val.title );
			$node.attr('href', val.url);
			$node.attr('target', val.target);
			$node.trigger('change');
		},
		
		getInputValue: function(){
			return {
				title:	$('#wp-link-text').val(),
				url:	$('#wp-link-url').val(),
				target:	$('#wp-link-target').prop('checked') ? '_blank' : ''
			};
		},
		
		setInputValue: function( val ){
			$('#wp-link-text').val( val.title );
			$('#wp-link-url').val( val.url );
			$('#wp-link-target').prop('checked', val.target === '_blank' );
		},
		
		open: function( $node ){

			// add events
			this.on('wplink-open', 'onOpen');
			this.on('wplink-close', 'onClose');
			
			// set node
			this.set('node', $node);
			
			// create textarea
			var $textarea = $('<textarea id="acf-link-textarea" style="display:none;"></textarea>');
			$('body').append( $textarea );
			
			// vars
			var val = this.getNodeValue();
			
			// open popup
			wpLink.open( 'acf-link-textarea', val.url, val.title, null );
			
		},
		
		onOpen: function(){

			// always show title (WP will hide title if empty)
			$('#wp-link-wrap').addClass('has-text-field');
			
			// set inputs
			var val = this.getNodeValue();
			this.setInputValue( val );
		},
		
		close: function(){
			wpLink.close();
		},
		
		onClose: function(){
			
			// bail early if no node
			// needed due to WP triggering this event twice
			if( !this.has('node') ) {
				return false;
			}
			
			// remove events
			this.off('wplink-open');
			this.off('wplink-close');
			
			// set value
			var val = this.getInputValue();
			this.setNodeValue( val );
			
			// remove textarea
			$('#acf-link-textarea').remove();
			
			// reset
			this.set('node', null);
			
		}
	});	

})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'oembed',
		
		events: {
			'click [data-name="clear-button"]': 	'onClickClear',
			'keypress .input-search':				'onKeypressSearch',
			'keyup .input-search':					'onKeyupSearch',
			'change .input-search':					'onChangeSearch'
		},
		
		$control: function(){
			return this.$('.acf-oembed');
		},
		
		$input: function(){
			return this.$('.input-value');
		},
		
		$search: function(){
			return this.$('.input-search');
		},
		
		getValue: function(){
			return this.$input().val();
		},
		
		getSearchVal: function(){
			return this.$search().val();
		},
		
		setValue: function( val ){
			
			// class
			if( val ) {
				this.$control().addClass('has-value');
			} else {
				this.$control().removeClass('has-value');
			}
			
			acf.val( this.$input(), val );
		},
		
		showLoading: function( show ){
			acf.showLoading( this.$('.canvas') );	
		},
		
		hideLoading: function(){
			acf.hideLoading( this.$('.canvas') );	
		},
		
		maybeSearch: function(){
			
			// vars
			var prevUrl = this.val();
			var url = this.getSearchVal();
			
			 // no value
	        if( !url ) {
		    	return this.clear();
	        }
	        
			// fix missing 'http://' - causes the oembed code to error and fail
			if( url.substr(0, 4) != 'http' ) {
				url = 'http://' + url;
			}
			
	        // bail early if no change
	        if( url === prevUrl ) return;
	        
	        // clear existing timeout
	        var timeout = this.get('timeout');
	        if( timeout ) {
		        clearTimeout( timeout );
	        }
	        
	        // set new timeout
	        var callback = $.proxy(this.search, this, url);
	        this.set('timeout', setTimeout(callback, 300));
	        
		},
		
		search: function( url ){
			
			// ajax
			var ajaxData = {
				action:		'acf/fields/oembed/search',
				s: 			url,
				field_key:	this.get('key')
			};
			
			// clear existing timeout
	        var xhr = this.get('xhr');
	        if( xhr ) {
		        xhr.abort();
	        }
	        
	        // loading
	        this.showLoading();
				
			// query
			var xhr = $.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax(ajaxData),
				type: 'post',
				dataType: 'json',
				context: this,
				success: function( json ){
					
					// error
					if( !json || !json.html ) {
						json = {
							url: false,
							html: ''
						}
					}
					
					// update vars
					this.val( json.url );
					this.$('.canvas-media').html( json.html );
				},
				complete: function(){
					this.hideLoading();
				}
			});
			
			this.set('xhr', xhr);
		},
		
		clear: function(){
			this.val('');
			this.$search().val('');
			this.$('.canvas-media').html('');
		},
		
		onClickClear: function( e, $el ){
			this.clear();
		},
		
		onKeypressSearch: function( e, $el ){
			if( e.which == 13 ) {
				e.preventDefault();
				this.maybeSearch();
			}
		},
		
		onKeyupSearch: function( e, $el ){
			if( $el.val() ) {
				this.maybeSearch();
			}
		},
		
		onChangeSearch: function( e, $el ){
			this.maybeSearch();
		}
		
	});
	
	acf.registerFieldType( Field );

})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'radio',
		
		events: {
			'click input[type="radio"]': 'onClick',
		},
		
		$control: function(){
			return this.$('.acf-radio-list');
		},
		
		$input: function(){
			return this.$('input:checked');
		},
		
		$inputText: function(){
			return this.$('input[type="text"]');
		},
		
		getValue: function(){
			var val = this.$input().val();
			if( val === 'other' && this.get('other_choice') ) {
				val = this.$inputText().val();
			}
			return val;
		},
		
		onClick: function( e, $el ){
			
			// vars
			var $label = $el.parent('label');
			var selected = $label.hasClass('selected');
			var val = $el.val();
			
			// remove previous selected
			this.$('.selected').removeClass('selected');
			
			// add active class
			$label.addClass('selected');
			
			// allow null
			if( this.get('allow_null') && selected ) {
				$label.removeClass('selected');
				$el.prop('checked', false).trigger('change');
				val = false;
			}
			
			// other
			if( this.get('other_choice') ) {
				
				// enable
				if( val === 'other' ) {
					this.$inputText().prop('disabled', false);
					
				// disable
				} else {
					this.$inputText().prop('disabled', true);
				}
			}
		}
	});
	
	acf.registerFieldType( Field );

})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'range',
		
		events: {
			'input input[type="range"]': 'onChange',
			'change input': 'onChange'
		},
		
		$input: function(){
			return this.$('input[type="range"]');
		},
		
		$inputAlt: function(){
			return this.$('input[type="number"]');
		},
		
		setValue: function( val ){			
			this.busy = true;
			
			// Update range input (with change).
			acf.val( this.$input(), val );
			
			// Update alt input (without change).
			// Read in input value to inherit min/max validation.
			acf.val( this.$inputAlt(), this.$input().val(), true );
			
			this.busy = false;
		},
		
		onChange: function( e, $el ){
			if( !this.busy ) {
				this.setValue( $el.val() );
			}
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'relationship',
		
		events: {
			'keypress [data-filter]': 				'onKeypressFilter',
			'change [data-filter]': 				'onChangeFilter',
			'keyup [data-filter]': 					'onChangeFilter',
			'click .choices-list .acf-rel-item': 	'onClickAdd',
			'click [data-name="remove_item"]': 		'onClickRemove',
		},
		
		$control: function(){
			return this.$('.acf-relationship');
		},
		
		$list: function( list ) {
			return this.$('.' + list + '-list');
		},
		
		$listItems: function( list ) {
			return this.$list( list ).find('.acf-rel-item');
		},
		
		$listItem: function( list, id ) {
			return this.$list( list ).find('.acf-rel-item[data-id="' + id + '"]');
		},
		
		getValue: function(){
			var val = [];
			this.$listItems('values').each(function(){
				val.push( $(this).data('id') );
			});
			return val.length ? val : false;
		},
		
		newChoice: function( props ){
			return [
			'<li>',
				'<span data-id="' + props.id + '" class="acf-rel-item">' + props.text + '</span>',
			'</li>'
			].join('');
		},
		
		newValue: function( props ){
			return [
			'<li>',
				'<input type="hidden" name="' + this.getInputName() + '[]" value="' + props.id + '" />',
				'<span data-id="' + props.id + '" class="acf-rel-item">' + props.text,
					'<a href="#" class="acf-icon -minus small dark" data-name="remove_item"></a>',
				'</span>',
			'</li>'
			].join('');
		},
		
		initialize: function(){
			
			// Delay initialization until "interacted with" or "in view".
			var delayed = this.proxy(acf.once(function(){
				
				// Add sortable.
				this.$list('values').sortable({
					items:					'li',
					forceHelperSize:		true,
					forcePlaceholderSize:	true,
					scroll:					true,
					update:	this.proxy(function(){
						this.$input().trigger('change');
					})
				});
				
				// Avoid browser remembering old scroll position and add event.
				this.$list('choices').scrollTop(0).on('scroll', this.proxy(this.onScrollChoices));
				
				// Fetch choices.
				this.fetch();
				
			}));
			
			// Bind "interacted with".
			this.$el.one( 'mouseover', delayed );
			this.$el.one( 'focus', 'input', delayed );
			
			// Bind "in view".
			acf.onceInView( this.$el, delayed );
		},
		
		onScrollChoices: function(e){
				
			// bail early if no more results
			if( this.get('loading') || !this.get('more') ) {
				return;	
			}
			
			// Scrolled to bottom
			var $list = this.$list('choices');
			var scrollTop = Math.ceil( $list.scrollTop() );
			var scrollHeight = Math.ceil( $list[0].scrollHeight );
			var innerHeight = Math.ceil( $list.innerHeight() );
			var paged = this.get('paged') || 1;
			if( (scrollTop + innerHeight) >= scrollHeight ) {
				
				// update paged
				this.set('paged', (paged+1));
				
				// fetch
				this.fetch();
			}
		},
		
		onKeypressFilter: function( e, $el ){
			
			// don't submit form
			if( e.which == 13 ) {
				e.preventDefault();
			}
		},
		
		onChangeFilter: function( e, $el ){
			
			// vars
			var val = $el.val();
			var filter = $el.data('filter');
				
			// Bail early if filter has not changed
			if( this.get(filter) === val ) {
				return;
			}
			
			// update attr
			this.set(filter, val);
			
			// reset paged
			this.set('paged', 1);
			
		    // fetch
		    if( $el.is('select') ) {
				this.fetch();
			
			// search must go through timeout
		    } else {
			    this.maybeFetch();
		    }
		},
		
		onClickAdd: function( e, $el ){
			
			// vars
			var val = this.val();
			var max = parseInt( this.get('max') );
			
			// can be added?
			if( $el.hasClass('disabled') ) {
				return false;
			}
			
			// validate
			if( max > 0 && val && val.length >= max ) {
				
				// add notice
				this.showNotice({
					text: acf.__('Maximum values reached ( {max} values )').replace('{max}', max),
					type: 'warning'
				});
				return false;
			}
			
			// disable
			$el.addClass('disabled');
			
			// add
			var html = this.newValue({
				id: $el.data('id'),
				text: $el.html()
			});
			this.$list('values').append( html )
			
			// trigger change
			this.$input().trigger('change');
		},
		
		onClickRemove: function( e, $el ){
			
			// Prevent default here because generic handler wont be triggered.
			e.preventDefault();
			
			// vars
			var $span = $el.parent();
			var $li = $span.parent();
			var id = $span.data('id');
			
			// remove value
			$li.remove();
			
			// show choice
			this.$listItem('choices', id).removeClass('disabled');
			
			// trigger change
			this.$input().trigger('change');
		},
		
		maybeFetch: function(){
			
			// vars
			var timeout = this.get('timeout');
			
			// abort timeout
			if( timeout ) {
				clearTimeout( timeout );
			}
			
		    // fetch
		    timeout = this.setTimeout(this.fetch, 300);
		    this.set('timeout', timeout);
		},
		
		getAjaxData: function(){
			
			// load data based on element attributes
			var ajaxData = this.$control().data();
			for( var name in ajaxData ) {
				ajaxData[ name ] = this.get( name );
			}
			
			// extra
			ajaxData.action = 'acf/fields/relationship/query';
			ajaxData.field_key = this.get('key');
			
			// Filter.
			ajaxData = acf.applyFilters( 'relationship_ajax_data', ajaxData, this );
			
			// return
			return ajaxData;
		},
		
		fetch: function(){
			
			// abort XHR if this field is already loading AJAX data
			var xhr = this.get('xhr');
			if( xhr ) {
				xhr.abort();
			}
			
			// add to this.o
			var ajaxData = this.getAjaxData();
			
			// clear html if is new query
			var $choiceslist = this.$list( 'choices' );
			if( ajaxData.paged == 1 ) {
				$choiceslist.html('');
			}
			
			// loading
			var $loading = $('<li><i class="acf-loading"></i> ' + acf.__('Loading') + '</li>');
			$choiceslist.append($loading);
			this.set('loading', true);
			
			// callback
			var onComplete = function(){
				this.set('loading', false);
				$loading.remove();
			};
			
			var onSuccess = function( json ){
				
				// no results
				if( !json || !json.results || !json.results.length ) {
					
					// prevent pagination
					this.set('more', false);
				
					// add message
					if( this.get('paged') == 1 ) {
						this.$list('choices').append('<li>' + acf.__('No matches found') + '</li>');
					}
	
					// return
					return;
				}
				
				// set more (allows pagination scroll)
				this.set('more', json.more );
				
				// get new results
				var html = this.walkChoices(json.results);
				var $html = $( html );
				
				// apply .disabled to left li's
				var val = this.val();
				if( val && val.length ) {
					val.map(function( id ){
						$html.find('.acf-rel-item[data-id="' + id + '"]').addClass('disabled');
					});
				}
				
				// append
				$choiceslist.append( $html );
				
				// merge together groups
				var $prevLabel = false;
				var $prevList = false;
					
				$choiceslist.find('.acf-rel-label').each(function(){
					
					var $label = $(this);
					var $list = $label.siblings('ul');
					
					if( $prevLabel && $prevLabel.text() == $label.text() ) {
						$prevList.append( $list.children() );
						$(this).parent().remove();
						return;
					}
					
					// update vars
					$prevLabel = $label;
					$prevList = $list;
				});
			};
			
			// get results
		    var xhr = $.ajax({
		    	url:		acf.get('ajaxurl'),
				dataType:	'json',
				type:		'post',
				data:		acf.prepareForAjax(ajaxData),
				context:	this,
				success:	onSuccess,
				complete:	onComplete
			});
			
			// set
			this.set('xhr', xhr);
		},
		
		walkChoices: function( data ){
			
			// walker
			var walk = function( data ){
				
				// vars
				var html = '';
				
				// is array
				if( $.isArray(data) ) {
					data.map(function(item){
						html += walk( item );
					});
					
				// is item
				} else if( $.isPlainObject(data) ) {
					
					// group
					if( data.children !== undefined ) {
						
						html += '<li><span class="acf-rel-label">' + data.text + '</span><ul class="acf-bl">';
						html += walk( data.children );
						html += '</ul></li>';
					
					// single
					} else {
						html += '<li><span class="acf-rel-item" data-id="' + data.id + '">' + data.text + '</span></li>';
					}
				}
				
				// return
				return html;
			};
			
			return walk( data );
		}
		
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'select',
		
		select2: false,
		
		wait: 'load',
		
		events: {
			'removeField': 'onRemove'
		},
		
		$input: function(){
			return this.$('select');
		},
		
		initialize: function(){
			
			// vars
			var $select = this.$input();
			
			// inherit data
			this.inherit( $select );
			
			// select2
			if( this.get('ui') ) {
				
				// populate ajax_data (allowing custom attribute to already exist)
				var ajaxAction = this.get('ajax_action');
				if( !ajaxAction ) {
					ajaxAction = 'acf/fields/' + this.get('type') + '/query';
				}
				
				// select2
				this.select2 = acf.newSelect2($select, {
					field: this,
					ajax: this.get('ajax'),
					multiple: this.get('multiple'),
					placeholder: this.get('placeholder'),
					allowNull: this.get('allow_null'),
					ajaxAction: ajaxAction,
				});
			}
		},
		
		onRemove: function(){
			if( this.select2 ) {
				this.select2.destroy();
			}
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	// vars
	var CONTEXT = 'tab';
	
	var Field = acf.Field.extend({
		
		type: 'tab',
		
		wait: '',
		
		tabs: false,
		
		tab: false,
		
		findFields: function(){
			return this.$el.nextUntil('.acf-field-tab', '.acf-field');
		},
		
		getFields: function(){
			return acf.getFields( this.findFields() );
		},
		
		findTabs: function(){
			return this.$el.prevAll('.acf-tab-wrap:first');
		},
		
		findTab: function(){
			return this.$('.acf-tab-button');
		},
		
		initialize: function(){
			
			// bail early if is td
			if( this.$el.is('td') ) {
				this.events = {};
				return false;
			}
			
			// vars
			var $tabs = this.findTabs();
			var $tab = this.findTab();
			var settings = acf.parseArgs($tab.data(), {
				endpoint: false,
				placement: '',
				before: this.$el
			});
			
			// create wrap
			if( !$tabs.length || settings.endpoint ) {
				this.tabs = new Tabs( settings );
			} else {
				this.tabs = $tabs.data('acf');
			}
			
			// add tab
			this.tab = this.tabs.addTab($tab, this);
		},
		
		isActive: function(){
			return this.tab.isActive();
		},
		
		showFields: function(){
			
			// show fields
			this.getFields().map(function( field ){
				field.show( this.cid, CONTEXT );
				field.hiddenByTab = false;		
			}, this);
			
		},
		
		hideFields: function(){
			
			// hide fields
			this.getFields().map(function( field ){
				field.hide( this.cid, CONTEXT );
				field.hiddenByTab = this.tab;		
			}, this);
			
		},
		
		show: function( lockKey ){

			// show field and store result
			var visible = acf.Field.prototype.show.apply(this, arguments);
			
			// check if now visible
			if( visible ) {
				
				// show tab
				this.tab.show();
				
				// check active tabs
				this.tabs.refresh();
			}
						
			// return
			return visible;
		},
		
		hide: function( lockKey ){

			// hide field and store result
			var hidden = acf.Field.prototype.hide.apply(this, arguments);
			
			// check if now hidden
			if( hidden ) {
				
				// hide tab
				this.tab.hide();
				
				// reset tabs if this was active
				if( this.isActive() ) {
					this.tabs.reset();
				}
			}
						
			// return
			return hidden;
		},
		
		enable: function( lockKey ){

			// enable fields
			this.getFields().map(function( field ){
				field.enable( CONTEXT );		
			});
		},
		
		disable: function( lockKey ){
			
			// disable fields
			this.getFields().map(function( field ){
				field.disable( CONTEXT );		
			});
		}
	});
	
	acf.registerFieldType( Field );
	
	
	/**
	*  tabs
	*
	*  description
	*
	*  @date	8/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var i = 0;
	var Tabs = acf.Model.extend({
		
		tabs: [],
		
		active: false,
		
		actions: {
			'refresh': 'onRefresh'
		},
		
		data: {
			before: false,
			placement: 'top',
			index: 0,
			initialized: false,
		},
		
		setup: function( settings ){
			
			// data
			$.extend(this.data, settings);
			
			// define this prop to avoid scope issues
			this.tabs = [];
			this.active = false;
			
			// vars
			var placement = this.get('placement');
			var $before = this.get('before');
			var $parent = $before.parent();
			
			// add sidebar for left placement
			if( placement == 'left' && $parent.hasClass('acf-fields') ) {
				$parent.addClass('-sidebar');
			}
			
			// create wrap
			if( $before.is('tr') ) {
				this.$el = $('<tr class="acf-tab-wrap"><td colspan="2"><ul class="acf-hl acf-tab-group"></ul></td></tr>');
			} else {
				this.$el = $('<div class="acf-tab-wrap -' + placement + '"><ul class="acf-hl acf-tab-group"></ul></div>');
			}
			
			// append
			$before.before( this.$el );
			
			// set index
			this.set('index', i, true);
			i++;
		},
		
		initializeTabs: function(){
			
			// find first visible tab
			var tab = this.getVisible().shift();
			
			// remember previous tab state
			var order = acf.getPreference('this.tabs') || [];
			var groupIndex = this.get('index');
			var tabIndex = order[ groupIndex ];
			
			if( this.tabs[ tabIndex ] && this.tabs[ tabIndex ].isVisible() ) {
				tab = this.tabs[ tabIndex ];
			}
			
			// select
			if( tab ) {
				this.selectTab( tab );
			} else {
				this.closeTabs();
			}
			
			// set local variable used by tabsManager
			this.set('initialized', true);
		},
		
		getVisible: function(){
			return this.tabs.filter(function( tab ){
				return tab.isVisible();
			});
		},
		
		getActive: function(){
			return this.active;
		},
		
		setActive: function( tab ){
			return this.active = tab;
		},
		
		hasActive: function(){
			return (this.active !== false);
		},
		
		isActive: function( tab ){
			var active = this.getActive();
			return (active && active.cid === tab.cid);
		},
		
		closeActive: function(){
			if( this.hasActive() ) {
				this.closeTab( this.getActive() );
			}
		},
		
		openTab: function( tab ){
			
			// close existing tab
			this.closeActive();
			
			// open
			tab.open();
			
			// set active
			this.setActive( tab );
		},
		
		closeTab: function( tab ){
			
			// close
			tab.close();
			
			// set active
			this.setActive( false );
		},
		
		closeTabs: function(){
			this.tabs.map( this.closeTab, this );
		},
		
		selectTab: function( tab ){
			
			// close other tabs
			this.tabs.map(function( t ){
				if( tab.cid !== t.cid ) {
					this.closeTab( t );
				}
			}, this);
			
			// open
			this.openTab( tab );
			
		},
		
		addTab: function( $a, field ){
			
			// create <li>
			var $li = $('<li></li>');
			
			// append <a>
			$li.append( $a );
			
			// append
			this.$('ul').append( $li );
			
			// initialize
			var tab = new Tab({
				$el: $li,
				field: field,
				group: this,
			});
			
			// store
			this.tabs.push( tab );
			
			// return
			return tab;
		},
		
		reset: function(){
			
			// close existing tab
			this.closeActive();
			
			// find and active a tab
			return this.refresh();
		},
		
		refresh: function(){
			
			// bail early if active already exists
			if( this.hasActive() ) {
				return false;
			}
			
			// find next active tab
			var tab = this.getVisible().shift();
			
			// open tab
			if( tab ) {
				this.openTab( tab );
			}
			
			// return
			return tab;
		},
		
		onRefresh: function(){
			
			// only for left placements
			if( this.get('placement') !== 'left' ) {
				return;
			}
			
			// vars
			var $parent = this.$el.parent();
			var $list = this.$el.children('ul');
			var attribute = $parent.is('td') ? 'height' : 'min-height';
			
			// find height (minus 1 for border-bottom)
			var height = $list.position().top + $list.outerHeight(true) - 1;
			
			// add css
			$parent.css(attribute, height);
		}	
	});
	
	var Tab = acf.Model.extend({
		
		group: false,
		
		field: false,
		
		events: {
			'click a': 'onClick'
		},
		
		index: function(){
			return this.$el.index();
		},
		
		isVisible: function(){
			return acf.isVisible( this.$el );
		},
		
		isActive: function(){
			return this.$el.hasClass('active');
		},
		
		open: function(){
			
			// add class
			this.$el.addClass('active');
			
			// show field
			this.field.showFields();
		},
		
		close: function(){
			
			// remove class
			this.$el.removeClass('active');
			
			// hide field
			this.field.hideFields();
		},
		
		onClick: function( e, $el ){
			
			// prevent default
			e.preventDefault();
			
			// toggle
			this.toggle();
		},
		
		toggle: function(){
			
			// bail early if already active
			if( this.isActive() ) {
				return;
			}
			
			// toggle this tab
			this.group.openTab( this );
		}			
	});
	
	var tabsManager = new acf.Model({
		
		priority: 50,
		
		actions: {
			'prepare':			'render',
			'append':			'render',
			'unload':			'onUnload',
			'invalid_field':	'onInvalidField'
		},
		
		findTabs: function(){
			return $('.acf-tab-wrap');
		},
		
		getTabs: function(){
			return acf.getInstances( this.findTabs() );
		},
		
		render: function( $el ){
			this.getTabs().map(function( tabs ){
				if( !tabs.get('initialized') ) {
					tabs.initializeTabs();
				}
			});
		},
		
		onInvalidField: function( field ){
			
			// bail early if busy
			if( this.busy ) {
				return;
			}
			
			// ignore if not hidden by tab
			if( !field.hiddenByTab ) {
				return;
			}
			
			// toggle tab
			field.hiddenByTab.toggle();
				
			// ignore other invalid fields
			this.busy = true;
			this.setTimeout(function(){
				this.busy = false;
			}, 100);
		},
		
		onUnload: function(){
			
			// vars
			var order = [];
			
			// loop
			this.getTabs().map(function( group ){
				var active = group.hasActive() ? group.getActive().index() : 0;
				order.push(active);
			});
			
			// bail if no tabs
			if( !order.length ) {
				return;
			}
			
			// update
			acf.setPreference('this.tabs', order);
		}
	});
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.models.SelectField.extend({
		type: 'post_object',	
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.models.SelectField.extend({
		type: 'page_link',	
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.models.SelectField.extend({
		type: 'user',	
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'taxonomy',
		
		data: {
			'ftype': 'select'
		},
		
		select2: false,
		
		wait: 'load',
		
		events: {
			'click a[data-name="add"]': 'onClickAdd',
			'click input[type="radio"]': 'onClickRadio',
		},
		
		$control: function(){
			return this.$('.acf-taxonomy-field');
		},
		
		$input: function(){
			return this.getRelatedPrototype().$input.apply(this, arguments);
		},
		
		getRelatedType: function(){
			
			// vars
			var fieldType = this.get('ftype');
			
			// normalize
			if( fieldType == 'multi_select' ) {
				fieldType = 'select';
			}

			// return
			return fieldType;
			
		},
		
		getRelatedPrototype: function(){
			return acf.getFieldType( this.getRelatedType() ).prototype;
		},
		
		getValue: function(){
			return this.getRelatedPrototype().getValue.apply(this, arguments);
		},
		
		setValue: function(){
			return this.getRelatedPrototype().setValue.apply(this, arguments);
		},
		
		initialize: function(){
			this.getRelatedPrototype().initialize.apply(this, arguments);
		},
		
		onRemove: function(){
			if( this.select2 ) {
				this.select2.destroy();
			}
		},
		
		onClickAdd: function( e, $el ){
			
			// vars
			var field = this;
			var popup = false;
			var $form = false;
			var $name = false;
			var $parent = false;
			var $button = false;
			var $message = false;
			var notice = false;
			
			// step 1.
			var step1 = function(){
				
				// popup
				popup = acf.newPopup({
					title: $el.attr('title'),
					loading: true,
					width: '300px'
				});
				
				// ajax
				var ajaxData = {
					action:		'acf/fields/taxonomy/add_term',
					field_key:	field.get('key')
				};
				
				// get HTML
				$.ajax({
					url: acf.get('ajaxurl'),
					data: acf.prepareForAjax(ajaxData),
					type: 'post',
					dataType: 'html',
					success: step2
				});
			};
			
			// step 2.
			var step2 = function( html ){
				
				// update popup
				popup.loading(false);
				popup.content(html);
				
				// vars
				$form = popup.$('form');
				$name = popup.$('input[name="term_name"]');
				$parent = popup.$('select[name="term_parent"]');
				$button = popup.$('.acf-submit-button');
				
				// focus
				$name.focus();
				
				// submit form
				popup.on('submit', 'form', step3);
			};
			
			// step 3.
			var step3 = function( e, $el ){
				
				// prevent
				e.preventDefault();
				e.stopImmediatePropagation();
				
				// basic validation
				if( $name.val() === '' ) {
					$name.focus();
					return false;
				}
				
				// disable
				acf.startButtonLoading( $button );
				
				// ajax
				var ajaxData = {
					action: 		'acf/fields/taxonomy/add_term',
					field_key:		field.get('key'),
					term_name:		$name.val(),
					term_parent:	$parent.length ? $parent.val() : 0
				};
				
				$.ajax({
					url: acf.get('ajaxurl'),
					data: acf.prepareForAjax(ajaxData),
					type: 'post',
					dataType: 'json',
					success: step4
				});
			};
			
			// step 4.
			var step4 = function( json ){
				
				// enable
				acf.stopButtonLoading( $button );
				
				// remove prev notice
				if( notice ) {
					notice.remove();
				}
				
				// success
				if( acf.isAjaxSuccess(json) ) {
					
					// clear name
					$name.val('');
					
					// update term lists
					step5( json.data );
					
					// notice
					notice = acf.newNotice({
						type: 'success',
						text: acf.getAjaxMessage(json),
						target: $form,
						timeout: 2000,
						dismiss: false
					});
					
				} else {
					
					// notice
					notice = acf.newNotice({
						type: 'error',
						text: acf.getAjaxError(json),
						target: $form,
						timeout: 2000,
						dismiss: false
					});
				}
				
				// focus
				$name.focus();
			};
			
			// step 5.
			var step5 = function( term ){
				
				// update parent dropdown
				var $option = $('<option value="' + term.term_id + '">' + term.term_label + '</option>');
				if( term.term_parent ) {
					$parent.children('option[value="' + term.term_parent + '"]').after( $option );
				} else {
					$parent.append( $option );
				}
				
				// add this new term to all taxonomy field
				var fields = acf.getFields({
					type: 'taxonomy'
				});
				
				fields.map(function( otherField ){
					if( otherField.get('taxonomy') == field.get('taxonomy') ) {
						otherField.appendTerm( term );
					}
				});
				
				// select
				field.selectTerm( term.term_id );
			};
			
			// run
			step1();	
		},
		
		appendTerm: function( term ){
			
			if( this.getRelatedType() == 'select' ) {
				this.appendTermSelect( term );
			} else {
				this.appendTermCheckbox( term );
			}
		},
		
		appendTermSelect: function( term ){
			
			this.select2.addOption({
				id:			term.term_id,
				text:		term.term_label
			});
			
		},
		
		appendTermCheckbox: function( term ){
			
			// vars
			var name = this.$('[name]:first').attr('name');
			var $ul = this.$('ul:first');
			
			// allow multiple selection
			if( this.getRelatedType() == 'checkbox' ) {
				name += '[]';
			}
			
			// create new li
			var $li = $([
				'<li data-id="' + term.term_id + '">',
					'<label>',
						'<input type="' + this.get('ftype') + '" value="' + term.term_id + '" name="' + name + '" /> ',
						'<span>' + term.term_name + '</span>',
					'</label>',
				'</li>'
			].join(''));
			
			// find parent
			if( term.term_parent ) {
				
				// vars
				var $parent = $ul.find('li[data-id="' + term.term_parent + '"]');
				
				// update vars
				$ul = $parent.children('ul');
				
				// create ul
				if( !$ul.exists() ) {
					$ul = $('<ul class="children acf-bl"></ul>');
					$parent.append( $ul );
				}
			}
			
			// append
			$ul.append( $li );
		},
		
		selectTerm: function( id ){
			if( this.getRelatedType() == 'select' ) {
				this.select2.selectOption( id );
			} else {
				var $input = this.$('input[value="' + id + '"]');
				$input.prop('checked', true).trigger('change');
			}
		},
		
		onClickRadio: function( e, $el ){
			
			// vars
			var $label = $el.parent('label');
			var selected = $label.hasClass('selected');
			
			// remove previous selected
			this.$('.selected').removeClass('selected');
			
			// add active class
			$label.addClass('selected');
			
			// allow null
			if( this.get('allow_null') && selected ) {
				$label.removeClass('selected');
				$el.prop('checked', false).trigger('change');
			}
		}
	});
	
	acf.registerFieldType( Field );
		
})(jQuery);

(function($, undefined){
	
	var Field = acf.models.DatePickerField.extend({
		
		type: 'time_picker',
		
		$control: function(){
			return this.$('.acf-time-picker');
		},
		
		initialize: function(){
			
			// vars
			var $input = this.$input();
			var $inputText = this.$inputText();
			
			// args
			var args = {
				timeFormat:			this.get('time_format'),
				altField:			$input,
				altFieldTimeOnly:	false,
				altTimeFormat:		'HH:mm:ss',
				showButtonPanel:	true,
				controlType: 		'select',
				oneLine:			true,
				closeText:			acf.get('dateTimePickerL10n').selectText,
				timeOnly:			true,
			};
			
			// add custom 'Close = Select' functionality
			args.onClose = function( value, dp_instance, t_instance ){
				
				// vars
				var $close = dp_instance.dpDiv.find('.ui-datepicker-close');
				
				// if clicking close button
				if( !value && $close.is(':hover') ) {
					t_instance._updateDateTime();
				}				
			};

						
			// filter
			args = acf.applyFilters('time_picker_args', args, this);
			
			// add date time picker
			acf.newTimePicker( $inputText, args );
			
			// action
			acf.doAction('time_picker_init', $inputText, args, this);
		}
	});
	
	acf.registerFieldType( Field );
	
	
	// add
	acf.newTimePicker = function( $input, args ){
		
		// bail ealry if no datepicker library
		if( typeof $.timepicker === 'undefined' ) {
			return false;
		}
		
		// defaults
		args = args || {};
		
		// initialize
		$input.timepicker( args );
		
		// wrap the datepicker (only if it hasn't already been wrapped)
		if( $('body > #ui-datepicker-div').exists() ) {
			$('body > #ui-datepicker-div').wrap('<div class="acf-ui-datepicker" />');
		}
	};
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'true_false',
		
		events: {
			'change .acf-switch-input': 	'onChange',
			'focus .acf-switch-input': 		'onFocus',
			'blur .acf-switch-input': 		'onBlur',
			'keypress .acf-switch-input':	'onKeypress'
		},
		
		$input: function(){
			return this.$('input[type="checkbox"]');
		},
		
		$switch: function(){
			return this.$('.acf-switch');
		},
		
		getValue: function(){
			return this.$input().prop('checked') ? 1 : 0;
		},
		
		initialize: function(){
			this.render();
		},
		
		render: function(){
			
			// vars
			var $switch = this.$switch();
				
			// bail ealry if no $switch
			if( !$switch.length ) return;
			
			// vars
			var $on = $switch.children('.acf-switch-on');
			var $off = $switch.children('.acf-switch-off');
			var width = Math.max( $on.width(), $off.width() );
			
			// bail ealry if no width
			if( !width ) return;
			
			// set widths
			$on.css( 'min-width', width );
			$off.css( 'min-width', width );
				
		},
		
		switchOn: function() {
			this.$input().prop('checked', true);
			this.$switch().addClass('-on');
		},
		
		switchOff: function() {
			this.$input().prop('checked', false);
			this.$switch().removeClass('-on');
		},
		
		onChange: function( e, $el ){
			if( $el.prop('checked') ) {
				this.switchOn();
			} else {
				this.switchOff();
			}
		},
		
		onFocus: function( e, $el ){
			this.$switch().addClass('-focus');
		},
		
		onBlur: function( e, $el ){
			this.$switch().removeClass('-focus');
		},
		
		onKeypress: function( e, $el ){
			
			// left
			if( e.keyCode === 37 ) {
				return this.switchOff();
			}	
			
			// right
			if( e.keyCode === 39 ) {
				return this.switchOn();
			}
			
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'url',
		
		events: {
			'keyup input[type="url"]': 'onkeyup'
		},
		
		$control: function(){
			return this.$('.acf-input-wrap');
		},
		
		$input: function(){
			return this.$('input[type="url"]');
		},
		
		initialize: function(){
			this.render();
		},
		
		isValid: function(){
			
			// vars
			var val = this.val();
			
			// bail early if no val
			if( !val ) {
				return false;
			}
			
			// url
			if( val.indexOf('://') !== -1 ) {
				return true;
			}
			
			// protocol relative url
			if( val.indexOf('//') === 0 ) {
				return true;
			}
			
			// return
			return false;
		},
		
		render: function(){
			
			// add class
			if( this.isValid() ) {
				this.$control().addClass('-valid');
			} else {
				this.$control().removeClass('-valid');
			}
		},
		
		onkeyup: function( e, $el ){
			this.render();
		}
	});
	
	acf.registerFieldType( Field );
	
})(jQuery);

(function($, undefined){
	
	var Field = acf.Field.extend({
		
		type: 'wysiwyg',
		
		wait: 'load',
		
		events: {
			'mousedown .acf-editor-wrap.delay':	'onMousedown',
			'unmountField': 'disableEditor',
			'remountField': 'enableEditor',
			'removeField': 'disableEditor'
		},
		
		$control: function(){
			return this.$('.acf-editor-wrap');
		},
		
		$input: function(){
			return this.$('textarea');
		},
		
		getMode: function(){
			return this.$control().hasClass('tmce-active') ? 'visual' : 'text';
		},
		
		initialize: function(){
			
			// initializeEditor if no delay
			if( !this.$control().hasClass('delay') ) {
				this.initializeEditor();
			}
		},
		
		initializeEditor: function(){
			
			// vars
			var $wrap = this.$control();
			var $textarea = this.$input();
			var args = {
				tinymce:	true,
				quicktags:	true,
				toolbar:	this.get('toolbar'),
				mode:		this.getMode(),
				field:		this
			};
			
			// generate new id
			var oldId = $textarea.attr('id');
			var newId = acf.uniqueId('acf-editor-');
			
			// store copy of textarea data
			var data = $textarea.data();
			
			// rename
			acf.rename({
				target: $wrap,
				search: oldId,
				replace: newId,
				destructive: true
			});	
			
			// update id
			this.set('id', newId, true);
			
			// initialize
			acf.tinymce.initialize( newId, args );
			
			// apply data to new textarea (acf.rename creates a new textarea element due to destructive mode)
			// fixes bug where conditional logic "disabled" is lost during "screen_check"
			this.$input().data(data);
		},
		
		onMousedown: function( e ){
			
			// prevent default
			e.preventDefault();
			
			// remove delay class
			var $wrap = this.$control();
			$wrap.removeClass('delay');
			$wrap.find('.acf-editor-toolbar').remove();
			
			// initialize
			this.initializeEditor();
		},
		
		enableEditor: function(){
			if( this.getMode() == 'visual' ) {
				acf.tinymce.enable( this.get('id') );
			}
		},
		
		disableEditor: function(){
			acf.tinymce.destroy( this.get('id') );
		}	
	});
	
	acf.registerFieldType( Field );
		
})(jQuery);

(function($, undefined){
	
	// vars
	var storage = [];
	
	/**
	*  acf.Condition
	*
	*  description
	*
	*  @date	23/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.Condition = acf.Model.extend({
		
		type: '',							// used for model name
		operator: '==',						// rule operator
		label: '',							// label shown when editing fields
		choiceType: 'input',				// input, select
		fieldTypes: [],						// auto connect this conditions with these field types
		
		data: {
			conditions: false,	// the parent instance
			field: false,		// the field which we query against
			rule: {}			// the rule [field, operator, value]
		},
		
		events: {
			'change':		'change',
			'keyup':		'change',
			'enableField':	'change',
			'disableField':	'change'
		},
		
		setup: function( props ){
			$.extend(this.data, props);
		},
		
		getEventTarget: function( $el, event ){
			return $el || this.get('field').$el;
		},
		
		change: function( e, $el ){
			this.get('conditions').change( e );
		},
		
		match: function( rule, field ){
			return false;
		},
		
		calculate: function(){
			return this.match( this.get('rule'), this.get('field') );
		},
		
		choices: function( field ){
			return '<input type="text" />';
		}
	});
	
	/**
	*  acf.newCondition
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newCondition = function( rule, conditions ){
		
		// currently setting up conditions for fieldX, this field is the 'target'
		var target = conditions.get('field');
		
		// use the 'target' to find the 'trigger' field. 
		// - this field is used to setup the conditional logic events
		var field = target.getField( rule.field );
		
		// bail ealry if no target or no field (possible if field doesn't exist due to HTML error)
		if( !target || !field ) {
			return false;
		}
		
		// vars
		var args = {
			rule: rule,
			target: target,
			conditions: conditions,
			field: field
		};
		
		// vars
		var fieldType = field.get('type');
		var operator = rule.operator;
		
		// get avaibale conditions
		var conditionTypes = acf.getConditionTypes({
			fieldType: fieldType,
			operator: operator,
		});
		
		// instantiate
		var model = conditionTypes[0] || acf.Condition;
		
		// instantiate
		var condition = new model( args );
		
		// return
		return condition;
	};

	/**
	*  mid
	*
	*  Calculates the model ID for a field type
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	string type
	*  @return	string
	*/
	
	var modelId = function( type ) {
		return acf.strPascalCase( type || '' ) + 'Condition';
	};
	
	/**
	*  acf.registerConditionType
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.registerConditionType = function( model ){
		
		// vars
		var proto = model.prototype;
		var type = proto.type;
		var mid = modelId( type );
		
		// store model
		acf.models[ mid ] = model;
		
		// store reference
		storage.push( type );
	};
	
	/**
	*  acf.getConditionType
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getConditionType = function( type ){
		var mid = modelId( type );
		return acf.models[ mid ] || false;
	}
	
	/**
	*  acf.registerConditionForFieldType
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.registerConditionForFieldType = function( conditionType, fieldType ){
		
		// get model
		var model = acf.getConditionType( conditionType );
		
		// append
		if( model ) {
			model.prototype.fieldTypes.push( fieldType );
		}
	};
	
	/**
	*  acf.getConditionTypes
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getConditionTypes = function( args ){
		
		// defaults
		args = acf.parseArgs(args, {
			fieldType: '',
			operator: ''
		});
		
		// clonse available types
		var types = [];
		
		// loop
		storage.map(function( type ){
			
			// vars
			var model = acf.getConditionType(type);
			var ProtoFieldTypes = model.prototype.fieldTypes;
			var ProtoOperator = model.prototype.operator;
			
			// check fieldType
			if( args.fieldType && ProtoFieldTypes.indexOf( args.fieldType ) === -1 )  {
				return;
			}
			
			// check operator
			if( args.operator && ProtoOperator !== args.operator )  {
				return;
			}
			
			// append
			types.push( model );
		});
		
		// return
		return types;
	};
	
})(jQuery);

(function($, undefined){
	
	// vars
	var CONTEXT = 'conditional_logic';
	
	/**
	*  conditionsManager
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var conditionsManager = new acf.Model({
		
		id: 'conditionsManager',
		
		priority: 20, // run actions later
		
		actions: {
			'new_field':		'onNewField',
		},
		
		onNewField: function( field ){
			if( field.has('conditions') ) {
				field.getConditions().render();
			}
		},
	});
	
	/**
	*  acf.Field.prototype.getField
	*
	*  Finds a field that is related to another field
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var getSiblingField = function( field, key ){
			
		// find sibling (very fast)
		var fields = acf.getFields({
			key: key,
			sibling: field.$el,
			suppressFilters: true,
		});
		
		// find sibling-children (fast)
		// needed for group fields, accordions, etc
		if( !fields.length ) {
			fields = acf.getFields({
				key: key,
				parent: field.$el.parent(),
				suppressFilters: true,
			});
		}
		 
		// return
		if( fields.length ) {
			return fields[0];
		}
		return false;
	};
	
	acf.Field.prototype.getField = function( key ){
		
		// get sibling field
		var field = getSiblingField( this, key );
		
		// return early
		if( field ) {
			return field;
		}
		
		// move up through each parent and try again
		var parents = this.parents();
		for( var i = 0; i < parents.length; i++ ) {
			
			// get sibling field
			field = getSiblingField( parents[i], key );
			
			// return early
			if( field ) {
				return field;
			}
		}
		
		// return
		return false;
	};
	
	
	/**
	*  acf.Field.prototype.getConditions
	*
	*  Returns the field's conditions instance
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.Field.prototype.getConditions = function(){
		
		// instantiate
		if( !this.conditions ) {
			this.conditions = new Conditions( this );
		}
		
		// return
		return this.conditions;
	};
	
	
	/**
	*  Conditions
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	var timeout = false;
	var Conditions = acf.Model.extend({
		
		id: 'Conditions',
		
		data: {
			field:		false,	// The field with "data-conditions" (target).
			timeStamp:	false,	// Reference used during "change" event.
			groups:		[],		// The groups of condition instances.
		},
		
		setup: function( field ){
			
			// data
			this.data.field = field;
			
			// vars
			var conditions = field.get('conditions');
			
			// detect groups
			if( conditions instanceof Array ) {
				
				// detect groups
				if( conditions[0] instanceof Array ) {

					// loop
					conditions.map(function(rules, i){
						this.addRules( rules, i );
					}, this);
				
				// detect rules
				} else {
					this.addRules( conditions );
				}
				
			// detect rule
			} else {
				this.addRule( conditions );
			}
		},
		
		change: function( e ){
			
			// this function may be triggered multiple times per event due to multiple condition classes
			// compare timestamp to allow only 1 trigger per event
			if( this.get('timeStamp') === e.timeStamp ) {
				return false;
			} else {
				this.set('timeStamp', e.timeStamp, true);
			}
			
			// render condition and store result
			var changed = this.render();
		},
		
		render: function(){
			return this.calculate() ? this.show() : this.hide();
		},
		
		show: function(){
			return this.get('field').showEnable(this.cid, CONTEXT);
		},
		
		hide: function(){
			return this.get('field').hideDisable(this.cid, CONTEXT);
		},
		
		calculate: function(){
			
			// vars
			var pass = false;
			
			// loop
			this.getGroups().map(function( group ){
				
				// igrnore this group if another group passed
				if( pass ) return;
				
				// find passed
				var passed = group.filter(function(condition){
					return condition.calculate();
				});
				
				// if all conditions passed, update the global var
				if( passed.length == group.length ) {
					pass = true;
				}
			});
			
			return pass;
		},
		
		hasGroups: function(){
			return this.data.groups != null;
		},
		
		getGroups: function(){
			return this.data.groups;
		},
		
		addGroup: function(){
			var group = [];
			this.data.groups.push( group );
			return group;
		},
		
		hasGroup: function( i ){
			return this.data.groups[i] != null;
		},
		
		getGroup: function( i ){
			return this.data.groups[i];
		},
		
		removeGroup: function( i ){
			this.data.groups[i].delete;
			return this;
		},
		
		addRules: function( rules, group ){
			rules.map(function( rule ){
				this.addRule( rule, group );
			}, this);
		},
		
		addRule: function( rule, group ){
			
			// defaults
			group = group || 0;
			
			// vars
			var groupArray;
			
			// get group
			if( this.hasGroup(group) ) {
				groupArray = this.getGroup(group);
			} else {
				groupArray = this.addGroup();
			}
			
			// instantiate
			var condition = acf.newCondition( rule, this );
			
			// bail ealry if condition failed (field did not exist)
			if( !condition ) {
				return false;
			}
			
			// add rule
			groupArray.push(condition);
		},
		
		hasRule: function(){
			
		},
		
		getRule: function( rule, group ){
			
			// defaults
			rule = rule || 0;
			group = group || 0;
			
			return this.data.groups[ group ][ rule ];
		},
		
		removeRule: function(){
			
		}
	});
	
})(jQuery);

(function($, undefined){
	
	var __ = acf.__;
	
	var parseString = function( val ){
		return val ? '' + val : '';
	};
	
	var isEqualTo = function( v1, v2 ){
		return ( parseString(v1).toLowerCase() === parseString(v2).toLowerCase() );
	};
	
	var isEqualToNumber = function( v1, v2 ){
		return ( parseFloat(v1) === parseFloat(v2) );
	};
	
	var isGreaterThan = function( v1, v2 ){
		return ( parseFloat(v1) > parseFloat(v2) );
	};
	
	var isLessThan = function( v1, v2 ){
		return ( parseFloat(v1) < parseFloat(v2) );
	};
	
	var inArray = function( v1, array ){
		
		// cast all values as string
		array = array.map(function(v2){
			return parseString(v2);
		});
		
		return (array.indexOf( v1 ) > -1);
	}
	
	var containsString = function( haystack, needle ){
		return ( parseString(haystack).indexOf( parseString(needle) ) > -1 );
	};
	
	var matchesPattern = function( v1, pattern ){
		var regexp = new RegExp(parseString(pattern), 'gi');
		return parseString(v1).match( regexp );
	};
	
	/**
	*  hasValue
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var HasValue = acf.Condition.extend({
		type: 'hasValue',
		operator: '!=empty',
		label: __('Has any value'),
		fieldTypes: [ 'text', 'textarea', 'number', 'range', 'email', 'url', 'password', 'image', 'file', 'wysiwyg', 'oembed', 'select', 'checkbox', 'radio', 'button_group', 'link', 'post_object', 'page_link', 'relationship', 'taxonomy', 'user', 'google_map', 'date_picker', 'date_time_picker', 'time_picker', 'color_picker' ],
		match: function( rule, field ){
			return (field.val() ? true : false);
		},
		choices: function( fieldObject ){
			return '<input type="text" disabled="" />';
		}
	});
	
	acf.registerConditionType( HasValue );
	
	/**
	*  hasValue
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var HasNoValue = HasValue.extend({
		type: 'hasNoValue',
		operator: '==empty',
		label: __('Has no value'),
		match: function( rule, field ){
			return !HasValue.prototype.match.apply(this, arguments);
		}
	});
	
	acf.registerConditionType( HasNoValue );
	
	
	
	/**
	*  EqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var EqualTo = acf.Condition.extend({
		type: 'equalTo',
		operator: '==',
		label: __('Value is equal to'),
		fieldTypes: [ 'text', 'textarea', 'number', 'range', 'email', 'url', 'password' ],
		match: function( rule, field ){
			if( $.isNumeric(rule.value) ) {
				return isEqualToNumber( rule.value, field.val() );
			} else {
				return isEqualTo( rule.value, field.val() );
			}
		},
		choices: function( fieldObject ){
			return '<input type="text" />';
		}
	});
	
	acf.registerConditionType( EqualTo );
	
	/**
	*  NotEqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var NotEqualTo = EqualTo.extend({
		type: 'notEqualTo',
		operator: '!=',
		label: __('Value is not equal to'),
		match: function( rule, field ){
			return !EqualTo.prototype.match.apply(this, arguments);
		}
	});
	
	acf.registerConditionType( NotEqualTo );
	
	/**
	*  PatternMatch
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var PatternMatch = acf.Condition.extend({
		type: 'patternMatch',
		operator: '==pattern',
		label: __('Value matches pattern'),
		fieldTypes: [ 'text', 'textarea', 'email', 'url', 'password', 'wysiwyg' ],
		match: function( rule, field ){
			return matchesPattern( field.val(), rule.value );
		},
		choices: function( fieldObject ){
			return '<input type="text" placeholder="[a-z0-9]" />';
		}
	});
	
	acf.registerConditionType( PatternMatch );
	
	/**
	*  Contains
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var Contains = acf.Condition.extend({
		type: 'contains',
		operator: '==contains',
		label: __('Value contains'),
		fieldTypes: [ 'text', 'textarea', 'number', 'email', 'url', 'password', 'wysiwyg', 'oembed', 'select' ],
		match: function( rule, field ){
			return containsString( field.val(), rule.value );
		},
		choices: function( fieldObject ){
			return '<input type="text" />';
		}
	});
	
	acf.registerConditionType( Contains );
	
	/**
	*  TrueFalseEqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var TrueFalseEqualTo = EqualTo.extend({
		type: 'trueFalseEqualTo',
		choiceType: 'select',
		fieldTypes: [ 'true_false' ],
		choices: function( field ){
			return [
				{
					id:		1,
					text:	__('Checked')
				}
			];
		},
	});
	
	acf.registerConditionType( TrueFalseEqualTo );
	
	/**
	*  TrueFalseNotEqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var TrueFalseNotEqualTo = NotEqualTo.extend({
		type: 'trueFalseNotEqualTo',
		choiceType: 'select',
		fieldTypes: [ 'true_false' ],
		choices: function( field ){
			return [
				{
					id:		1,
					text:	__('Checked')
				}
			];
		},
	});
	
	acf.registerConditionType( TrueFalseNotEqualTo );
	
	/**
	*  SelectEqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var SelectEqualTo = acf.Condition.extend({
		type: 'selectEqualTo',
		operator: '==',
		label: __('Value is equal to'),
		fieldTypes: [ 'select', 'checkbox', 'radio', 'button_group' ],
		match: function( rule, field ){
			var val = field.val();
			if( val instanceof Array ) {
				return inArray( rule.value, val );
			} else {
				return isEqualTo( rule.value, val );
			}
		},
		choices: function( fieldObject ){
			
			// vars
			var choices = [];
			var lines = fieldObject.$setting('choices textarea').val().split("\n");	
			
			// allow null
			if( fieldObject.$input('allow_null').prop('checked') ) {
				choices.push({
					id: '',
					text: __('Null')
				});
			}
			
			// loop
			lines.map(function( line ){
				
				// split
				line = line.split(':');
				
				// default label to value
				line[1] = line[1] || line[0];
				
				// append					
				choices.push({
					id: $.trim( line[0] ),
					text: $.trim( line[1] )
				});
			});
			
			// return
			return choices;
		},
	});
	
	acf.registerConditionType( SelectEqualTo );
	
	/**
	*  SelectNotEqualTo
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var SelectNotEqualTo = SelectEqualTo.extend({
		type: 'selectNotEqualTo',
		operator: '!=',
		label: __('Value is not equal to'),
		match: function( rule, field ){
			return !SelectEqualTo.prototype.match.apply(this, arguments);
		}
	});
	
	acf.registerConditionType( SelectNotEqualTo );
	
	/**
	*  GreaterThan
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var GreaterThan = acf.Condition.extend({
		type: 'greaterThan',
		operator: '>',
		label: __('Value is greater than'),
		fieldTypes: [ 'number', 'range' ],
		match: function( rule, field ){
			var val = field.val();
			if( val instanceof Array ) {
				val = val.length;
			}
			return isGreaterThan( val, rule.value );
		},
		choices: function( fieldObject ){
			return '<input type="number" />';
		}
	});
	
	acf.registerConditionType( GreaterThan );
	
	
	/**
	*  LessThan
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var LessThan = GreaterThan.extend({
		type: 'lessThan',
		operator: '<',
		label: __('Value is less than'),
		match: function( rule, field ){
			var val = field.val();
			if( val instanceof Array ) {
				val = val.length;
			}
			return isLessThan( val, rule.value );
		},
		choices: function( fieldObject ){
			return '<input type="number" />';
		}
	});
	
	acf.registerConditionType( LessThan );
	
	/**
	*  SelectedGreaterThan
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var SelectionGreaterThan = GreaterThan.extend({
		type: 'selectionGreaterThan',
		label: __('Selection is greater than'),
		fieldTypes: [ 'checkbox', 'select', 'post_object', 'page_link', 'relationship', 'taxonomy', 'user' ],
	});
	
	acf.registerConditionType( SelectionGreaterThan );
	
	/**
	*  SelectedGreaterThan
	*
	*  description
	*
	*  @date	1/2/18
	*  @since	5.6.5
	*
	*  @param	void
	*  @return	void
	*/
	
	var SelectionLessThan = LessThan.extend({
		type: 'selectionLessThan',
		label: __('Selection is less than'),
		fieldTypes: [ 'checkbox', 'select', 'post_object', 'page_link', 'relationship', 'taxonomy', 'user' ],
	});
	
	acf.registerConditionType( SelectionLessThan );
	
})(jQuery);

(function($, undefined){
	
	/**
	*  acf.newMediaPopup
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newMediaPopup = function( args ){
		
		// args
		var popup = null;
		var args = acf.parseArgs(args, {
			mode:			'select',			// 'select', 'edit'
			title:			'',					// 'Upload Image'
			button:			'',					// 'Select Image'
			type:			'',					// 'image', ''
			field:			false,				// field instance
			allowedTypes:	'',					// '.jpg, .png, etc'
			library:		'all',				// 'all', 'uploadedTo'
			multiple:		false,				// false, true, 'add'
			attachment:		0,					// the attachment to edit
			autoOpen:		true,				// open the popup automatically
			open: 			function(){},		// callback after close
			select: 		function(){},		// callback after select
			close: 			function(){}		// callback after close
		});
		
		// initialize
		if( args.mode == 'edit' ) {
			popup = new acf.models.EditMediaPopup( args );
		} else {
			popup = new acf.models.SelectMediaPopup( args );
		}
		
		// open popup (allow frame customization before opening)
		if( args.autoOpen ) {
			setTimeout(function(){
				popup.open();
			}, 1);
		}
		
		// action
		acf.doAction('new_media_popup', popup);
		
		// return
		return popup;
	};
	
	
	/**
	*  getPostID
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var getPostID = function() {
		var postID = acf.get('post_id');
		return $.isNumeric(postID) ? postID : 0;
	}
	
	
	/**
	*  acf.getMimeTypes
	*
	*  description
	*
	*  @date	11/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getMimeTypes = function(){
		return this.get('mimeTypes');
	};
	
	acf.getMimeType = function( name ){
		
		// vars
		var allTypes = acf.getMimeTypes();
		
		// search
		if( allTypes[name] !== undefined ) {
			return allTypes[name];
		}
		
		// some types contain a mixed key such as "jpg|jpeg|jpe"
		for( var key in allTypes ) {
			if( key.indexOf(name) !== -1 ) {
				return allTypes[key];
			}
		}
		
		// return
		return false;
	};
	
	
	/**
	*  MediaPopup
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var MediaPopup = acf.Model.extend({
		
		id: 'MediaPopup',
		data: {},
		defaults: {},
		frame: false,
		
		setup: function( props ){
			$.extend(this.data, props);
		},
		
		initialize: function(){
			
			// vars
			var options = this.getFrameOptions();
			
			// add states
			this.addFrameStates( options );
			
			// create frame
			var frame = wp.media( options );
			
			// add args reference
			frame.acf = this;
			
			// add events
			this.addFrameEvents( frame, options );
			
			// strore frame
			this.frame = frame;
		},
		
		open: function(){
			this.frame.open();
		},
		
		close: function(){
			this.frame.close();
		},
		
		remove: function(){
			this.frame.detach();
			this.frame.remove();
		},
		
		getFrameOptions: function(){
			
			// vars
			var options = {
				title:		this.get('title'),
				multiple:	this.get('multiple'),
				library:	{},
				states:		[]
			};
			
			// type
			if( this.get('type') ) {
				options.library.type = this.get('type');
			}
			
			// type
			if( this.get('library') === 'uploadedTo' ) {
				options.library.uploadedTo = getPostID();
			}
			
			// attachment
			if( this.get('attachment') ) {
				options.library.post__in = [ this.get('attachment') ];
			}
			
			// button
			if( this.get('button') ) {
				options.button = {
					text: this.get('button')
				};
			}
			
			// return
			return options;
		},
		
		addFrameStates: function( options ){
			
			// create query
			var Query = wp.media.query( options.library );
			
			// add _acfuploader
			// this is super wack!
			// if you add _acfuploader to the options.library args, new uploads will not be added to the library view.
			// this has been traced back to the wp.media.model.Query initialize function (which can't be overriden)
			// Adding any custom args will cause the Attahcments to not observe the uploader queue
			// To bypass this security issue, we add in the args AFTER the Query has been initialized
			// options.library._acfuploader = settings.field;
			if( this.get('field') && acf.isset(Query, 'mirroring', 'args') ) {
				Query.mirroring.args._acfuploader = this.get('field');
			}
			
			// add states
			options.states.push(
				
				// main state
				new wp.media.controller.Library({
					library:		Query,
					multiple: 		this.get('multiple'),
					title: 			this.get('title'),
					priority: 		20,
					filterable: 	'all',
					editable: 		true,
					allowLocalEdits: true
				})
				
			);
			
			// edit image functionality (added in WP 3.9)
			if( acf.isset(wp, 'media', 'controller', 'EditImage') ) {
				options.states.push( new wp.media.controller.EditImage() );
			}
		},
		
		addFrameEvents: function( frame, options ){
			
			// log all events
			//frame.on('all', function( e ) {
			//	console.log( 'frame all: %o', e );
			//});
			
			// add class
			frame.on('open',function() {
				this.$el.closest('.media-modal').addClass('acf-media-modal -' + this.acf.get('mode') );
			}, frame);
			
			// edit image view
			// source: media-views.js:2410 editImageContent()
			frame.on('content:render:edit-image', function(){
				
				var image = this.state().get('image');
				var view = new wp.media.view.EditImage({ model: image, controller: this }).render();
				this.content.set( view );
	
				// after creating the wrapper view, load the actual editor via an ajax call
				view.loadEditor();
				
			}, frame);
			
			// update toolbar button
			//frame.on( 'toolbar:create:select', function( toolbar ) {
			//	toolbar.view = new wp.media.view.Toolbar.Select({
			//		text: frame.options._button,
			//		controller: this
			//	});
			//}, frame );

			// on select
			frame.on('select', function() {
				
				// vars
				var selection = frame.state().get('selection');
				
				// if selecting images
				if( selection ) {
					
					// loop
					selection.each(function( attachment, i ){
						frame.acf.get('select').apply( frame.acf, [attachment, i] );
					});
				}
			});
			
			// on close
			frame.on('close',function(){
				
				// callback and remove
				setTimeout(function(){
					frame.acf.get('close').apply( frame.acf );
					frame.acf.remove();
				}, 1);
			});
		}
	});
	
	
	/**
	*  acf.models.SelectMediaPopup
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.models.SelectMediaPopup = MediaPopup.extend({
		id: 'SelectMediaPopup',
		setup: function( props ){
			
			// default button
			if( !props.button ) {
				props.button = acf._x('Select', 'verb');
			}
			
			// parent
			MediaPopup.prototype.setup.apply(this, arguments);
		},
		
		addFrameEvents: function( frame, options ){
			
			// plupload
			// adds _acfuploader param to validate uploads
			if( acf.isset(_wpPluploadSettings, 'defaults', 'multipart_params') ) {
				
				// add _acfuploader so that Uploader will inherit
				_wpPluploadSettings.defaults.multipart_params._acfuploader = this.get('field');
				
				// remove acf_field so future Uploaders won't inherit
				frame.on('open', function(){
					delete _wpPluploadSettings.defaults.multipart_params._acfuploader;
				});
			}
			
			// browse
			frame.on('content:activate:browse', function(){
				
				// vars
				var toolbar = false;
				
				// populate above vars making sure to allow for failure
				// perhaps toolbar does not exist because the frame open is Upload Files
				try {
					toolbar = frame.content.get().toolbar;
				} catch(e) {
					console.log(e);
					return;
				}
				
				// callback
				frame.acf.customizeFilters.apply(frame.acf, [toolbar]);
			});
			
			// parent
			MediaPopup.prototype.addFrameEvents.apply(this, arguments);
			
		},
		
		customizeFilters: function( toolbar ){
			
			// vars
			var filters = toolbar.get('filters');
			
			// image
			if( this.get('type') == 'image' ) {
				
				// update all
				filters.filters.all.text = acf.__('All images');
				
				// remove some filters
				delete filters.filters.audio;
				delete filters.filters.video;
				delete filters.filters.image;
				
				// update all filters to show images
				$.each(filters.filters, function( i, filter ){
					filter.props.type = filter.props.type || 'image';
				});
			}
			
			// specific types
			if( this.get('allowedTypes') ) {
				
				// convert ".jpg, .png" into ["jpg", "png"]
				var allowedTypes = this.get('allowedTypes').split(' ').join('').split('.').join('').split(',');
				
				// loop
				allowedTypes.map(function( name ){
					
					// get type
					var mimeType = acf.getMimeType( name );
					
					// bail early if no type
					if( !mimeType ) return;
					
					// create new filter
					var newFilter = {
						text: mimeType,
						props: {
							status:  null,
							type:    mimeType,
							uploadedTo: null,
							orderby: 'date',
							order:   'DESC'
						},
						priority: 20
					};			
									
					// append
					filters.filters[ mimeType ] = newFilter;
					
				});
			}
			
			
			
			// uploaded to post
			if( this.get('library') === 'uploadedTo' ) {
				
				// vars
				var uploadedTo = this.frame.options.library.uploadedTo;
				
				// remove some filters
				delete filters.filters.unattached;
				delete filters.filters.uploaded;
				
				// add uploadedTo to filters
				$.each(filters.filters, function( i, filter ){
					filter.text += ' (' + acf.__('Uploaded to this post') + ')';
					filter.props.uploadedTo = uploadedTo;
				});
			}
			
			// add _acfuploader to filters
			var field = this.get('field');
			$.each(filters.filters, function( k, filter ){
				filter.props._acfuploader = field;
			});
			
			// add _acfuplaoder to search
			var search = toolbar.get('search');
			search.model.attributes._acfuploader = field;
			
			// render (custom function added to prototype)
			if( filters.renderFilters ) {
				filters.renderFilters();
			}
		}
	});
	
	
	/**
	*  acf.models.EditMediaPopup
	*
	*  description
	*
	*  @date	10/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.models.EditMediaPopup = MediaPopup.extend({
		id: 'SelectMediaPopup',
		setup: function( props ){
			
			// default button
			if( !props.button ) {
				props.button = acf._x('Update', 'verb');
			}
			
			// parent
			MediaPopup.prototype.setup.apply(this, arguments);
		},
		
		addFrameEvents: function( frame, options ){
			
			// add class
			frame.on('open',function() {
				
				// add class
				this.$el.closest('.media-modal').addClass('acf-expanded');
				
				// set to browse
				if( this.content.mode() != 'browse' ) {
					this.content.mode('browse');
				}
				
				// set selection
				var state 		= this.state();
				var selection	= state.get('selection');
				var attachment	= wp.media.attachment( frame.acf.get('attachment') );
				selection.add( attachment );
								
			}, frame);
			
			// parent
			MediaPopup.prototype.addFrameEvents.apply(this, arguments);
			
		}
	});
	
	
	/**
	*  customizePrototypes
	*
	*  description
	*
	*  @date	11/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var customizePrototypes = new acf.Model({
		id: 'customizePrototypes',
		wait: 'ready',
		
		initialize: function(){
			
			// bail early if no media views
			if( !acf.isset(window, 'wp', 'media', 'view') ) {
				return;
			}
			
			// fix bug where CPT without "editor" does not set post.id setting which then prevents uploadedTo from working
			var postID = getPostID();
			if( postID && acf.isset(wp, 'media', 'view', 'settings', 'post') ) {
				wp.media.view.settings.post.id = postID;
			}
			
			// customize
			this.customizeAttachmentsButton();
			this.customizeAttachmentsRouter();
			this.customizeAttachmentFilters();
			this.customizeAttachmentCompat();
			this.customizeAttachmentLibrary();
		},
		
		customizeAttachmentsButton: function(){
			
			// validate
			if( !acf.isset(wp, 'media', 'view', 'Button') ) {
				return;
			}
			
			// Extend
			var Button = wp.media.view.Button;
			wp.media.view.Button = Button.extend({
				
				// Fix bug where "Select" button appears blank after editing an image.
				// Do this by simplifying Button initialize function and avoid deleting this.options.
				initialize: function() {
					var options = _.defaults( this.options, this.defaults );
					this.model = new Backbone.Model( options );
					this.listenTo( this.model, 'change', this.render );
				}
			});
			
		},
		
		customizeAttachmentsRouter: function(){
			
			// validate
			if( !acf.isset(wp, 'media', 'view', 'Router') ) {
				return;
			}
			
			// vars
			var Parent = wp.media.view.Router;
			
			// extend
			wp.media.view.Router = Parent.extend({
				
				addExpand: function(){
					
					// vars
					var $a = $([
						'<a href="#" class="acf-expand-details">',
							'<span class="is-closed"><span class="acf-icon -left small grey"></span>' + acf.__('Expand Details') +  '</span>',
							'<span class="is-open"><span class="acf-icon -right small grey"></span>' + acf.__('Collapse Details') +  '</span>',
						'</a>'
					].join('')); 
					
					// add events
					$a.on('click', function( e ){
						e.preventDefault();
						var $div = $(this).closest('.media-modal');
						if( $div.hasClass('acf-expanded') ) {
							$div.removeClass('acf-expanded');
						} else {
							$div.addClass('acf-expanded');
						}
					});
					
					// append
					this.$el.append( $a );
				},
				
				initialize: function(){
					
					// initialize
					Parent.prototype.initialize.apply( this, arguments );
					
					// add buttons
					this.addExpand();
					
					// return
					return this;
				}
			});	
		},
		
		customizeAttachmentFilters: function(){
			
			// validate
			if( !acf.isset(wp, 'media', 'view', 'AttachmentFilters', 'All') ) {
				return;
			}
			
			// vars
			var Parent = wp.media.view.AttachmentFilters.All;
			
			// renderFilters
			// copied from media-views.js:6939
			Parent.prototype.renderFilters = function(){
				
				// Build `<option>` elements.
				this.$el.html( _.chain( this.filters ).map( function( filter, value ) {
					return {
						el: $( '<option></option>' ).val( value ).html( filter.text )[0],
						priority: filter.priority || 50
					};
				}, this ).sortBy('priority').pluck('el').value() );
				
			};
		},
		
		customizeAttachmentCompat: function(){
			
			// validate
			if( !acf.isset(wp, 'media', 'view', 'AttachmentCompat') ) {
				return;
			}
			
			// vars
			var AttachmentCompat = wp.media.view.AttachmentCompat;
			var timeout = false;
			
			// extend
			wp.media.view.AttachmentCompat = AttachmentCompat.extend({
				
				render: function() {
					
					// WP bug
					// When multiple media frames exist on the same page (WP content, WYSIWYG, image, file ),
					// WP creates multiple instances of this AttachmentCompat view.
					// Each instance will attempt to render when a new modal is created.
					// Use a property to avoid this and only render once per instance.
					if( this.rendered ) {
						return this;
					}
					
					// render HTML
					AttachmentCompat.prototype.render.apply( this, arguments );
					
					// when uploading, render is called twice.
					// ignore first render by checking for #acf-form-data element
					if( !this.$('#acf-form-data').length ) {
						return this;
					}
					
					// clear timeout
					clearTimeout( timeout );
					
					// setTimeout
					timeout = setTimeout($.proxy(function(){
						this.rendered = true;
						acf.doAction('append', this.$el);
					}, this), 50);
					
					// return
					return this;
				},
				
				save: function( event ) {
					var data = {};
			
					if ( event ) {
						event.preventDefault();
					}
					
					//_.each( this.$el.serializeArray(), function( pair ) {
					//	data[ pair.name ] = pair.value;
					//});
					
					// Serialize data more thoroughly to allow chckbox inputs to save.
					data = acf.serializeForAjax(this.$el);
					
					this.controller.trigger( 'attachment:compat:waiting', ['waiting'] );
					this.model.saveCompat( data ).always( _.bind( this.postSave, this ) );
				}
			});

		},
		
		customizeAttachmentLibrary: function(){
			
			// validate
			if( !acf.isset(wp, 'media', 'view', 'Attachment', 'Library') ) {
				return;
			}
			
			// vars
			var AttachmentLibrary = wp.media.view.Attachment.Library;
			
			// extend
			wp.media.view.Attachment.Library = AttachmentLibrary.extend({
				
				render: function() {
					
					// vars
					var popup = acf.isget(this, 'controller', 'acf');
					var attributes = acf.isget(this, 'model', 'attributes');
					
					// check vars exist to avoid errors
					if( popup && attributes ) {
						
						// show errors
						if( attributes.acf_errors ) {
							this.$el.addClass('acf-disabled');
						}
						
						// disable selected
						var selected = popup.get('selected');
						if( selected && selected.indexOf(attributes.id) > -1 ) {
							this.$el.addClass('acf-selected');
						}
					}
										
					// render
					return AttachmentLibrary.prototype.render.apply( this, arguments );
					
				},
				
				
				/*
				*  toggleSelection
				*
				*  This function is called before an attachment is selected
				*  A good place to check for errors and prevent the 'select' function from being fired
				*
				*  @type	function
				*  @date	29/09/2016
				*  @since	5.4.0
				*
				*  @param	options (object)
				*  @return	n/a
				*/
				
				toggleSelection: function( options ) {
					
					// vars
					// source: wp-includes/js/media-views.js:2880
					var collection = this.collection,
						selection = this.options.selection,
						model = this.model,
						single = selection.single();
					
					
					// vars
					var frame = this.controller;
					var errors = acf.isget(this, 'model', 'attributes', 'acf_errors');
					var $sidebar = frame.$el.find('.media-frame-content .media-sidebar');
					
					// remove previous error
					$sidebar.children('.acf-selection-error').remove();
					
					// show attachment details
					$sidebar.children().removeClass('acf-hidden');
					
					// add message
					if( frame && errors ) {
						
						// vars
						var filename = acf.isget(this, 'model', 'attributes', 'filename');
						
						// hide attachment details
						// Gallery field continues to show previously selected attachment...
						$sidebar.children().addClass('acf-hidden');
						
						// append message
						$sidebar.prepend([
							'<div class="acf-selection-error">',
								'<span class="selection-error-label">' + acf.__('Restricted') +'</span>',
								'<span class="selection-error-filename">' + filename + '</span>',
								'<span class="selection-error-message">' + errors + '</span>',
							'</div>'
						].join(''));
						
						// reset selection (unselects all attachments)
						selection.reset();
						
						// set single (attachment displayed in sidebar)
						selection.single( model );
						
						// return and prevent 'select' form being fired
						return;
						
					}
					
					// return					
					return AttachmentLibrary.prototype.toggleSelection.apply( this, arguments );
				}
			});
		}
	});

})(jQuery);

(function($, undefined){
	
	acf.screen = new acf.Model({
		
		active: true,
		
		xhr: false,
		
		timeout: false,
		
		wait: 'load',
		
		events: {
			'change #page_template':						'onChange',
			'change #parent_id':							'onChange',
			'change #post-formats-select':					'onChange',
			'change .categorychecklist':					'onChange',
			'change .tagsdiv':								'onChange',
			'change .acf-taxonomy-field[data-save="1"]':	'onChange',
			'change #product-type':							'onChange'
		},
		
		isPost: function(){
			return acf.get('screen') === 'post';
		},
		
		isUser: function(){
			return acf.get('screen') === 'user';
		},
		
		isTaxonomy: function(){
			return acf.get('screen') === 'taxonomy';
		},
		
		isAttachment: function(){
			return acf.get('screen') === 'attachment';
		},
		
		isNavMenu: function(){
			return acf.get('screen') === 'nav_menu';
		},
		
		isWidget: function(){
			return acf.get('screen') === 'widget';
		},
		
		isComment: function(){
			return acf.get('screen') === 'comment';
		},
		
		getPageTemplate: function(){
			var $el = $('#page_template');
			return $el.length ? $el.val() : null;
		},
		
		getPageParent: function( e, $el ){
			var $el = $('#parent_id');
			return $el.length ? $el.val() : null;
		},
		
		getPageType: function( e, $el ){
			return this.getPageParent() ? 'child' : 'parent';
		},
		
		getPostType: function(){
			return $('#post_type').val();
		},
		
		getPostFormat: function( e, $el ){
			var $el = $('#post-formats-select input:checked');
			if( $el.length ) {
				var val = $el.val();
				return (val == '0') ? 'standard' : val;
			}
			return null;
		},
		
		getPostCoreTerms: function(){
			
			// vars
			var terms = {};
			
			// serialize WP taxonomy postboxes		
			var data = acf.serialize( $('.categorydiv, .tagsdiv') );
			
			// use tax_input (tag, custom-taxonomy) when possible.
			// this data is already formatted in taxonomy => [terms].
			if( data.tax_input ) {
				terms = data.tax_input;
			}
			
			// append "category" which uses a different name
			if( data.post_category ) {
				terms.category = data.post_category;
			}
			
			// convert any string values (tags) into array format
			for( var tax in terms ) {
				if( !acf.isArray(terms[tax]) ) {
					terms[tax] = terms[tax].split(/,[\s]?/);
				}
			}
			
			// return
			return terms;
		},
		
		getPostTerms: function(){
			
			// Get core terms.
			var terms = this.getPostCoreTerms();
			
			// loop over taxonomy fields and add their values
			acf.getFields({type: 'taxonomy'}).map(function( field ){
				
				// ignore fields that don't save
				if( !field.get('save') ) {
					return;
				}
				
				// vars
				var val = field.val();
				var tax = field.get('taxonomy');
				
				// check val
				if( val ) {
					
					// ensure terms exists
					terms[ tax ] = terms[ tax ] || [];
					
					// ensure val is an array
					val = acf.isArray(val) ? val : [val];
					
					// append
					terms[ tax ] = terms[ tax ].concat( val );
				}
			});
			
			// add WC product type
			if( (productType = this.getProductType()) !== null ) {
				terms.product_type = [productType];
			}
			
			// remove duplicate values
			for( var tax in terms ) {
				terms[tax] = acf.uniqueArray(terms[tax]);
			}
			
			// return
			return terms;
		},
		
		getProductType: function(){
			var $el = $('#product-type');
			return $el.length ? $el.val() : null;
		},
		
		check: function(){
			
			// bail early if not for post
			if( acf.get('screen') !== 'post' ) {
				return;
			}
			
			// abort XHR if is already loading AJAX data
			if( this.xhr ) {
				this.xhr.abort();
			}
			
			// vars
			var ajaxData = acf.parseArgs(this.data, {
				action:	'acf/ajax/check_screen',
				screen: acf.get('screen'),
				exists: []
			});
			
			// post id
			if( this.isPost() ) {
				ajaxData.post_id = acf.get('post_id');
			}
			
			// post type
			if( (postType = this.getPostType()) !== null ) {
				ajaxData.post_type = postType;
			}
			
			// page template
			if( (pageTemplate = this.getPageTemplate()) !== null ) {
				ajaxData.page_template = pageTemplate;
			}
			
			// page parent
			if( (pageParent = this.getPageParent()) !== null ) {
				ajaxData.page_parent = pageParent;
			}
			
			// page type
			if( (pageType = this.getPageType()) !== null ) {
				ajaxData.page_type = pageType;
			}
			
			// post format
			if( (postFormat = this.getPostFormat()) !== null ) {
				ajaxData.post_format = postFormat;
			}
			
			// post terms
			if( (postTerms = this.getPostTerms()) !== null ) {
				ajaxData.post_terms = postTerms;
			}
			
			// add array of existing postboxes to increase performance and reduce JSON HTML
			acf.getPostboxes().map(function( postbox ){
				ajaxData.exists.push( postbox.get('key') );
			});
			
			// filter
			ajaxData = acf.applyFilters('check_screen_args', ajaxData);
			
			// success
			var onSuccess = function( json ){
				
				// Check success.
				if( acf.isAjaxSuccess(json) ) {
					
					// Render post screen.
					if( acf.get('screen') == 'post' ) {
						this.renderPostScreen( json.data );
					
					// Render user screen.
					} else if( acf.get('screen') == 'user' ) {
						this.renderUserScreen( json.data );
					}
				}
				
				// action
				acf.doAction('check_screen_complete', json.data, ajaxData);
			};
			
			// ajax
			this.xhr = $.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax( ajaxData ),
				type: 'post',
				dataType: 'json',
				context: this,
				success: onSuccess
			});
		},
		
		onChange: function( e, $el ){
			this.setTimeout(this.check, 1);
		},
		
		renderPostScreen: function( data ){
			
			// Helper function to copy events
			var copyEvents = function( $from, $to ){
				var events = $._data($from[0]).events;
				for( var type in events ) {
					for( var i = 0; i < events[type].length; i++ ) {
						$to.on( type, events[type][i].handler );
					}
				}
			}
			
			// Helper function to sort metabox.
			var sortMetabox = function( id, ids ){
				
				// Find position of id within ids.
				var index = ids.indexOf( id );
				
				// Bail early if index not found.
				if( index == -1 ) {
					return false;
				}
				
				// Loop over metaboxes behind (in reverse order).
				for( var i = index-1; i >= 0; i-- ) {
					if( $('#'+ids[i]).length ) {
						return $('#'+ids[i]).after( $('#'+id) );
					}
				}
				
				// Loop over metaboxes infront.
				for( var i = index+1; i < ids.length; i++ ) {
					if( $('#'+ids[i]).length ) {
						return $('#'+ids[i]).before( $('#'+id) );
					}
				}
				
				// Return false if not sorted.
				return false;
			};
			
			// Keep track of visible and hidden postboxes.
			data.visible = [];
			data.hidden = [];
			
			// Show these postboxes.
			data.results = data.results.map(function( result, i ){
				
				// vars
				var postbox = acf.getPostbox( result.id );
				
				// Prevent "acf_after_title" position in Block Editor.
				if( acf.isGutenberg() && result.position == "acf_after_title" ) {
					result.position = 'normal';
				}
				
				// Create postbox if doesn't exist.
				if( !postbox ) {
					
					// Create it.
					var $postbox = $([
						'<div id="' + result.id + '" class="postbox">',
							'<button type="button" class="handlediv" aria-expanded="false">',
								'<span class="screen-reader-text">Toggle panel: ' + result.title + '</span>',
								'<span class="toggle-indicator" aria-hidden="true"></span>',
							'</button>',
							'<h2 class="hndle ui-sortable-handle">',
								'<span>' + result.title + '</span>',
							'</h2>',
							'<div class="inside">',
								result.html,
							'</div>',
						'</div>'
					].join(''));
					
					// Create new hide toggle.
					if( $('#adv-settings').length ) {
						var $prefs = $('#adv-settings .metabox-prefs');
						var $label = $([
							'<label for="' + result.id + '-hide">',
								'<input class="hide-postbox-tog" name="' + result.id + '-hide" type="checkbox" id="' + result.id + '-hide" value="' + result.id + '" checked="checked">',
								' ' + result.title,
							'</label>'
						].join(''));
						
						// Copy default WP events onto checkbox.
						copyEvents( $prefs.find('input').first(), $label.find('input') );
						
						// Append hide label
						$prefs.append( $label );
					}
					
					// Copy default WP events onto metabox.
					if( $('.postbox').length ) {
						copyEvents( $('.postbox .handlediv').first(), $postbox.children('.handlediv') );
						copyEvents( $('.postbox .hndle').first(), $postbox.children('.hndle') );
					}
					
					// Append metabox to the bottom of "side-sortables".
					if( result.position === 'side' ) {
						$('#' + result.position + '-sortables').append( $postbox );
					
					// Prepend metabox to the top of "normal-sortbables".
					} else {
						$('#' + result.position + '-sortables').prepend( $postbox );
					}
					
					// Position metabox amongst existing ACF metaboxes within the same location.
					var order = [];
					data.results.map(function( _result ){
						if( result.position === _result.position && $('#' + result.position + '-sortables #' + _result.id).length ) {
							order.push( _result.id );
						}
					});
					sortMetabox(result.id, order)
					
					// Check 'sorted' for user preference.
					if( data.sorted ) {
						
						// Loop over each position (acf_after_title, side, normal).
						for( var position in data.sorted ) {
							
							// Explode string into array of ids.
							var order = data.sorted[position].split(',');
							
							// Position metabox relative to order.
							if( sortMetabox(result.id, order) ) {
								break;
							}
						}
					}
					
					// Initalize it (modifies HTML).
					postbox = acf.newPostbox( result );
					
					// Trigger action.
					acf.doAction('append', $postbox);
					acf.doAction('append_postbox', postbox);
				}
				
				// show postbox
				postbox.showEnable();
				
				// append
				data.visible.push( result.id );
				
				// Return result (may have changed).
				return result;
			});
			
			// Hide these postboxes.
			acf.getPostboxes().map(function( postbox ){
				if( data.visible.indexOf( postbox.get('id') ) === -1 ) {
					
					// Hide postbox.
					postbox.hideDisable();
					
					// Append to data.
					data.hidden.push( postbox.get('id') );
				}
			});
			
			// Update style.
			$('#acf-style').html( data.style );
			
			// Do action.
			acf.doAction( 'refresh_post_screen', data );
		},
		
		renderUserScreen: function( json ){
			
		}
	});
	
	/**
	*  gutenScreen
	*
	*  Adds compatibility with the Gutenberg edit screen.
	*
	*  @date	11/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	var gutenScreen = new acf.Model({
		
		// Keep a reference to the most recent post attributes.
		postEdits: {},
				
		// Wait until load to avoid 'core' issues when loading taxonomies.
		wait: 'load',

		initialize: function(){
			
			// Bail early if not Gutenberg.
			if( !acf.isGutenberg() ) {
				return;
			}
			
			// Listen for changes (use debounced version as this can fires often).
			wp.data.subscribe( acf.debounce(this.onChange).bind(this) );
			
			// Customize "acf.screen.get" functions.
			acf.screen.getPageTemplate = this.getPageTemplate;
			acf.screen.getPageParent = this.getPageParent;
			acf.screen.getPostType = this.getPostType;
			acf.screen.getPostFormat = this.getPostFormat;
			acf.screen.getPostCoreTerms = this.getPostCoreTerms;
			
			// Disable unload
			acf.unload.disable();
			
			// Refresh metaboxes since WP 5.3.
			var wpMinorVersion = parseFloat( acf.get('wp_version') );
			if( wpMinorVersion >= 5.3 ) {
				this.addAction( 'refresh_post_screen', this.onRefreshPostScreen );
			}
		},
		
		onChange: function(){
			
			// Determine attributes that can trigger a refresh.
			var attributes = [ 'template', 'parent', 'format' ];
			
			// Append taxonomy attribute names to this list.
			( wp.data.select( 'core' ).getTaxonomies() || [] ).map(function( taxonomy ){
				attributes.push( taxonomy.rest_base );
			});
			
			// Get relevant current post edits.
			var _postEdits = wp.data.select( 'core/editor' ).getPostEdits();
			var postEdits = {};
			attributes.map(function( k ){
				if( _postEdits[k] !== undefined ) {
					postEdits[k] = _postEdits[k];
				}
			});
			
			// Detect change.
			if( JSON.stringify(postEdits) !== JSON.stringify(this.postEdits) ) {
				this.postEdits = postEdits;
				
				// Check screen.
				acf.screen.check();
			}
		},
				
		getPageTemplate: function(){
			return wp.data.select( 'core/editor' ).getEditedPostAttribute( 'template' );
		},
		
		getPageParent: function( e, $el ){
			return wp.data.select( 'core/editor' ).getEditedPostAttribute( 'parent' );
		},
		
		getPostType: function(){
			return wp.data.select( 'core/editor' ).getEditedPostAttribute( 'type' );
		},
		
		getPostFormat: function( e, $el ){
			return wp.data.select( 'core/editor' ).getEditedPostAttribute( 'format' );
		},
		
		getPostCoreTerms: function(){
			
			// vars
			var terms = {};
			
			// Loop over taxonomies.
			var taxonomies = wp.data.select( 'core' ).getTaxonomies() || [];
			taxonomies.map(function( taxonomy ){
				
				// Append selected taxonomies to terms object.
				var postTerms = wp.data.select( 'core/editor' ).getEditedPostAttribute( taxonomy.rest_base );
				if( postTerms ) {
					terms[ taxonomy.slug ] = postTerms;
				}
			});
			
			// return
			return terms;
		},
		
		/**
		 * onRefreshPostScreen
		 *
		 * Fires after the Post edit screen metaboxs are refreshed to update the Block Editor API state.
		 *
		 * @date	11/11/19
		 * @since	5.8.7
		 *
		 * @param	object data The "check_screen" JSON response data.
		 * @return	void
		 */
		onRefreshPostScreen: function( data ) {
			
			// Extract vars.
			var select = wp.data.select( 'core/edit-post' );
			var dispatch = wp.data.dispatch( 'core/edit-post' );
			
			// Load current metabox locations and data.
			var locations = {};
			select.getActiveMetaBoxLocations().map(function( location ){
				locations[ location ] = select.getMetaBoxesPerLocation( location );
			});
			
			// Generate flat array of existing ids.
			var ids = [];
			for( var k in locations ) {
				locations[k].map(function( m ){
					ids.push( m.id );
				});
			}
			
			// Append new ACF metaboxes (ignore those which already exist).
			data.results.filter(function( r ){
				return ( ids.indexOf( r.id ) === -1 );
			}).map(function( result, i ){
				
				// Ensure location exists.
				var location = result.position;
				locations[ location ] = locations[ location ] || [];
				
				// Append.
				locations[ location ].push({
					id: result.id,
					title: result.title
				});
			});
			
			// Remove hidden ACF metaboxes.
			for( var k in locations ) {
				locations[k] = locations[k].filter(function( m ){
					return ( data.hidden.indexOf( m.id ) === -1 );
				});
			}
			
			// Update state.
			dispatch.setAvailableMetaBoxesPerLocation( locations );	
		}
	});

})(jQuery);

(function($, undefined){
	
	/**
	*  acf.newSelect2
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newSelect2 = function( $select, props ){
		
		// defaults
		props = acf.parseArgs(props, {
			allowNull:		false,
			placeholder:	'',
			multiple:		false,
			field: 			false,
			ajax:			false,
			ajaxAction:		'',
			ajaxData:		function( data ){ return data; },
			ajaxResults:	function( json ){ return json; },
		});
		
		// initialize
		if( getVersion() == 4 ) {
			var select2 = new Select2_4( $select, props );
		} else {
			var select2 = new Select2_3( $select, props );
		}
		
		// actions
		acf.doAction('new_select2', select2);
		
		// return
		return select2;
	};
	
	/**
	*  getVersion
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function getVersion() {
		
		// v4
		if( acf.isset(window, 'jQuery', 'fn', 'select2', 'amd') ) {
			return 4;
		}
		
		// v3
		if( acf.isset(window, 'Select2') ) {
			return 3;
		}
		
		// return
		return false;
	}
	
	/**
	*  Select2
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var Select2 = acf.Model.extend({
		
		setup: function( $select, props ){
			$.extend(this.data, props);
			this.$el = $select;
		},
		
		initialize: function(){
			
		},
		
		selectOption: function( value ){
			var $option = this.getOption( value );
			if( !$option.prop('selected') ) {
				$option.prop('selected', true).trigger('change');
			}
		},
		
		unselectOption: function( value ){
			var $option = this.getOption( value );
			if( $option.prop('selected') ) {
				$option.prop('selected', false).trigger('change');
			}
		},
		
		getOption: function( value ){
			return this.$('option[value="' + value + '"]');
		},
		
		addOption: function( option ){
			
			// defaults
			option = acf.parseArgs(option, {
				id: '',
				text: '',
				selected: false
			});
			
			// vars
			var $option = this.getOption( option.id );
			
			// append
			if( !$option.length ) {
				$option = $('<option></option>');
				$option.html( option.text );
				$option.attr('value', option.id);
				$option.prop('selected', option.selected);
				this.$el.append($option);
			}
						
			// chain
			return $option;
		},
		
		getValue: function(){
			
			// vars
			var val = [];
			var $options = this.$el.find('option:selected');
			
			// bail early if no selected
			if( !$options.exists() ) {
				return val;
			}
			
			// sort by attribute
			$options = $options.sort(function(a, b) {
			    return +a.getAttribute('data-i') - +b.getAttribute('data-i');
			});
			
			// loop
			$options.each(function(){
				var $el = $(this);
				val.push({
					$el:	$el,
					id:		$el.attr('value'),
					text:	$el.text(),
				});
			});
			
			// return
			return val;
			
		},
		
		mergeOptions: function(){
				
		},
		
		getChoices: function(){
			
			// callback
			var crawl = function( $parent ){
				
				// vars
				var choices = [];
				
				// loop
				$parent.children().each(function(){
					
					// vars
					var $child = $(this);
					
					// optgroup
					if( $child.is('optgroup') ) {
						
						choices.push({
							text:		$child.attr('label'),
							children:	crawl( $child )
						});
					
					// option
					} else {
						
						choices.push({
							id:		$child.attr('value'),
							text:	$child.text()
						});
					}
				});
				
				// return
				return choices;
			};
			
			// crawl
			return crawl( this.$el );
		},
		
		decodeChoices: function( choices ){
			
			// callback
			var crawl = function( items ){
				items.map(function( item ){
					item.text = acf.decode( item.text );
					if( item.children ) {
						item.children = crawl( item.children );
					}
					return item;
				});
				return items;
			};
			
			// crawl
			return crawl( choices );
		},
		
		getAjaxData: function( params ){
			
			// vars
			var ajaxData = {
				action: 	this.get('ajaxAction'),
				s: 			params.term || '',
				paged: 		params.page || 1
			};
			
			// field helper
			var field = this.get('field');
			if( field ) {
				ajaxData.field_key = field.get('key');
			}
			
			// callback
			var callback = this.get('ajaxData');
			if( callback ) {
				ajaxData = callback.apply( this, [ajaxData, params] );
			}
			
			// filter
			ajaxData = acf.applyFilters( 'select2_ajax_data', ajaxData, this.data, this.$el, (field || false), this );
			
			// return
			return acf.prepareForAjax(ajaxData);
		},
		
		getAjaxResults: function( json, params ){
			
			// defaults
			json = acf.parseArgs(json, {
				results: false,
				more: false,
			});
			
			// decode
			if( json.results ) {
				json.results = this.decodeChoices(json.results);
			}
			
			// callback
			var callback = this.get('ajaxResults');
			if( callback ) {
				json = callback.apply( this, [json, params] );
			}
			
			// filter
			json = acf.applyFilters( 'select2_ajax_results', json, params, this );
			
			// return
			return json;
		},
		
		processAjaxResults: function( json, params ){
			
			// vars
			var json = this.getAjaxResults( json, params );
			
			// change more to pagination
			if( json.more ) {
				json.pagination = { more: true };
			}
			
			// merge together groups
			setTimeout($.proxy(this.mergeOptions, this), 1);
			
			// return
			return json;
		},
		
		destroy: function(){
			
			// destroy via api
			if( this.$el.data('select2') ) {
				this.$el.select2('destroy');
			}
			
			// destory via HTML (duplicating HTML does not contain data)
			this.$el.siblings('.select2-container').remove();
		}
		
	});
	
	
	/**
	*  Select2_4
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var Select2_4 = Select2.extend({
		
		initialize: function(){
			
			// vars
			var $select = this.$el;
			var options = {
				width:				'100%',
				allowClear:			this.get('allowNull'),
				placeholder:		this.get('placeholder'),
				multiple:			this.get('multiple'),
				data:				[],
				escapeMarkup:		function( m ){ return m; }
			};
			
			// multiple
			if( options.multiple ) {
				
				// reorder options
				this.getValue().map(function( item ){
					item.$el.detach().appendTo( $select );
				});
			}
			
		    // remove conflicting atts
		    $select.removeData('ajax');
			$select.removeAttr('data-ajax');
			
			// ajax
			if( this.get('ajax') ) {
				
				options.ajax = {
					url:			acf.get('ajaxurl'),
					delay: 			250,
					dataType: 		'json',
					type: 			'post',
					cache: 			false,
					data:			$.proxy(this.getAjaxData, this),
					processResults:	$.proxy(this.processAjaxResults, this),
				};
			}
		    
			// filter for 3rd party customization
			//options = acf.applyFilters( 'select2_args', options, $select, this );
			var field = this.get('field');
			options = acf.applyFilters( 'select2_args', options, $select, this.data, (field || false), this );
			
			// add select2
			$select.select2( options );
			
			// get container (Select2 v4 does not return this from constructor)
			var $container = $select.next('.select2-container');
			
			// multiple
			if( options.multiple ) {
				
				// vars
				var $ul = $container.find('ul');
				
				// sortable
				$ul.sortable({
		            stop: function( e ) {
			            
			            // loop
			            $ul.find('.select2-selection__choice').each(function() {
				            
				            // vars
							var $option = $( $(this).data('data').element );
							
							// detach and re-append to end
							$option.detach().appendTo( $select );
		                });
		                
		                // trigger change on input (JS error if trigger on select)
	                    $select.trigger('change');
		            }
				});
				
				// on select, move to end
				$select.on('select2:select', this.proxy(function( e ){
					this.getOption( e.params.data.id ).detach().appendTo( this.$el );
				}));
			}
			
			// add class
			$container.addClass('-acf');
			
			// action for 3rd party customization
			acf.doAction('select2_init', $select, options, this.data, (field || false), this);
		},
		
		mergeOptions: function(){
			
			// vars
			var $prevOptions = false;
			var $prevGroup = false;
			
			// loop
			$('.select2-results__option[role="group"]').each(function(){
				
				// vars
				var $options = $(this).children('ul');
				var $group = $(this).children('strong');
				
				// compare to previous
				if( $prevGroup && $prevGroup.text() === $group.text() ) {
					$prevOptions.append( $options.children() );
					$(this).remove();
					return;
				}
				
				// update vars
				$prevOptions = $options;
				$prevGroup = $group;
				
			});
		},
		
	});
	
	/**
	*  Select2_3
	*
	*  description
	*
	*  @date	13/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var Select2_3 = Select2.extend({
		
		initialize: function(){
			
			// vars
			var $select = this.$el;
			var value = this.getValue();
			var multiple  = this.get('multiple');
			var options = {
				width:				'100%',
				allowClear:			this.get('allowNull'),
				placeholder:		this.get('placeholder'),
				separator:			'||',
				multiple:			this.get('multiple'),
				data:				this.getChoices(),
				escapeMarkup:		function( m ){ return m; },
				dropdownCss:		{
					'z-index': '999999999'
				},
				initSelection:		function( element, callback ) {
					if( multiple ) {
						callback( value );
					} else {
						callback( value.shift() );
					}
			    }
			};
			
			// get hidden input
			var $input = $select.siblings('input');
			if( !$input.length ) {
				$input = $('<input type="hidden" />');
				$select.before( $input );
			}
			
			// set input value
			inputValue = value.map(function(item){ return item.id }).join('||');
			$input.val( inputValue );
			
			// multiple
			if( options.multiple ) {
				
				// reorder options
				value.map(function( item ){
					item.$el.detach().appendTo( $select );
				});
			}
			
			// remove blank option as we have a clear all button
			if( options.allowClear ) {
				options.data = options.data.filter(function(item){
					return item.id !== '';
				});
			}
			
		    // remove conflicting atts
		    $select.removeData('ajax');
			$select.removeAttr('data-ajax');
			
			// ajax
			if( this.get('ajax') ) {
				
				options.ajax = {
					url:			acf.get('ajaxurl'),
					quietMillis: 	250,
					dataType: 		'json',
					type: 			'post',
					cache: 			false,
					data:			$.proxy(this.getAjaxData, this),
					results:		$.proxy(this.processAjaxResults, this),
				};
			}
		    
			// filter for 3rd party customization
			var field = this.get('field');
			options = acf.applyFilters( 'select2_args', options, $select, this.data, (field || false), this );
			
			// add select2
			$input.select2( options );
			
			// get container
			var $container = $input.select2('container');
			
			// helper to find this select's option
			var getOption = $.proxy(this.getOption, this);
				
			// multiple
			if( options.multiple ) {
			
				// vars
				var $ul = $container.find('ul');
				
				// sortable
				$ul.sortable({
		            stop: function() {
			            
			            // loop
			            $ul.find('.select2-search-choice').each(function() {
				            
				            // vars
				            var data = $(this).data('select2Data');
				            var $option = getOption( data.id );
				            
							// detach and re-append to end
							$option.detach().appendTo( $select );
		                });
		                
		                // trigger change on input (JS error if trigger on select)
	                    $select.trigger('change');
		            }
				});
			}
			
			// on select, create option and move to end
			$input.on('select2-selecting', function( e ){
				
				// vars
				var item = e.choice;
				var $option = getOption( item.id );
				
				// create if doesn't exist
				if( !$option.length ) {
					$option = $('<option value="' + item.id + '">' + item.text + '</option>');
				}
				
				// detach and re-append to end
				$option.detach().appendTo( $select );
			});
			
			// add class
			$container.addClass('-acf');
			
			// action for 3rd party customization
			acf.doAction('select2_init', $select, options, this.data, (field || false), this);
			
			// change
			$input.on('change', function(){
				var val = $input.val();
				if( val.indexOf('||') ) {
					val = val.split('||');
				}
				$select.val( val ).trigger('change');
			});
			
			// hide select
			$select.hide();
		},
		
		mergeOptions: function(){
			
			// vars
			var $prevOptions = false;
			var $prevGroup = false;
			
			// loop
			$('#select2-drop .select2-result-with-children').each(function(){
				
				// vars
				var $options = $(this).children('ul');
				var $group = $(this).children('.select2-result-label');
				
				// compare to previous
				if( $prevGroup && $prevGroup.text() === $group.text() ) {
					$prevGroup.append( $options.children() );
					$(this).remove();
					return;
				}
				
				// update vars
				$prevOptions = $options;
				$prevGroup = $group;
				
			});
			
		},
		
		getAjaxData: function( term, page ){
			
			// create Select2 v4 params
			var params = {
				term: term,
				page: page
			}
			
			// return
			return Select2.prototype.getAjaxData.apply(this, [params]);
		},
		
	});
	
	
	// manager
	var select2Manager = new acf.Model({
		priority: 5,
		wait: 'prepare',
		actions: {
			'duplicate': 'onDuplicate'
		},
		initialize: function(){
			
			// vars
			var locale = acf.get('locale');
			var rtl = acf.get('rtl');
			var l10n = acf.get('select2L10n');
			var version = getVersion();
			
			// bail ealry if no l10n
			if( !l10n ) {
				return false;
			}
			
			// bail early if 'en'
			if( locale.indexOf('en') === 0 ) {
				return false;
			}
			
			// initialize
			if( version == 4 ) {
				this.addTranslations4();
			} else if( version == 3 ) {
				this.addTranslations3();
			}
		},
		
		addTranslations4: function(){
			
			// vars
			var l10n = acf.get('select2L10n');
			var locale = acf.get('locale');
			
			// modify local to match html[lang] attribute (used by Select2)
			locale = locale.replace('_', '-');
			
			// select2L10n
			var select2L10n = {
				errorLoading: function () {
					return l10n.load_fail;
				},
				inputTooLong: function (args) {
					var overChars = args.input.length - args.maximum;
					if( overChars > 1 ) {
						return l10n.input_too_long_n.replace( '%d', overChars );
					}
					return l10n.input_too_long_1;
				},
				inputTooShort: function( args ){
					var remainingChars = args.minimum - args.input.length;
					if( remainingChars > 1 ) {
						return l10n.input_too_short_n.replace( '%d', remainingChars );
					}
					return l10n.input_too_short_1;
				},
				loadingMore: function () {
					return l10n.load_more;
				},
				maximumSelected: function( args ) {
					var maximum = args.maximum;
					if( maximum > 1 ) {
						return l10n.selection_too_long_n.replace( '%d', maximum );
					}
					return l10n.selection_too_long_1;
				},
				noResults: function () {
					return l10n.matches_0;
				},
				searching: function () {
					return l10n.searching;
				}
			};
				
			// append
			jQuery.fn.select2.amd.define('select2/i18n/' + locale, [], function(){
				return select2L10n;
			});
		},
		
		addTranslations3: function(){
			
			// vars
			var l10n = acf.get('select2L10n');
			var locale = acf.get('locale');
			
			// modify local to match html[lang] attribute (used by Select2)
			locale = locale.replace('_', '-');
			
			// select2L10n
			var select2L10n = {
				formatMatches: function( matches ) {
					if( matches > 1 ) {
						return l10n.matches_n.replace( '%d', matches );
					}
					return l10n.matches_1;
				},
				formatNoMatches: function() {
					return l10n.matches_0;
				},
				formatAjaxError: function() {
					return l10n.load_fail;
				},
				formatInputTooShort: function( input, min ) {
					var remainingChars = min - input.length;
					if( remainingChars > 1 ) {
						return l10n.input_too_short_n.replace( '%d', remainingChars );
					}
					return l10n.input_too_short_1;
				},
				formatInputTooLong: function( input, max ) {
					var overChars = input.length - max;
					if( overChars > 1 ) {
						return l10n.input_too_long_n.replace( '%d', overChars );
					}
					return l10n.input_too_long_1;
				},
				formatSelectionTooBig: function( maximum ) {
					if( maximum > 1 ) {
						return l10n.selection_too_long_n.replace( '%d', maximum );
					}
					return l10n.selection_too_long_1;
				},
				formatLoadMore: function() {
					return l10n.load_more;
				},
				formatSearching: function() {
					return l10n.searching;
				}
		    };
		    
		    // ensure locales exists
			$.fn.select2.locales = $.fn.select2.locales || {};
			
			// append
			$.fn.select2.locales[ locale ] = select2L10n;
			$.extend($.fn.select2.defaults, select2L10n);
		},
		
		onDuplicate: function( $el, $el2 ){
			$el2.find('.select2-container').remove();
		}
		
	});
	
})(jQuery);

(function($, undefined){
	
	acf.tinymce = {
		
		/*
		*  defaults
		*
		*  This function will return default mce and qt settings
		*
		*  @type	function
		*  @date	18/8/17
		*  @since	5.6.0
		*
		*  @param	$post_id (int)
		*  @return	$post_id (int)
		*/
		
		defaults: function(){
			
			// bail early if no tinyMCEPreInit
			if( typeof tinyMCEPreInit === 'undefined' ) return false;
			
			// vars
			var defaults = {
				tinymce:	tinyMCEPreInit.mceInit.acf_content,
				quicktags:	tinyMCEPreInit.qtInit.acf_content
			};
			
			// return
			return defaults;
		},
		
		
		/*
		*  initialize
		*
		*  This function will initialize the tinymce and quicktags instances
		*
		*  @type	function
		*  @date	18/8/17
		*  @since	5.6.0
		*
		*  @param	$post_id (int)
		*  @return	$post_id (int)
		*/
		
		initialize: function( id, args ){
			
			// defaults
			args = acf.parseArgs(args, {
				tinymce:	true,
				quicktags:	true,
				toolbar:	'full',
				mode:		'visual', // visual,text
				field:		false
			});
			
			// tinymce
			if( args.tinymce ) {
				this.initializeTinymce( id, args );
			}
			
			// quicktags
			if( args.quicktags ) {
				this.initializeQuicktags( id, args );
			}
		},
		
		
		/*
		*  initializeTinymce
		*
		*  This function will initialize the tinymce instance
		*
		*  @type	function
		*  @date	18/8/17
		*  @since	5.6.0
		*
		*  @param	$post_id (int)
		*  @return	$post_id (int)
		*/
		
		initializeTinymce: function( id, args ){
			
			// vars
			var $textarea = $('#'+id);
			var defaults = this.defaults();
			var toolbars = acf.get('toolbars');
			var field = args.field || false;
			var $field = field.$el || false;
			
			// bail early
			if( typeof tinymce === 'undefined' ) return false;
			if( !defaults ) return false;
			
			// check if exists
			if( tinymce.get(id) ) {
				return this.enable( id );
			}
			
			// settings
			var init = $.extend( {}, defaults.tinymce, args.tinymce );
			init.id = id;
			init.selector = '#' + id;
			
			// toolbar
			var toolbar = args.toolbar;
			if( toolbar && toolbars && toolbars[toolbar] ) {
				
				for( var i = 1; i <= 4; i++ ) {
					init[ 'toolbar' + i ] = toolbars[toolbar][i] || '';
				}
			}
			
			// event
			init.setup = function( ed ){
				
				ed.on('change', function(e) {
					ed.save(); // save to textarea	
					$textarea.trigger('change');
				});
				
				// Fix bug where Gutenberg does not hear "mouseup" event and tries to select multiple blocks.
				ed.on('mouseup', function(e) {
					var event = new MouseEvent('mouseup');
					window.dispatchEvent(event);
				});
				
				// Temporarily comment out. May not be necessary due to wysiwyg field actions.
				//ed.on('unload', function(e) {
				//	acf.tinymce.remove( id );
				//});				
			};
			
			// disable wp_autoresize_on (no solution yet for fixed toolbar)
			init.wp_autoresize_on = false;
			
			// Enable wpautop allowing value to save without <p> tags.
			// Only if the "TinyMCE Advanced" plugin hasn't already set this functionality.
			if( !init.tadv_noautop ) {
				init.wpautop = true;
			}
			
			// hook for 3rd party customization
			init = acf.applyFilters('wysiwyg_tinymce_settings', init, id, field);
			
			// z-index fix (caused too many conflicts)
			//if( acf.isset(tinymce,'ui','FloatPanel') ) {
			//	tinymce.ui.FloatPanel.zIndex = 900000;
			//}
			
			// store settings
			tinyMCEPreInit.mceInit[ id ] = init;
			
			// visual tab is active
			if( args.mode == 'visual' ) {
				
				// init 
				var result = tinymce.init( init );
				
				// get editor
				var ed = tinymce.get( id );
				
				// validate
				if( !ed ) {
					return false;
				}
				
				// add reference
				ed.acf = args.field;
				
				// action
				acf.doAction('wysiwyg_tinymce_init', ed, ed.id, init, field);
			}
		},
		
		/*
		*  initializeQuicktags
		*
		*  This function will initialize the quicktags instance
		*
		*  @type	function
		*  @date	18/8/17
		*  @since	5.6.0
		*
		*  @param	$post_id (int)
		*  @return	$post_id (int)
		*/
		
		initializeQuicktags: function( id, args ){
			
			// vars
			var defaults = this.defaults();
			
			// bail early
			if( typeof quicktags === 'undefined' ) return false;
			if( !defaults ) return false;
			
			// settings
			var init = $.extend( {}, defaults.quicktags, args.quicktags );
			init.id = id;
			
			// filter
			var field = args.field || false;
			var $field = field.$el || false;
			init = acf.applyFilters('wysiwyg_quicktags_settings', init, init.id, field);
			
			// store settings
			tinyMCEPreInit.qtInit[ id ] = init;
			
			// init
			var ed = quicktags( init );
			
			// validate
			if( !ed ) {
				return false;
			}
			
			// generate HTML
			this.buildQuicktags( ed );
			
			// action for 3rd party customization
			acf.doAction('wysiwyg_quicktags_init', ed, ed.id, init, field);
		},
		
		
		/*
		*  buildQuicktags
		*
		*  This function will build the quicktags HTML
		*
		*  @type	function
		*  @date	18/8/17
		*  @since	5.6.0
		*
		*  @param	$post_id (int)
		*  @return	$post_id (int)
		*/
		
		buildQuicktags: function( ed ){
			
			var canvas, name, settings, theButtons, html, ed, id, i, use, instanceId,
				defaults = ',strong,em,link,block,del,ins,img,ul,ol,li,code,more,close,';
			
			canvas = ed.canvas;
			name = ed.name;
			settings = ed.settings;
			html = '';
			theButtons = {};
			use = '';
			instanceId = ed.id;
			
			// set buttons
			if ( settings.buttons ) {
				use = ','+settings.buttons+',';
			}

			for ( i in edButtons ) {
				if ( ! edButtons[i] ) {
					continue;
				}

				id = edButtons[i].id;
				if ( use && defaults.indexOf( ',' + id + ',' ) !== -1 && use.indexOf( ',' + id + ',' ) === -1 ) {
					continue;
				}

				if ( ! edButtons[i].instance || edButtons[i].instance === instanceId ) {
					theButtons[id] = edButtons[i];

					if ( edButtons[i].html ) {
						html += edButtons[i].html( name + '_' );
					}
				}
			}

			if ( use && use.indexOf(',dfw,') !== -1 ) {
				theButtons.dfw = new QTags.DFWButton();
				html += theButtons.dfw.html( name + '_' );
			}

			if ( 'rtl' === document.getElementsByTagName( 'html' )[0].dir ) {
				theButtons.textdirection = new QTags.TextDirectionButton();
				html += theButtons.textdirection.html( name + '_' );
			}

			ed.toolbar.innerHTML = html;
			ed.theButtons = theButtons;

			if ( typeof jQuery !== 'undefined' ) {
				jQuery( document ).triggerHandler( 'quicktags-init', [ ed ] );
			}
			
		},
		
		disable: function( id ){
			this.destroyTinymce( id );
		},
		
		remove: function( id ){
			this.destroyTinymce( id );
		},
		
		destroy: function( id ){
			this.destroyTinymce( id );
		},
		
		destroyTinymce: function( id ){
			
			// bail early
			if( typeof tinymce === 'undefined' ) return false;
			
			// get editor
			var ed = tinymce.get( id );
			
			// bail early if no editor
			if( !ed ) return false;
			
			// save
			ed.save();
			
			// destroy editor
			ed.destroy();
			
			// return
			return true;
		},
		
		enable: function( id ){
			this.enableTinymce( id );
		},
		
		enableTinymce: function( id ){
			
			// bail early
			if( typeof switchEditors === 'undefined' ) return false;
			
			// bail ealry if not initialized
			if( typeof tinyMCEPreInit.mceInit[ id ] === 'undefined' ) return false;
						
			// toggle			
			switchEditors.go( id, 'tmce');
			
			// return
			return true;
		}
	};
	
	var editorManager = new acf.Model({
		
		// hook in before fieldsEventManager, conditions, etc
		priority: 5,
		
		actions: {
			'prepare':	'onPrepare',
			'ready':	'onReady',
		},
		onPrepare: function(){
			
			// find hidden editor which may exist within a field
			var $div = $('#acf-hidden-wp-editor');
			
			// move to footer
			if( $div.exists() ) {
				$div.appendTo('body');
			}
		},
		onReady: function(){
			
			// Restore wp.editor functions used by tinymce removed in WP5.
			if( acf.isset(window,'wp','oldEditor') ) {
				wp.editor.autop = wp.oldEditor.autop;
				wp.editor.removep = wp.oldEditor.removep;
			}
			
			// bail early if no tinymce
			if( !acf.isset(window,'tinymce','on') ) return;
			
			// restore default activeEditor
			tinymce.on('AddEditor', function( data ){
				
				// vars
				var editor = data.editor;
				
				// bail early if not 'acf'
				if( editor.id.substr(0, 3) !== 'acf' ) return;
				
				// override if 'content' exists
				editor = tinymce.editors.content || editor;
				
				// update vars
				tinymce.activeEditor = editor;
				wpActiveEditor = editor.id;
			});
		}
	});
	
})(jQuery);

(function($, undefined){
	
	/**
	*  Validator
	*
	*  The model for validating forms
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	void
	*  @return	void
	*/
	var Validator = acf.Model.extend({
		
		/** @var string The model identifier. */
		id: 'Validator',
		
		/** @var object The model data. */
		data: {
			
			/** @var array The form errors. */
			errors: [],
			
			/** @var object The form notice. */
			notice: null,
			
			/** @var string The form status. loading, invalid, valid */
			status: ''
		},
		
		/** @var object The model events. */
		events: {
			'changed:status': 'onChangeStatus'
		},
		
		/**
		*  addErrors
		*
		*  Adds errors to the form.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	array errors An array of errors.
		*  @return	void
		*/
		addErrors: function( errors ){
			errors.map( this.addError, this );
		},
		
		/**
		*  addError
		*
		*  Adds and error to the form.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object error An error object containing input and message.
		*  @return	void
		*/
		addError: function( error ){
			this.data.errors.push( error );
		},
		
		/**
		*  hasErrors
		*
		*  Returns true if the form has errors.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	bool
		*/
		hasErrors: function(){
			return this.data.errors.length;
		},
		
		/**
		*  clearErrors
		*
		*  Removes any errors.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		clearErrors: function(){
			return this.data.errors = [];
		},
		
		/**
		*  getErrors
		*
		*  Returns the forms errors.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	array
		*/
		getErrors: function(){
			return this.data.errors;
		},
		
		/**
		*  getFieldErrors
		*
		*  Returns the forms field errors.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	array
		*/
		getFieldErrors: function(){
			
			// vars
			var errors = [];
			var inputs = [];
			
			// loop
			this.getErrors().map(function(error){
				
				// bail early if global
				if( !error.input ) return;
				
				// update if exists
				var i = inputs.indexOf(error.input);
				if( i > -1 ) {
					errors[ i ] = error;
				
				// update
				} else {
					errors.push( error );
					inputs.push( error.input );
				}
			});
			
			// return
			return errors;
		},
		
		/**
		*  getGlobalErrors
		*
		*  Returns the forms global errors (errors without a specific input).
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	array
		*/
		getGlobalErrors: function(){
			
			// return array of errors that contain no input
			return this.getErrors().filter(function(error){
				return !error.input;
			});
		},
		
		/**
		*  showErrors
		*
		*  Displays all errors for this form.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		showErrors: function(){
			
			// bail early if no errors
			if( !this.hasErrors() ) {
				return;
			}
			
			// vars
			var fieldErrors = this.getFieldErrors();
			var globalErrors = this.getGlobalErrors();
			
			// vars
			var errorCount = 0;
			var $scrollTo = false;
			
			// loop
			fieldErrors.map(function( error ){
				
				// get input
				var $input = this.$('[name="' + error.input + '"]').first();
				
				// if $_POST value was an array, this $input may not exist
				if( !$input.length ) {
					$input = this.$('[name^="' + error.input + '"]').first();
				}
				
				// bail early if input doesn't exist
				if( !$input.length ) {
					return;
				}
				
				// increase
				errorCount++;
				
				// get field
				var field = acf.getClosestField( $input );
				
				// show error
				field.showError( error.message );
				
				// set $scrollTo
				if( !$scrollTo ) {
					$scrollTo = field.$el;
				}
			}, this);
			
			// errorMessage
			var errorMessage = acf.__('Validation failed');
			globalErrors.map(function( error ){
				errorMessage += '. ' + error.message;
			});
			if( errorCount == 1 ) {
				errorMessage += '. ' + acf.__('1 field requires attention');
			} else if( errorCount > 1 ) {
				errorMessage += '. ' + acf.__('%d fields require attention').replace('%d', errorCount);
			}
			
			// notice
			if( this.has('notice') ) {
				this.get('notice').update({
					type: 'error',
					text: errorMessage
				});
			} else {
				var notice = acf.newNotice({
					type: 'error',
					text: errorMessage,
					target: this.$el
				});
				this.set('notice', notice);
			}
			
			// if no $scrollTo, set to message
			if( !$scrollTo ) {
				$scrollTo = this.get('notice').$el;
			}
			
			// timeout
			setTimeout(function(){
				$("html, body").animate({ scrollTop: $scrollTo.offset().top - ( $(window).height() / 2 ) }, 500);
			}, 10);
		},
		
		/**
		*  onChangeStatus
		*
		*  Update the form class when changing the 'status' data
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The form element.
		*  @param	string value The new status.
		*  @param	string prevValue The old status.
		*  @return	void
		*/
		onChangeStatus: function( e, $el, value, prevValue ){
			this.$el.removeClass('is-'+prevValue).addClass('is-'+value);
		},
		
		/**
		*  validate
		*
		*  Vaildates the form via AJAX.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object args A list of settings to customize the validation process.
		*  @return	bool True if the form is valid.
		*/
		validate: function( args ){
			
			// default args
			args = acf.parseArgs(args, {
				
				// trigger event
				event: false,
				
				// reset the form after submit
				reset: false,
				
				// loading callback
				loading: function(){},
				
				// complete callback
				complete: function(){},
				
				// failure callback
				failure: function(){},
				
				// success callback
				success: function( $form ){
					$form.submit();
				}
			});
			
			// return true if is valid - allows form submit
			if( this.get('status') == 'valid' ) {
				return true;
			}
			
			// return false if is currently validating - prevents form submit
			if( this.get('status') == 'validating' ) {
				return false;
			}
			
			// return true if no ACF fields exist (no need to validate)
			if( !this.$('.acf-field').length ) {
				return true;
			}
			
			// if event is provided, create a new success callback.
			if( args.event ) {
				var event = $.Event(null, args.event);
				args.success = function(){
					acf.enableSubmit( $(event.target) ).trigger( event );
				}
			}
			
			// action for 3rd party
			acf.doAction('validation_begin', this.$el);
			
			// lock form
			acf.lockForm( this.$el );
						
			// loading callback
			args.loading( this.$el, this );
			
			// update status
			this.set('status', 'validating');
			
			// success callback
			var onSuccess = function( json ){
				
				// validate
				if( !acf.isAjaxSuccess(json) ) {
					return;
				}
				
				// filter
				var data = acf.applyFilters('validation_complete', json.data, this.$el, this);
				
				// add errors
				if( !data.valid ) {
					this.addErrors( data.errors );
				}
			};
			
			// complete
			var onComplete = function(){
				
				// unlock form
				acf.unlockForm( this.$el );
				
				// failure
				if( this.hasErrors() ) {
					
					// update status
					this.set('status', 'invalid');
			
					// action
					acf.doAction('validation_failure', this.$el, this);
					
					// display errors
					this.showErrors();
					
					// failure callback
					args.failure( this.$el, this );
				
				// success
				} else {
					
					// update status
					this.set('status', 'valid');
					
					// remove previous error message
					if( this.has('notice') ) {
						this.get('notice').update({
							type: 'success',
							text: acf.__('Validation successful'),
							timeout: 1000
						});
					}
					
					// action
					acf.doAction('validation_success', this.$el, this);
					acf.doAction('submit', this.$el);
					
					// success callback (submit form)
					args.success( this.$el, this );
					
					// lock form
					acf.lockForm( this.$el );
					
					// reset
					if( args.reset ) {
						this.reset();	
					}
				}
				
				// complete callback
				args.complete( this.$el, this );
				
				// clear errors
				this.clearErrors();
			};
			
			// serialize form data
			var data = acf.serialize( this.$el );
			data.action = 'acf/validate_save_post';
			
			// ajax
			$.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax(data),
				type: 'post',
				dataType: 'json',
				context: this,
				success: onSuccess,
				complete: onComplete
			});
			
			// return false to fail validation and allow AJAX
			return false
		},
		
		/**
		*  setup
		*
		*  Called during the constructor function to setup this instance
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	jQuery $form The form element.
		*  @return	void
		*/
		setup: function( $form ){
			
			// set $el
			this.$el = $form;
		},
		
		/**
		*  reset
		*
		*  Rests the validation to be used again.
		*
		*  @date	6/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		reset: function(){
			
			// reset data
			this.set('errors', []);
			this.set('notice', null);
			this.set('status', '');
			
			// unlock form
			acf.unlockForm( this.$el );
		}
	});
	
	/**
	*  getValidator
	*
	*  Returns the instance for a given form element.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $el The form element.
	*  @return	object
	*/
	var getValidator = function( $el ){
		
		// instantiate
		var validator = $el.data('acf');
		if( !validator ) {
			validator = new Validator( $el );
		}
		
		// return
		return validator;
	};
	
	/**
	*  acf.validateForm
	*
	*  A helper function for the Validator.validate() function.
	*  Returns true if form is valid, or fetches a validation request and returns false.
	*
	*  @date	4/4/18
	*  @since	5.6.9
	*
	*  @param	object args A list of settings to customize the validation process.
	*  @return	bool
	*/
	
	acf.validateForm = function( args ){
		return getValidator( args.form ).validate( args );
	};
	
	/**
	*  acf.enableSubmit
	*
	*  Enables a submit button and returns the element.
	*
	*  @date	30/8/18
	*  @since	5.7.4
	*
	*  @param	jQuery $submit The submit button.
	*  @return	jQuery
	*/
	acf.enableSubmit = function( $submit ){
		return $submit.removeClass('disabled');
	};
		
	/**
	*  acf.disableSubmit
	*
	*  Disables a submit button and returns the element.
	*
	*  @date	30/8/18
	*  @since	5.7.4
	*
	*  @param	jQuery $submit The submit button.
	*  @return	jQuery
	*/
	acf.disableSubmit = function( $submit ){
		return $submit.addClass('disabled');
	};
	
	/**
	*  acf.showSpinner
	*
	*  Shows the spinner element.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $spinner The spinner element.
	*  @return	jQuery
	*/
	acf.showSpinner = function( $spinner ){
		$spinner.addClass('is-active');				// add class (WP > 4.2)
		$spinner.css('display', 'inline-block');	// css (WP < 4.2)
		return $spinner;
	};
	
	/**
	*  acf.hideSpinner
	*
	*  Hides the spinner element.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $spinner The spinner element.
	*  @return	jQuery
	*/
	acf.hideSpinner = function( $spinner ){
		$spinner.removeClass('is-active');			// add class (WP > 4.2)
		$spinner.css('display', 'none');			// css (WP < 4.2)
		return $spinner;
	};
	
	/**
	*  acf.lockForm
	*
	*  Locks a form by disabeling its primary inputs and showing a spinner.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $form The form element.
	*  @return	jQuery
	*/
	acf.lockForm = function( $form ){
		
		// vars
		var $wrap = findSubmitWrap( $form );
		var $submit = $wrap.find('.button, [type="submit"]');
		var $spinner = $wrap.find('.spinner, .acf-spinner');
		
		// hide all spinners (hides the preview spinner)
		acf.hideSpinner( $spinner );
		
		// lock
		acf.disableSubmit( $submit );
		acf.showSpinner( $spinner.last() );
		return $form;
	};
	
	/**
	*  acf.unlockForm
	*
	*  Unlocks a form by enabeling its primary inputs and hiding all spinners.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $form The form element.
	*  @return	jQuery
	*/
	acf.unlockForm = function( $form ){
		
		// vars
		var $wrap = findSubmitWrap( $form );
		var $submit = $wrap.find('.button, [type="submit"]');
		var $spinner = $wrap.find('.spinner, .acf-spinner');
		
		// unlock
		acf.enableSubmit( $submit );
		acf.hideSpinner( $spinner );
		return $form;
	};
	
	/**
	*  findSubmitWrap
	*
	*  An internal function to find the 'primary' form submit wrapping element.
	*
	*  @date	4/9/18
	*  @since	5.7.5
	*
	*  @param	jQuery $form The form element.
	*  @return	jQuery
	*/
	var findSubmitWrap = function( $form ){
		
		// default post submit div
		var $wrap = $form.find('#submitdiv');
		if( $wrap.length ) {
			return $wrap;
		}
		
		// 3rd party publish box
		var $wrap = $form.find('#submitpost');
		if( $wrap.length ) {
			return $wrap;
		}
		
		// term, user
		var $wrap = $form.find('p.submit').last();
		if( $wrap.length ) {
			return $wrap;
		}
		
		// front end form
		var $wrap = $form.find('.acf-form-submit');
		if( $wrap.length ) {
			return $wrap;
		}
		
		// default
		return $form;
	};
	
	/**
	*  acf.validation
	*
	*  Global validation logic
	*
	*  @date	4/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	acf.validation = new acf.Model({
		
		/** @var string The model identifier. */
		id: 'validation',
		
		/** @var bool The active state. Set to false before 'prepare' to prevent validation. */
		active: true,
		
		/** @var string The model initialize time. */
		wait: 'prepare',
		
		/** @var object The model actions. */
		actions: {
			'ready':	'addInputEvents',
			'append':	'addInputEvents'
		},
		
		/** @var object The model events. */
		events: {
			'click input[type="submit"]':	'onClickSubmit',
			'click button[type="submit"]':	'onClickSubmit',
			//'click #editor .editor-post-publish-button': 'onClickSubmitGutenberg',
			'click #save-post':				'onClickSave',
			'submit form#post':				'onSubmitPost',
			'submit form':					'onSubmit',
		},
		
		/**
		*  initialize
		*
		*  Called when initializing the model.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		initialize: function(){
			
			// check 'validation' setting
			if( !acf.get('validation') ) {
				this.active = false;
				this.actions = {};
				this.events = {};
			}
		},
		
		/**
		*  enable
		*
		*  Enables validation.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		enable: function(){
			this.active = true;
		},
		
		/**
		*  disable
		*
		*  Disables validation.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	void
		*  @return	void
		*/
		disable: function(){
			this.active = false;
		},
		
		/**
		*  reset
		*
		*  Rests the form validation to be used again
		*
		*  @date	6/9/18
		*  @since	5.7.5
		*
		*  @param	jQuery $form The form element.
		*  @return	void
		*/
		reset: function( $form ){
			getValidator( $form ).reset();
		},
		
		/**
		*  addInputEvents
		*
		*  Adds 'invalid' event listeners to HTML inputs.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	jQuery $el The element being added / readied.
		*  @return	void
		*/
		addInputEvents: function( $el ){
			
			// Bug exists in Safari where custom "invalid" handeling prevents draft from saving.
			if( acf.get('browser') === 'safari' ) 
				return;
			
			// vars
			var $inputs = $('.acf-field [name]', $el);
			
			// check
			if( $inputs.length ) {
				this.on( $inputs, 'invalid', 'onInvalid' );
			}
		},
		
		/**
		*  onInvalid
		*
		*  Callback for the 'invalid' event.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The input element.
		*  @return	void
		*/
		onInvalid: function( e, $el ){
			
			// prevent default
			// - prevents browser error message
			// - also fixes chrome bug where 'hidden-by-tab' field throws focus error
			e.preventDefault();
				
			// vars
			var $form = $el.closest('form');
			
			// check form exists
			if( $form.length ) {
				
				// add error to validator
				getValidator( $form ).addError({
					input: $el.attr('name'),
					message: e.target.validationMessage
				});
				
				// trigger submit on $form
				// - allows for "save", "preview" and "publish" to work
				$form.submit();
			}
		},
		
		/**
		*  onClickSubmit
		*
		*  Callback when clicking submit.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The input element.
		*  @return	void
		*/
		onClickSubmit: function( e, $el ){
			
			// store the "click event" for later use in this.onSubmit()
			this.set('originalEvent', e);
		},
		
		/**
		*  onClickSave
		*
		*  Set ignore to true when saving a draft.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The input element.
		*  @return	void
		*/
		onClickSave: function( e, $el ) {
			this.set('ignore', true);
		},
		
		/**
		*  onClickSubmitGutenberg
		*
		*  Custom validation event for the gutenberg editor.
		*
		*  @date	29/10/18
		*  @since	5.8.0
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The input element.
		*  @return	void
		*/
		onClickSubmitGutenberg: function( e, $el ){
			
			// validate
			var valid = acf.validateForm({
				form: $('#editor'),
				event: e,
				reset: true,
				failure: function( $form, validator ){
					var $notice = validator.get('notice').$el;
					$notice.appendTo('.components-notice-list');
					$notice.find('.acf-notice-dismiss').removeClass('small');
				}
			});
			
			// if not valid, stop event and allow validation to continue
			if( !valid ) {
				e.preventDefault();
				e.stopImmediatePropagation();
			}
		},
		
		/**
		 * onSubmitPost
		 *
		 * Callback when the 'post' form is submit.
		 *
		 * @date	5/3/19
		 * @since	5.7.13
		 *
		 * @param	object e The event object.
		 * @param	jQuery $el The input element.
		 * @return	void
		 */
		onSubmitPost: function( e, $el ) {
			
			// Check if is preview.
			if( $('input#wp-preview').val() === 'dopreview' ) {
				
				// Ignore validation.
				this.set('ignore', true);
				
				// Unlock form to fix conflict with core "submit.edit-post" event causing all submit buttons to be disabled.
				acf.unlockForm( $el )
			}
		},
		
		/**
		*  onSubmit
		*
		*  Callback when the form is submit.
		*
		*  @date	4/9/18
		*  @since	5.7.5
		*
		*  @param	object e The event object.
		*  @param	jQuery $el The input element.
		*  @return	void
		*/
		onSubmit: function( e, $el ){
			
			// Allow form to submit if...
			if(
				// Validation has been disabled.
				!this.active	
				
				// Or this event is to be ignored.		
				|| this.get('ignore')
				
				// Or this event has already been prevented.
				|| e.isDefaultPrevented()
			) {
				// Return early and call reset function.
				return this.allowSubmit();
			}
			
			// Validate form.
			var valid = acf.validateForm({
				form: $el,
				event: this.get('originalEvent')
			});
			
			// If not valid, stop event to prevent form submit.
			if( !valid ) {
				e.preventDefault();
			}
		},
		
		/**
		 * allowSubmit
		 *
		 * Resets data during onSubmit when the form is allowed to submit.
		 *
		 * @date	5/3/19
		 * @since	5.7.13
		 *
		 * @param	void
		 * @return	void
		 */
		allowSubmit: function(){
			
			// Reset "ignore" state.
			this.set('ignore', false);
			
			// Reset "originalEvent" object.
			this.set('originalEvent', false);
			
			// Return true
			return true;
		}
	});
	
})(jQuery);

(function($, undefined){
	
	/**
	*  refreshHelper
	*
	*  description
	*
	*  @date	1/7/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var refreshHelper = new acf.Model({
		priority: 90,
		initialize: function(){
			this.refresh = acf.debounce( this.refresh, 0 );
		},
		actions: {
			'new_field':	'refresh',
			'show_field':	'refresh',
			'hide_field':	'refresh',
			'remove_field':	'refresh',
			'unmount_field': 'refresh',
			'remount_field': 'refresh',
		},
		refresh: function(){
			acf.doAction('refresh');
			$(window).trigger('acfrefresh');
		}
	});
	
	/**
	 * mountHelper
	 *
	 * Adds compatiblity for the 'unmount' and 'remount' actions added in 5.8.0
	 *
	 * @date	7/3/19
	 * @since	5.7.14
	 *
	 * @param	void
	 * @return	void
	 */
	var mountHelper = new acf.Model({
		priority: 1,
		actions: {
			'sortstart': 'onSortstart',
			'sortstop': 'onSortstop'
		},
		onSortstart: function( $item ){
			acf.doAction('unmount', $item);
		},
		onSortstop: function( $item ){
			acf.doAction('remount', $item);
		}
	});
	
	/**
	*  sortableHelper
	*
	*  Adds compatibility for sorting a <tr> element
	*
	*  @date	6/3/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
		
	var sortableHelper = new acf.Model({
		actions: {
			'sortstart': 'onSortstart'
		},
		onSortstart: function( $item, $placeholder ){
			
			// if $item is a tr, apply some css to the elements
			if( $item.is('tr') ) {
				
				// replace $placeholder children with a single td
				// fixes "width calculation issues" due to conditional logic hiding some children
				$placeholder.html('<td style="padding:0;" colspan="' + $placeholder.children().length + '"></td>');
				
				// add helper class to remove absolute positioning
				$item.addClass('acf-sortable-tr-helper');
				
				// set fixed widths for children		
				$item.children().each(function(){
					$(this).width( $(this).width() );
				});
				
				// mimic height
				$placeholder.height( $item.height() + 'px' );
				
				// remove class 
				$item.removeClass('acf-sortable-tr-helper');
			}
		}
	});
	
	/**
	*  duplicateHelper
	*
	*  Fixes browser bugs when duplicating an element
	*
	*  @date	6/3/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var duplicateHelper = new acf.Model({
		actions: {
			'after_duplicate': 'onAfterDuplicate'
		},
		onAfterDuplicate: function( $el, $el2 ){
			
			// get original values
			var vals = [];
			$el.find('select').each(function(i){
				vals.push( $(this).val() );
			});
			
			// set duplicate values
			$el2.find('select').each(function(i){
				$(this).val( vals[i] );
			});
		}
	});
	
	/**
	*  tableHelper
	*
	*  description
	*
	*  @date	6/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var tableHelper = new acf.Model({
		
		id: 'tableHelper',
		
		priority: 20,
		
		actions: {
			'refresh': 	'renderTables'
		},
		
		renderTables: function( $el ){ 
			
			// loop
			var self = this;
			$('.acf-table:visible').each(function(){
				self.renderTable( $(this) );
			});
		},
		
		renderTable: function( $table ){
			
			// vars
			var $ths = $table.find('> thead > tr:visible > th[data-key]');
			var $tds = $table.find('> tbody > tr:visible > td[data-key]');
			
			// bail early if no thead
			if( !$ths.length || !$tds.length ) {
				return false;
			}
			
			
			// visiblity
			$ths.each(function( i ){
				
				// vars
				var $th = $(this);
				var key = $th.data('key');
				var $cells = $tds.filter('[data-key="' + key + '"]');
				var $hidden = $cells.filter('.acf-hidden');
				
				// always remove empty and allow cells to be hidden
				$cells.removeClass('acf-empty');
				
				// hide $th if all cells are hidden
				if( $cells.length === $hidden.length ) {
					acf.hide( $th );
					
				// force all hidden cells to appear empty
				} else {
					acf.show( $th );
					$hidden.addClass('acf-empty');
				}
			});
			
			
			// clear width
			$ths.css('width', 'auto');
			
			// get visible
			$ths = $ths.not('.acf-hidden');
			
			// vars
			var availableWidth = 100;
			var colspan = $ths.length;
			
			// set custom widths first
			var $fixedWidths = $ths.filter('[data-width]');
			$fixedWidths.each(function(){
				var width = $(this).data('width');
				$(this).css('width', width + '%');
				availableWidth -= width;
			});
			
			// set auto widths
			var $auoWidths = $ths.not('[data-width]');
			if( $auoWidths.length ) {
				var width = availableWidth / $auoWidths.length;
				$auoWidths.css('width', width + '%');
				availableWidth = 0;
			}
			
			// avoid stretching issue
			if( availableWidth > 0 ) {
				$ths.last().css('width', 'auto');
			}
			
			
			// update colspan on collapsed
			$tds.filter('.-collapsed-target').each(function(){
				
				// vars
				var $td = $(this);
				
				// check if collapsed
				if( $td.parent().hasClass('-collapsed') ) {
					$td.attr('colspan', $ths.length);
				} else {
					$td.removeAttr('colspan');
				}
			});
		}
	});
	
	
	/**
	*  fieldsHelper
	*
	*  description
	*
	*  @date	6/3/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var fieldsHelper = new acf.Model({
		
		id: 'fieldsHelper',
		
		priority: 30,
		
		actions: {
			'refresh': 	'renderGroups'
		},
		
		renderGroups: function(){
			
			// loop
			var self = this;
			$('.acf-fields:visible').each(function(){
				self.renderGroup( $(this) );
			});
		},
		
		renderGroup: function( $el ){
			
			// vars
			var top = 0;
			var height = 0;
			var $row = $();
			
			// get fields
			var $fields = $el.children('.acf-field[data-width]:visible');
			
			// bail early if no fields
			if( !$fields.length ) {
				return false;
			}
			
			// bail ealry if is .-left
			if( $el.hasClass('-left') ) {
				$fields.removeAttr('data-width');
				$fields.css('width', 'auto');
				return false;
			}
			
			// reset fields
			$fields.removeClass('-r0 -c0').css({'min-height': 0});
			
			// loop
			$fields.each(function( i ){
				
				// vars
				var $field = $(this);
				var position = $field.position();
				var thisTop = Math.ceil( position.top );
				var thisLeft = Math.ceil( position.left );
				
				// detect change in row
				if( $row.length && thisTop > top ) {

					// set previous heights
					$row.css({'min-height': height+'px'});
					
					// update position due to change in row above
					position = $field.position();
					thisTop = Math.ceil( position.top );
					thisLeft = Math.ceil( position.left );
				
					// reset vars
					top = 0;
					height = 0;
					$row = $();
				}
				
				// rtl
				if( acf.get('rtl') ) {
					thisLeft = Math.ceil( $field.parent().width() - (position.left + $field.outerWidth()) );
				}
				
				// add classes
				if( thisTop == 0 ) {
					$field.addClass('-r0');
				} else if( thisLeft == 0 ) {
					$field.addClass('-c0');
				}
				
				// get height after class change
				// - add 1 for subpixel rendering
				var thisHeight = Math.ceil( $field.outerHeight() ) + 1;
				
				// set height
				height = Math.max( height, thisHeight );
				
				// set y
				top = Math.max( top, thisTop );
				
				// append
				$row = $row.add( $field );
			});
			
			// clean up
			if( $row.length ) {
				$row.css({'min-height': height+'px'});
			}
		}
	});
		
})(jQuery);

(function($, undefined){
	
	/**
	*  acf.newCompatibility
	*
	*  Inserts a new __proto__ object compatibility layer
	*
	*  @date	15/2/18
	*  @since	5.6.9
	*
	*  @param	object instance The object to modify.
	*  @param	object compatibilty Optional. The compatibilty layer.
	*  @return	object compatibilty
	*/
	
	acf.newCompatibility = function( instance, compatibilty ){
		
		// defaults
		compatibilty = compatibilty || {};
		
		// inherit __proto_-
		compatibilty.__proto__ = instance.__proto__;
		
		// inject
		instance.__proto__ = compatibilty;
		
		// reference
		instance.compatibility = compatibilty;
		
		// return
		return compatibilty;
	};
	
	/**
	*  acf.getCompatibility
	*
	*  Returns the compatibility layer for a given instance
	*
	*  @date	13/3/18
	*  @since	5.6.9
	*
	*  @param	object		instance		The object to look in.
	*  @return	object|null	compatibility	The compatibility object or null on failure.
	*/
	
	acf.getCompatibility = function( instance ) {
		return instance.compatibility || null;
	};
	
	/**
	*  acf (compatibility)
	*
	*  Compatibility layer for the acf object
	*
	*  @date	15/2/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var _acf = acf.newCompatibility(acf, {
		
		// storage
		l10n:	{},
		o:		{},
		fields: {},
		
		// changed function names
		update:					acf.set,
		add_action:				acf.addAction,
		remove_action:			acf.removeAction,
		do_action:				acf.doAction,
		add_filter:				acf.addFilter,
		remove_filter:			acf.removeFilter,
		apply_filters:			acf.applyFilters,
		parse_args:				acf.parseArgs,
		disable_el:				acf.disable,
		disable_form:			acf.disable,
		enable_el:				acf.enable,
		enable_form:			acf.enable,
		update_user_setting:	acf.updateUserSetting,
		prepare_for_ajax:		acf.prepareForAjax,
		is_ajax_success:		acf.isAjaxSuccess,
		remove_el:				acf.remove,
		remove_tr:				acf.remove,
		str_replace:			acf.strReplace,
		render_select:			acf.renderSelect,
		get_uniqid:				acf.uniqid,
		serialize_form:			acf.serialize,
		esc_html:				acf.strEscape,
		str_sanitize:			acf.strSanitize,
	
	});
	
	_acf._e = function( k1, k2 ){
		
		// defaults
		k1 = k1 || '';
		k2 = k2 || '';
		
		// compability
		var compatKey = k2 ? k1 + '.' + k2 : k1;
		var compats = {
			'image.select': 'Select Image',
			'image.edit': 	'Edit Image',
			'image.update': 'Update Image'
		};
		if( compats[compatKey] ) {
			return acf.__(compats[compatKey]);
		}
		
		// try k1
		var string = this.l10n[ k1 ] || '';
		
		// try k2
		if( k2 ) {
			string = string[ k2 ] || '';
		}
		
		// return
		return string;
	};
	
	_acf.get_selector = function( s ) {
			
		// vars
		var selector = '.acf-field';
		
		// bail early if no search
		if( !s ) {
			return selector;
		}
		
		// compatibility with object
		if( $.isPlainObject(s) ) {
			if( $.isEmptyObject(s) ) {
				return selector;
			} else {
				for( var k in s ) { s = s[k]; break; }
			}
		}

		// append
		selector += '-' + s;
			
		// replace underscores (split/join replaces all and is faster than regex!)
		selector = acf.strReplace('_', '-', selector);
		
		// remove potential double up
		selector = acf.strReplace('field-field-', 'field-', selector);
		
		// return
		return selector;
	};
	
	_acf.get_fields = function( s, $el, all ){
		
		// args
		var args = {
			is: s || '',
			parent: $el || false,
			suppressFilters: all || false,
		};
		
		// change 'field_123' to '.acf-field-123'
		if( args.is ) {
			args.is = this.get_selector( args.is );
		}
		
		// return
		return acf.findFields(args);			
	};
	
	_acf.get_field = function( s, $el ){
		
		// get fields
		var $fields = this.get_fields.apply(this, arguments);
		
		// return
		if( $fields.length ) {
			return $fields.first();
		} else {
			return false;
		}
	};
		
	_acf.get_closest_field = function( $el, s ){
		return $el.closest( this.get_selector(s) );
	};
	
	_acf.get_field_wrap = function( $el ){
		return $el.closest( this.get_selector() );
	};
	
	_acf.get_field_key = function( $field ){
		return $field.data('key');
	};
	
	_acf.get_field_type = function( $field ){
		return $field.data('type');
	};
		
	_acf.get_data = function( $el, defaults ){
		return acf.parseArgs( $el.data(), defaults );			
	};
				
	_acf.maybe_get = function( obj, key, value ){
			
		// default
		if( value === undefined ) {
			value = null;
		}
		
		// get keys
		keys = String(key).split('.');
		
		// acf.isget
		for( var i = 0; i < keys.length; i++ ) {
			if( !obj.hasOwnProperty(keys[i]) ) {
				return value;
			}
			obj = obj[ keys[i] ];
		}
		return obj;
	};
	
	
	/**
	*  hooks
	*
	*  Modify add_action and add_filter functions to add compatibility with changed $field parameter
	*  Using the acf.add_action() or acf.add_filter() functions will interpret new field parameters as jQuery $field
	*
	*  @date	12/5/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	var compatibleArgument = function( arg ){
		return ( arg instanceof acf.Field ) ? arg.$el : arg;
	};
	
	var compatibleArguments = function( args ){
		return acf.arrayArgs( args ).map( compatibleArgument );
	}
	
	var compatibleCallback = function( origCallback ){
		return function(){
			
			// convert to compatible arguments
			if( arguments.length ) {
				var args = compatibleArguments(arguments);
			
			// add default argument for 'ready', 'append' and 'load' events
			} else {
				var args = [ $(document) ];
			}
			
			// return
			return origCallback.apply(this, args);
		}
	}
	
	_acf.add_action = function( action, callback, priority, context ){
		
		// handle multiple actions
		var actions = action.split(' ');
		var length = actions.length;
		if( length > 1 ) {
			for( var i = 0; i < length; i++) {
				action = actions[i];
				_acf.add_action.apply(this, arguments);
			}
			return this;
		}
		
		// single
		var callback = compatibleCallback(callback);
		return acf.addAction.apply(this, arguments);
	};
	
	_acf.add_filter = function( action, callback, priority, context ){
		var callback = compatibleCallback(callback);
		return acf.addFilter.apply(this, arguments);
	};

	/*
	*  acf.model
	*
	*  This model acts as a scafold for action.event driven modules
	*
	*  @type	object
	*  @date	8/09/2014
	*  @since	5.0.0
	*
	*  @param	(object)
	*  @return	(object)
	*/
	
	_acf.model = {
		actions: {},
		filters: {},
		events: {},
		extend: function( args ){
			
			// extend
			var model = $.extend( {}, this, args );
			
			// setup actions
			$.each(model.actions, function( name, callback ){
				model._add_action( name, callback );
			});
			
			// setup filters
			$.each(model.filters, function( name, callback ){
				model._add_filter( name, callback );
			});
			
			// setup events
			$.each(model.events, function( name, callback ){
				model._add_event( name, callback );
			});
			
			// return
			return model;
		},
		
		_add_action: function( name, callback ) {
			
			// split
			var model = this,
				data = name.split(' ');
			
			// add missing priority
			var name = data[0] || '',
				priority = data[1] || 10;
			
			// add action
			acf.add_action(name, model[ callback ], priority, model);
			
		},
		
		_add_filter: function( name, callback ) {
			
			// split
			var model = this,
				data = name.split(' ');
			
			// add missing priority
			var name = data[0] || '',
				priority = data[1] || 10;
			
			// add action
			acf.add_filter(name, model[ callback ], priority, model);
		},
		
		_add_event: function( name, callback ) {
			
			// vars
			var model = this,
				i = name.indexOf(' '),
				event = (i > 0) ? name.substr(0,i) : name,
				selector = (i > 0) ? name.substr(i+1) : '';
			
			// event
			var fn = function( e ){
				
				// append $el to event object
				e.$el = $(this);
				
				// append $field to event object (used in field group)
				if( acf.field_group ) {
					e.$field = e.$el.closest('.acf-field-object');
				}
				
				// event
				if( typeof model.event === 'function' ) {
					e = model.event( e );
				}
				
				// callback
				model[ callback ].apply(model, arguments);
				
			};
			
			// add event
			if( selector ) {
				$(document).on(event, selector, fn);
			} else {
				$(document).on(event, fn);
			}
		},
		
		get: function( name, value ){
			
			// defaults
			value = value || null;
			
			// get
			if( typeof this[ name ] !== 'undefined' ) {
				value = this[ name ];
			}
			
			// return
			return value;
		},
		
		set: function( name, value ){
			
			// set
			this[ name ] = value;
			
			// function for 3rd party
			if( typeof this[ '_set_' + name ] === 'function' ) {
				this[ '_set_' + name ].apply(this);
			}
			
			// return for chaining
			return this;
		}
	};
	
	/*
	*  field
	*
	*  This model sets up many of the field's interactions
	*
	*  @type	function
	*  @date	21/02/2014
	*  @since	3.5.1
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	_acf.field = acf.model.extend({
		type:		'',
		o:			{},
		$field:		null,
		_add_action: function( name, callback ) {
			
			// vars
			var model = this;
			
			// update name
			name = name + '_field/type=' + model.type;
			
			// add action
			acf.add_action(name, function( $field ){
				
				// focus
				model.set('$field', $field);
				
				// callback
				model[ callback ].apply(model, arguments);
			});
		},
		
		_add_filter: function( name, callback ) {
			
			// vars
			var model = this;
			
			// update name
			name = name + '_field/type=' + model.type;
			
			// add action
			acf.add_filter(name, function( $field ){
				
				// focus
				model.set('$field', $field);
				
				// callback
				model[ callback ].apply(model, arguments);
			});
		},
		
		_add_event: function( name, callback ) {
			
			// vars
			var model = this,
				event = name.substr(0,name.indexOf(' ')),
				selector = name.substr(name.indexOf(' ')+1),
				context = acf.get_selector(model.type);
			
			// add event
			$(document).on(event, context + ' ' + selector, function( e ){
				
				// vars
				var $el = $(this);
				var $field = acf.get_closest_field( $el, model.type );
				
				// bail early if no field
				if( !$field.length ) return;
				
				// focus
				if( !$field.is(model.$field) ) {
					model.set('$field', $field);
				}
				
				// append to event
				e.$el = $el;
				e.$field = $field;
				
				// callback
				model[ callback ].apply(model, [e]);
			});
		},
		
		_set_$field: function(){
			
			// callback
			if( typeof this.focus === 'function' ) {
				this.focus();
			}
		},
		
		// depreciated
		doFocus: function( $field ){
			return this.set('$field', $field);
		}
	});
	
	
	/**
	*  validation
	*
	*  description
	*
	*  @date	15/2/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var _validation = acf.newCompatibility(acf.validation, {
		remove_error: function( $field ){
			acf.getField( $field ).removeError();
		},
		add_warning: function( $field, message ){
			acf.getField( $field ).showNotice({
				text: message,
				type: 'warning',
				timeout: 1000
			});
		},
		fetch:			acf.validateForm,
		enableSubmit: 	acf.enableSubmit,
		disableSubmit: 	acf.disableSubmit,
		showSpinner:	acf.showSpinner,
		hideSpinner:	acf.hideSpinner,
		unlockForm:		acf.unlockForm,
		lockForm:		acf.lockForm
	});
	
	
	/**
	*  tooltip
	*
	*  description
	*
	*  @date	15/2/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	_acf.tooltip = {
		
		tooltip: function( text, $el ){
			
			var tooltip = acf.newTooltip({
				text: text,
				target: $el
			});
			
			// return
			return tooltip.$el;
		},
		
		temp: function( text, $el ){
			
			var tooltip = acf.newTooltip({
				text: text,
				target: $el,
				timeout: 250
			});
		},
		
		confirm: function( $el, callback, text, button_y, button_n ){
			
			var tooltip = acf.newTooltip({
				confirm: true,
				text: text,
				target: $el,
				confirm: function(){
					callback(true);
				},
				cancel: function(){
					callback(false);
				}
			});
		},
		
		confirm_remove: function( $el, callback ){
			
			var tooltip = acf.newTooltip({
				confirmRemove: true,
				target: $el,
				confirm: function(){
					callback(true);
				},
				cancel: function(){
					callback(false);
				}
			});
		},
	};
	
	/**
	*  tooltip
	*
	*  description
	*
	*  @date	15/2/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	_acf.media = new acf.Model({
		activeFrame: false,
		actions: {
			'new_media_popup': 'onNewMediaPopup'
		},
		
		frame: function(){
			return this.activeFrame;
		},
		
		onNewMediaPopup: function( popup ){
			this.activeFrame = popup.frame;
		},
		
		popup: function( props ){
			
			// update props
			if( props.mime_types ) {
				props.allowedTypes = props.mime_types;
			}
			if( props.id ) {
				props.attachment = props.id;
			}
			
			// new
			var popup = acf.newMediaPopup( props );
			
			// append
/*
			if( props.selected ) {
				popup.selected = props.selected;
			}
*/
			
			// return
			return popup.frame;
		}
	});
	
	
	/**
	*  Select2
	*
	*  description
	*
	*  @date	11/6/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	_acf.select2 = {
		init: function( $select, args, $field ){
			
			// compatible args
			if( args.allow_null ) {
				args.allowNull = args.allow_null;
			}
			if( args.ajax_action ) {
				args.ajaxAction = args.ajax_action;
			}
			if( $field ) {
				args.field = acf.getField($field);
			}
			
			// return
			return acf.newSelect2( $select, args );	
		},
		
		destroy: function( $select ){
			return acf.getInstance( $select ).destroy();
			
		},
	};
	
	/**
	*  postbox
	*
	*  description
	*
	*  @date	11/6/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	_acf.postbox = {
		render: function( args ){
			
			// compatible args
			if( args.edit_url ) {
				args.editLink = args.edit_url;
			}
			if( args.edit_title ) {
				args.editTitle = args.edit_title;
			}
			
			// return
			return acf.newPostbox( args );
		}
	};
	
	/**
	*  acf.screen
	*
	*  description
	*
	*  @date	11/6/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newCompatibility(acf.screen, {
		update: function(){
			return this.set.apply(this, arguments);
		},
		fetch: acf.screen.check
	});
	_acf.ajax = acf.screen;
	
})(jQuery);

// @codekit-prepend "_acf.js";
// @codekit-prepend "_acf-hooks.js";
// @codekit-prepend "_acf-model.js";
// @codekit-prepend "_acf-popup.js";
// @codekit-prepend "_acf-unload.js";
// @codekit-prepend "_acf-panel.js";
// @codekit-prepend "_acf-notice.js";
// @codekit-prepend "_acf-postbox.js";
// @codekit-prepend "_acf-tooltip.js";
// @codekit-prepend "_acf-field.js";
// @codekit-prepend "_acf-fields.js";
// @codekit-prepend "_acf-field-accordion.js";
// @codekit-prepend "_acf-field-button-group.js";
// @codekit-prepend "_acf-field-checkbox.js";
// @codekit-prepend "_acf-field-color-picker.js";
// @codekit-prepend "_acf-field-date-picker.js";
// @codekit-prepend "_acf-field-date-time-picker.js";
// @codekit-prepend "_acf-field-google-map.js";
// @codekit-prepend "_acf-field-image.js";
// @codekit-prepend "_acf-field-file.js";
// @codekit-prepend "_acf-field-link.js";
// @codekit-prepend "_acf-field-oembed.js";
// @codekit-prepend "_acf-field-radio.js";
// @codekit-prepend "_acf-field-range.js";
// @codekit-prepend "_acf-field-relationship.js";
// @codekit-prepend "_acf-field-select.js";
// @codekit-prepend "_acf-field-tab.js";
// @codekit-prepend "_acf-field-post-object.js";
// @codekit-prepend "_acf-field-page-link.js";
// @codekit-prepend "_acf-field-user.js";
// @codekit-prepend "_acf-field-taxonomy.js";
// @codekit-prepend "_acf-field-time-picker.js";
// @codekit-prepend "_acf-field-true-false.js";
// @codekit-prepend "_acf-field-url.js";
// @codekit-prepend "_acf-field-wysiwyg.js";
// @codekit-prepend "_acf-condition.js";
// @codekit-prepend "_acf-conditions.js";
// @codekit-prepend "_acf-condition-types.js";
// @codekit-prepend "_acf-media.js";
// @codekit-prepend "_acf-screen.js";
// @codekit-prepend "_acf-select2.js";
// @codekit-prepend "_acf-tinymce.js";
// @codekit-prepend "_acf-validation.js";
// @codekit-prepend "_acf-helpers.js";
// @codekit-prepend "_acf-compatibility";
PK�
�[ o��1�1�assets/js/acf-field-group.jsnu�[���(function($, undefined){
	
	/**
	*  fieldGroupManager
	*
	*  Generic field group functionality 
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
	
	var fieldGroupManager = new acf.Model({
		
		id: 'fieldGroupManager',
		
		events: {
			'submit #post':					'onSubmit',
			'click a[href="#"]':			'onClick',
			'click .submitdelete': 			'onClickTrash',
		},
		
		filters: {
			'find_fields_args':				'filterFindFieldArgs'
		},
		
		onSubmit: function( e, $el ){
			
			// vars
			var $title = $('#titlewrap #title');
			
			// empty
			if( !$title.val() ) {
				
				// prevent default
				e.preventDefault();
				
				// unlock form
				acf.unlockForm( $el );
				
				// alert
				alert( acf.__('Field group title is required') );
				
				// focus
				$title.focus();
			}
		},
		
		onClick: function( e ){
			e.preventDefault();
		},
		
		onClickTrash: function( e ){
			var result = confirm( acf.__('Move to trash. Are you sure?') );
			if( !result ) {
				e.preventDefault();
			}
		},
		
		filterFindFieldArgs: function( args ){
			args.visible = true;
			return args;
		}
	});
	
	
	/**
	*  screenOptionsManager
	*
	*  Screen options functionality 
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
		
	var screenOptionsManager = new acf.Model({
		
		id: 'screenOptionsManager',
		wait: 'prepare',
		
		events: {
			'change': 'onChange'
		},
		
		initialize: function(){
			
			// vars
			var $div = $('#adv-settings');
			var $append = $('#acf-append-show-on-screen');
			
			// append
			$div.find('.metabox-prefs').append( $append.html() );
			$div.find('.metabox-prefs br').remove();
			
			// clean up
			$append.remove();
			
			// initialize
			this.$el = $('#acf-field-key-hide');
			
			// render
			this.render();
		},
		
		isChecked: function(){
			return this.$el.prop('checked');
		},
		
		onChange: function( e, $el ) {
			var val = this.isChecked() ? 1 : 0;
			acf.updateUserSetting('show_field_keys', val);
			this.render();
		},
		
		render: function(){
			if( this.isChecked() ) {
				$('#acf-field-group-fields').addClass('show-field-keys');
			} else {
				$('#acf-field-group-fields').removeClass('show-field-keys');
			}
		}
		
	});
	
	
	/**
	*  appendFieldManager
	*
	*  Appends fields together
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
	
	var appendFieldManager = new acf.Model({
		
		actions: {
			'new_field' : 'onNewField'
		},
		
		onNewField: function( field ){
			
			// bail ealry if not append
			if( !field.has('append') ) return;
			
			// vars
			var append = field.get('append');
			var $sibling = field.$el.siblings('[data-name="' + append + '"]').first();
			
			// bail early if no sibling
			if( !$sibling.length ) return;
			
			// ul
			var $div = $sibling.children('.acf-input');
			var $ul = $div.children('ul');
			
			// create ul
			if( !$ul.length ) {
				$div.wrapInner('<ul class="acf-hl"><li></li></ul>');
				$ul = $div.children('ul');
			}
			
			// li
			var html = field.$('.acf-input').html();
			var $li = $('<li>' + html + '</li>');
			$ul.append( $li );
			$ul.attr('data-cols', $ul.children().length );
			
			// clean up
			field.remove();
		}
	});
	
})(jQuery);

(function($, undefined){
	
	acf.FieldObject = acf.Model.extend({
		
		// class used to avoid nested event triggers
		eventScope: '.acf-field-object',
		
		// events
		events: {
			'click .edit-field':		'onClickEdit',
			'click .delete-field':		'onClickDelete',
			'click .duplicate-field':	'duplicate',
			'click .move-field':		'move',
			
			'change .field-type':		'onChangeType',
			'change .field-required':	'onChangeRequired',
			'blur .field-label':		'onChangeLabel',
			'blur .field-name':			'onChangeName',
			
			'change':					'onChange',
			'changed':					'onChanged',
		},
		
		// data
		data: {
			
			// Similar to ID, but used for HTML puposes.
			// It is possbile for a new field to have an ID of 0, but an id of 'field_123' */
			id: 0,
			
			// The field key ('field_123')
			key: '',
			
			// The field type (text, image, etc)
			type: '',
			
			// The $post->ID of this field
			//ID: 0,
			
			// The field's parent
			//parent: 0,
			
			// The menu order
			//menu_order: 0
		},
		
		setup: function( $field ){
			
			// set $el
			this.$el = $field;
			
			// inherit $field data (id, key, type)
			this.inherit( $field );
			
			// load additional props
			// - this won't trigger 'changed'
			this.prop('ID');
			this.prop('parent');
			this.prop('menu_order');
		},
		
		$input: function( name ){
			return $('#' + this.getInputId() + '-' + name);
		},
		
		$meta: function(){
			return this.$('.meta:first');
		},
		
		$handle: function(){
			return this.$('.handle:first');
		},
		
		$settings: function(){
			return this.$('.settings:first');
		},
		
		$setting: function( name ){
			return this.$('.acf-field-settings:first > .acf-field-setting-' + name);
		},
		
		getParent: function(){
			return acf.getFieldObjects({ child: this.$el, limit: 1 }).pop();
		},
		
		getParents: function(){
			return acf.getFieldObjects({ child: this.$el });
		},
		
		getFields: function(){
			return acf.getFieldObjects({ parent: this.$el });
		},
		
		getInputName: function(){
			return 'acf_fields[' + this.get('id') + ']';
		},
		
		getInputId: function(){
			return 'acf_fields-' + this.get('id');
		},
		
		newInput: function( name, value ){
			
			// vars
			var inputId = this.getInputId();
			var inputName = this.getInputName();
			
			// append name
			if( name ) {
				inputId += '-'+name;
				inputName += '['+name+']';
			}
			
			// create input (avoid HTML + JSON value issues)
			var $input = $('<input />').attr({
				id: inputId,
				name: inputName,
				value: value
			});
			this.$('> .meta').append( $input );
			
			// return
			return $input;
		},
		
		getProp: function( name ){
			
			// check data
			if( this.has(name) ) {
				return this.get(name);
			}
			
			// get input value
			var $input = this.$input( name );
			var value = $input.length ? $input.val() : null;
			
			// set data silently (cache)
			this.set(name, value, true);
			
			// return
			return value;
		},
		
		setProp: function( name, value ) {
			
			// get input
			var $input = this.$input( name );
			var prevVal = $input.val();
			
			// create if new
			if( !$input.length ) {
				$input = this.newInput( name, value );
			}
			
			// remove
			if( value === null ) {
				$input.remove();
				
			// update
			} else {
				$input.val( value );	
			}
			
			//console.log('setProp', name, value, this);
			
			// set data silently (cache)
			if( !this.has(name) ) {
				//console.log('setting silently');
				this.set(name, value, true);
				
			// set data allowing 'change' event to fire
			} else {
				//console.log('setting loudly!');
				this.set(name, value);
			}
			
			// return
			return this;
			
		},
		
		prop: function( name, value ){
			if( value !== undefined ) {
				return this.setProp( name, value );
			} else {
				return this.getProp( name );
			}
		},
		
		props: function( props ){
			Object.keys( props ).map(function( key ){
				this.setProp( key, props[key] );
			}, this);
		},
		
		getLabel: function(){
			
			// get label with empty default
			var label = this.prop('label');
			if( label === '' ) {
				label = acf.__('(no label)')
			}
			
			// return
			return label;
		},
		
		getName: function(){
			return this.prop('name');
		},
		
		getType: function(){
			return this.prop('type');
		},
		
		getTypeLabel: function(){
			var type = this.prop('type');
			var types = acf.get('fieldTypes');
			return ( types[type] ) ? types[type].label : type;
		},
		
		getKey: function(){
			return this.prop('key');
		},
			
		initialize: function(){
			// do nothing
		},
		
		render: function(){
					
			// vars
			var $handle = this.$('.handle:first');
			var menu_order = this.prop('menu_order');
			var label = this.getLabel();
			var name = this.prop('name');
			var type = this.getTypeLabel();
			var key = this.prop('key');
			var required = this.$input('required').prop('checked');
			
			// update menu order
			$handle.find('.acf-icon').html( parseInt(menu_order) + 1 );
			
			// update required
			if( required ) {
				label += ' <span class="acf-required">*</span>';
			}
			
			// update label
			$handle.find('.li-field-label strong a').html( label );
						
			// update name
			$handle.find('.li-field-name').text( name );
			
			// update type
			$handle.find('.li-field-type').text( type );
			
			// update key
			$handle.find('.li-field-key').text( key );
			
			// action for 3rd party customization
			acf.doAction('render_field_object', this);
		},
		
		refresh: function(){
			acf.doAction('refresh_field_object', this);
		},
		
		isOpen: function() {
			return this.$el.hasClass('open');
		},
		
		onClickEdit: function( e ){
			this.isOpen() ? this.close() : this.open();
		},
		
		open: function(){
			
			// vars
			var $settings = this.$el.children('.settings');
			
			// open
			$settings.slideDown();
			this.$el.addClass('open');
			
			// action (open)
			acf.doAction('open_field_object', this);
			this.trigger('openFieldObject');
			
			// action (show)
			acf.doAction('show', $settings);
		},
		
		close: function(){
			
			// vars
			var $settings = this.$el.children('.settings');
			
			// close
			$settings.slideUp();
			this.$el.removeClass('open');
			
			// action (close)
			acf.doAction('close_field_object', this);
			this.trigger('closeFieldObject');
			
			// action (hide)
			acf.doAction('hide', $settings);
		},
		
		serialize: function(){
			return acf.serialize( this.$el, this.getInputName() );
		},
		
		save: function( type ){
			
			// defaults
			type = type || 'settings'; // meta, settings
			
			// vars
			var save = this.getProp('save');
			
			// bail if already saving settings
			if( save === 'settings' ) {
				return;
			}
			
			// prop
			this.setProp('save', type);
			
			// debug
			this.$el.attr('data-save', type);
			
			// action
			acf.doAction('save_field_object', this, type);
		},
		
		submit: function(){
			
			// vars
			var inputName = this.getInputName();
			var save = this.get('save');
			
			// close
			if( this.isOpen() ) {
				this.close();
			}
			
			// allow all inputs to save
			if( save == 'settings' ) {
				// do nothing
			
			// allow only meta inputs to save	
			} else if( save == 'meta' ) {
				this.$('> .settings [name^="' + inputName + '"]').remove();
				
			// prevent all inputs from saving
			} else {
				this.$('[name^="' + inputName + '"]').remove();
			}
			
			// action
			acf.doAction('submit_field_object', this);
		},
		
		onChange: function( e, $el ){
			
			// save settings
			this.save();
			
			// action for 3rd party customization
			acf.doAction('change_field_object', this);
		},
		
		onChanged: function( e, $el, name, value ){
			
			// ignore 'save'
			if( name == 'save' ) {
				return;
			}
			
			// save meta
			if( ['menu_order', 'parent'].indexOf(name) > -1 ) {
				this.save('meta');
			
			// save field
			} else {
				this.save();
			}			
			
			// render
			if( ['menu_order', 'label', 'required', 'name', 'type', 'key'].indexOf(name) > -1 ) {
				this.render();
			}
						
			// action for 3rd party customization
			acf.doAction('change_field_object_' + name, this, value);
		},
		
		onChangeLabel: function( e, $el ){
			
			// set
			var label = $el.val();
			this.set('label', label);
			
			// render name
			if( this.prop('name') == '' ) {
				var name = acf.applyFilters('generate_field_object_name', acf.strSanitize(label), this);
				this.prop('name', name);
			}
		},
		
		onChangeName: function( e, $el){
			
			// set
			var name = $el.val();
			this.set('name', name);
			
			// error
			if( name.substr(0, 6) === 'field_' ) {
				alert( acf.__('The string "field_" may not be used at the start of a field name') );
			}
		},
		
		onChangeRequired: function( e, $el ){
			
			// set
			var required = $el.prop('checked') ? 1 : 0;
			this.set('required', required);
		},
		
		delete: function( args ){
			
			// defaults
			args = acf.parseArgs(args, {
				animate: true
			});
			
			// add to remove list
			var id = this.prop('ID');
			
			if( id ) {
				var $input = $('#_acf_delete_fields');
				var newVal = $input.val() + '|' + id;
				$input.val( newVal );
			}
			
			// action
			acf.doAction('delete_field_object', this);
			
			// animate
			if( args.animate ) {
				this.removeAnimate();
			} else {
				this.remove();
			}
		},
		
		onClickDelete: function( e, $el ){
			
			// add class
			this.$el.addClass('-hover');
			
			// add tooltip
			var self = this;
			var tooltip = acf.newTooltip({
				confirmRemove: true,
				target: $el,
				confirm: function(){
					self.delete( true );
				},
				cancel: function(){
					self.$el.removeClass('-hover');
				}
			});
		},
		
		removeAnimate: function(){
			
			// vars
			var field = this;
			var $list = this.$el.parent();
			var $fields = acf.findFieldObjects({
				sibling: this.$el
			});
			
			// remove
			acf.remove({
				target: this.$el,
				endHeight: $fields.length ? 0 : 50,
				complete: function(){
					field.remove();
					acf.doAction('removed_field_object', field, $list);
				}
			});
			
			// action
			acf.doAction('remove_field_object', field, $list);
		},
		
		duplicate: function(){
			
			// vars
			var newKey = acf.uniqid('field_');
			
			// duplicate
			var $newField = acf.duplicate({
				target: this.$el,
				search: this.get('id'),
				replace: newKey,
			});
			
			// set new key
			$newField.attr('data-key', newKey);
			
			// get instance
			var newField = acf.getFieldObject( $newField );
			
			// open / close
			if( this.isOpen() ) {
				this.close();
			} else {
				newField.open();
			}
			
			// focus label
			var $label = newField.$setting('label input');
			setTimeout(function(){
	        	$label.focus();
	        }, 251);
			
			// update newField label / name
			var label = newField.prop('label');
			var name = newField.prop('name');
			var end = name.split('_').pop();
			var copy = acf.__('copy');
			
			// increase suffix "1"
			if( $.isNumeric(end) ) {
				var i = (end*1) + 1;
				label = label.replace( end, i );
				name = name.replace( end, i );
			
			// increase suffix "(copy1)"
			} else if( end.indexOf(copy) === 0 ) {
				var i = end.replace(copy, '') * 1;
				i = i ? i+1 : 2;
				
				// replace
				label = label.replace( end, copy + i );
				name = name.replace( end, copy + i );
			
			// add default "(copy)"
			} else {
				label += ' (' + copy + ')';
				name += '_' + copy;
			}
			
			newField.prop('ID', 0);
			newField.prop('label', label);
			newField.prop('name', name);
			newField.prop('key', newKey);
			
			// action
			acf.doAction('duplicate_field_object', this, newField);
			acf.doAction('append_field_object', newField);
		},
		
		wipe: function(){
			
			// vars
			var prevId = this.get('id');
			var prevKey = this.get('key');
			var newKey = acf.uniqid('field_');
			
			// rename
			acf.rename({
				target: this.$el,
				search: prevId,
				replace: newKey,
			});
			
			// data
			this.set('id', newKey);
			this.set('prevId', prevId);
			this.set('prevKey', prevKey);
			
			// props
			this.prop('key', newKey);
			this.prop('ID', 0);
			
			// attr
			this.$el.attr('data-key', newKey);
			this.$el.attr('data-id', newKey);
			
			// action
			acf.doAction('wipe_field_object', this);
		},
		
		move: function(){
			
			// helper
			var hasChanged = function( field ){
				return (field.get('save') == 'settings');
			};
			
			// vars
			var changed = hasChanged(this);
			
			// has sub fields changed
			if( !changed ) {
				acf.getFieldObjects({
					parent: this.$el
				}).map(function( field ){
					changed = hasChanged(field) || field.changed;
				});
			}
			
			// bail early if changed
			if( changed ) {
				alert( acf.__('This field cannot be moved until its changes have been saved') );
				return;
			}
			
			// step 1.
			var id = this.prop('ID');
			var field = this;
			var popup = false;
			var step1 = function(){
				
				// popup
				popup = acf.newPopup({
					title: acf.__('Move Custom Field'),
					loading: true,
					width: '300px'
				});
				
				// ajax
				var ajaxData = {
					action:		'acf/field_group/move_field',
					field_id:	id
				};
				
				// get HTML
				$.ajax({
					url: acf.get('ajaxurl'),
					data: acf.prepareForAjax(ajaxData),
					type: 'post',
					dataType: 'html',
					success: step2
				});
			};
			
			var step2 = function( html ){
				
				// update popup
				popup.loading(false);
				popup.content(html);
				
				// submit form
				popup.on('submit', 'form', step3);
			};
			
			var step3 = function( e, $el ){
				
				// prevent
				e.preventDefault();
				
				// disable
				acf.startButtonLoading( popup.$('.button') );
				
				// ajax
				var ajaxData = {
					action: 'acf/field_group/move_field',
					field_id: id,
					field_group_id: popup.$('select').val()
				};
				
				// get HTML
				$.ajax({
					url: acf.get('ajaxurl'),
					data: acf.prepareForAjax(ajaxData),
					type: 'post',
					dataType: 'html',
					success: step4
				});
			};
			
			var step4 = function( html ){
				
				// update popup
				popup.content(html);
				
				// remove element
				field.removeAnimate();
			};
			
			// start
			step1();
			
		},
		
		onChangeType: function( e, $el ){
			
			// clea previous timout
			if( this.changeTimeout ) {
				clearTimeout(this.changeTimeout);
			}
			
			// set new timeout
			// - prevents changing type multiple times whilst user types in newType
			this.changeTimeout = this.setTimeout(function(){
				this.changeType( $el.val() );
			}, 300);
		},
		
		changeType: function( newType ){
			
			// vars
			var prevType = this.prop('type');
			var prevClass = acf.strSlugify( 'acf-field-object-' + prevType );
			var newClass = acf.strSlugify( 'acf-field-object-' + newType );
			
			// update props
			this.$el.removeClass(prevClass).addClass(newClass);
			this.$el.attr('data-type', newType);
			this.$el.data('type', newType);
			
			// abort XHR if this field is already loading AJAX data
			if( this.has('xhr') ) {
				this.get('xhr').abort();
			}
			
			// store settings
			var $tbody = this.$('> .settings > table > tbody');
			var $settings = $tbody.children('[data-setting="' + prevType + '"]');			
			this.set( 'settings-' + prevType, $settings );
			$settings.detach();
						
			// show settings
			if( this.has('settings-' + newType) ) {
				var $newSettings = this.get('settings-' + newType);
				this.$setting('conditional_logic').before( $newSettings );
				this.set('type', newType);
				//this.refresh();
				return;
			}
			
			// load settings
			var $loading = $('<tr class="acf-field"><td class="acf-label"></td><td class="acf-input"><div class="acf-loading"></div></td></tr>');
			this.$setting('conditional_logic').before( $loading );
			
			// ajax
			var ajaxData = {
				action: 'acf/field_group/render_field_settings',
				field: this.serialize(),
				prefix: this.getInputName()
			};			
			
			// ajax
			var xhr = $.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax(ajaxData),
				type: 'post',
				dataType: 'html',
				context: this,
				success: function( html ){
					
					// bail early if no settings
					if( !html ) return;
					
					// append settings
					$loading.after( html );
					
					// events
					acf.doAction('append', $tbody);
				},
				complete: function(){
					// also triggered by xhr.abort();
					$loading.remove();
					this.set('type', newType);
					//this.refresh();
				}
			});
			
			// set
			this.set('xhr', xhr);
			
		},
		
		updateParent: function(){
			
			// vars
			var ID = acf.get('post_id');
			
			// check parent
			var parent = this.getParent();
			if( parent ) {
				ID = parseInt(parent.prop('ID')) || parent.prop('key');
			}
			
			// update
			this.prop('parent', ID);
		}
				
	});
	
})(jQuery);

(function($, undefined){
	
	/**
	*  mid
	*
	*  Calculates the model ID for a field type
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	string type
	*  @return	string
	*/
	
	var modelId = function( type ) {
		return acf.strPascalCase( type || '' ) + 'FieldSetting';
	};
	
	/**
	*  registerFieldType
	*
	*  description
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.registerFieldSetting = function( model ){
		var proto = model.prototype;
		var mid = modelId(proto.type + ' ' + proto.name);
		this.models[ mid ] = model;
	};
	
	/**
	*  newField
	*
	*  description
	*
	*  @date	14/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.newFieldSetting = function( field ){
		
		// vars
		var type = field.get('setting') || '';
		var name = field.get('name') || '';
		var mid = modelId( type + ' ' + name );
		var model = acf.models[ mid ] || null;
		
		// bail ealry if no setting
		if( model === null ) return false;
		
		// instantiate
		var setting = new model( field );
		
		// return
		return setting;
	};
	
	/**
	*  acf.getFieldSetting
	*
	*  description
	*
	*  @date	19/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.getFieldSetting = function( field ) {
		
		// allow jQuery
		if( field instanceof jQuery ) {
			field = acf.getField(field);
		}
		
		// return
		return field.setting;
	};
	
	/**
	*  settingsManager
	*
	*  description
	*
	*  @date	6/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var settingsManager = new acf.Model({
		actions: {
			'new_field': 'onNewField'
		},
		onNewField: function( field ){
			field.setting = acf.newFieldSetting( field );
		}
	});
	
	/**
	*  acf.FieldSetting
	*
	*  description
	*
	*  @date	6/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	acf.FieldSetting = acf.Model.extend({

		field: false,
		type: '',
		name: '',
		wait: 'ready',
		eventScope: '.acf-field',
		
		events: {
			'change': 'render'
		},
		
		setup: function( field ){
			
			// vars
			var $field = field.$el;
			
			// set props
			this.$el = $field;
			this.field = field;
			this.$fieldObject = $field.closest('.acf-field-object');
			this.fieldObject = acf.getFieldObject( this.$fieldObject );
			
			// inherit data
			$.extend(this.data, field.data);
		},
		
		initialize: function(){
			this.render();
		},
		
		render: function(){
			// do nothing
		}
	});
	
	/*
	*  Date Picker
	*
	*  This field type requires some extra logic for its settings
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	var DisplayFormatFieldSetting = acf.FieldSetting.extend({
		type: '',
		name: '',
		render: function(){
			var $input = this.$('input[type="radio"]:checked');
			if( $input.val() != 'other' ) {
				this.$('input[type="text"]').val( $input.val() );
			}
		}
	});
	
	var DatePickerDisplayFormatFieldSetting = DisplayFormatFieldSetting.extend({
		type: 'date_picker',
		name: 'display_format'
	});
	
	var DatePickerReturnFormatFieldSetting = DisplayFormatFieldSetting.extend({
		type: 'date_picker',
		name: 'return_format'
	});
	
	acf.registerFieldSetting( DatePickerDisplayFormatFieldSetting );
	acf.registerFieldSetting( DatePickerReturnFormatFieldSetting );
	
	/*
	*  Date Time Picker
	*
	*  This field type requires some extra logic for its settings
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	var DateTimePickerDisplayFormatFieldSetting = DisplayFormatFieldSetting.extend({
		type: 'date_time_picker',
		name: 'display_format'
	});
	
	var DateTimePickerReturnFormatFieldSetting = DisplayFormatFieldSetting.extend({
		type: 'date_time_picker',
		name: 'return_format'
	});
	
	acf.registerFieldSetting( DateTimePickerDisplayFormatFieldSetting );
	acf.registerFieldSetting( DateTimePickerReturnFormatFieldSetting );
	
	/*
	*  Time Picker
	*
	*  This field type requires some extra logic for its settings
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	var TimePickerDisplayFormatFieldSetting = DisplayFormatFieldSetting.extend({
		type: 'time_picker',
		name: 'display_format'
	});
	
	var TimePickerReturnFormatFieldSetting = DisplayFormatFieldSetting.extend({
		name: 'time_picker',
		name: 'return_format'
	});
	
	acf.registerFieldSetting( TimePickerDisplayFormatFieldSetting );
	acf.registerFieldSetting( TimePickerReturnFormatFieldSetting );
	
})(jQuery);

(function($, undefined){
	
	/**
	*  ConditionalLogicFieldSetting
	*
	*  description
	*
	*  @date	3/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var ConditionalLogicFieldSetting = acf.FieldSetting.extend({
		type: '',
		name: 'conditional_logic',
		events: {
			'change .conditions-toggle': 		'onChangeToggle',
			'click .add-conditional-group': 	'onClickAddGroup',
			'focus .condition-rule-field': 		'onFocusField',
			'change .condition-rule-field': 	'onChangeField',
			'change .condition-rule-operator': 	'onChangeOperator',
			'click .add-conditional-rule':		'onClickAdd',
			'click .remove-conditional-rule':	'onClickRemove'
		},
		
		$rule: false,
		
		scope: function( $rule ){
			this.$rule = $rule;
			return this;
		},
		
		ruleData: function( name, value ){
			return this.$rule.data.apply( this.$rule, arguments );
		},
		
		$input: function( name ){
			return this.$rule.find('.condition-rule-' + name);
		},
		
		$td: function( name ){
			return this.$rule.find('td.' + name);
		},
		
		$toggle: function(){
			return this.$('.conditions-toggle');
		},
		
		$control: function(){
			return this.$('.rule-groups');
		},
		
		$groups: function(){
			return this.$('.rule-group');
		},
		
		$rules: function(){
			return this.$('.rule');
		},
		
		open: function(){
			var $div = this.$control();
			$div.show();
			acf.enable( $div );
		},
		
		close: function(){
			var $div = this.$control();
			$div.hide();
			acf.disable( $div );
		},
		
		render: function(){
			
			// show
			if( this.$toggle().prop('checked') ) {
				this.renderRules();
				this.open();
			
			// hide
			} else {
				this.close();
			}
		},
		
		renderRules: function(){
			
			// vars
			var self = this;
			
			// loop
			this.$rules().each(function(){
				self.renderRule( $(this) );
			});
		},
		
		renderRule: function( $rule ){
			this.scope( $rule );
			this.renderField();
			this.renderOperator();
			this.renderValue();
		},
		
		renderField: function(){
			
			// vars
			var choices = [];
			var validFieldTypes = [];
			var cid = this.fieldObject.cid;
			var $select = this.$input('field');
			
			// loop
			acf.getFieldObjects().map(function( fieldObject ){
				
				// vars
				var choice = {
					id:		fieldObject.getKey(),
					text:	fieldObject.getLabel()
				};
				
				// bail early if is self
				if( fieldObject.cid === cid  ) {
					choice.text += acf.__('(this field)');
					choice.disabled = true;
				}
				
				// get selected field conditions 
				var conditionTypes = acf.getConditionTypes({
					fieldType: fieldObject.getType()
				});
				
				// bail early if no types
				if( !conditionTypes.length ) {
					choice.disabled = true;
				}
				
				// calulate indents
				var indents = fieldObject.getParents().length;
				choice.text = '- '.repeat(indents) + choice.text;
				
				// append
				choices.push(choice);
			});
			
			// allow for scenario where only one field exists
			if( !choices.length ) {
				choices.push({
					id: '',
					text: acf.__('No toggle fields available'),
				});
			}
			
			// render
			acf.renderSelect( $select, choices );
			
			// set
			this.ruleData('field', $select.val());
		},
		
		renderOperator: function(){
			
			// bail early if no field selected
			if( !this.ruleData('field') ) {
				return;
			}
			
			// vars
			var $select = this.$input('operator');
			var val = $select.val();
			var choices = [];
			
			// set saved value on first render
			// - this allows the 2nd render to correctly select an option
			if( $select.val() === null ) {
				acf.renderSelect($select, [{
					id: this.ruleData('operator'),
					text: ''
				}]);
			}
			
			// get selected field
			var $field = acf.findFieldObject( this.ruleData('field') );
			var field = acf.getFieldObject( $field );
			
			// get selected field conditions 
			var conditionTypes = acf.getConditionTypes({
				fieldType: field.getType()
			});
			
			// html
			conditionTypes.map(function( model ){
				choices.push({
					id:		model.prototype.operator,
					text:	acf.strEscape(model.prototype.label)
				});
			});
			
			// render
			acf.renderSelect( $select, choices );
			
			// set
			this.ruleData('operator', $select.val());
		},
		
		renderValue: function(){
			
			// bail early if no field selected
			if( !this.ruleData('field') || !this.ruleData('operator') ) {
				return;
			}
			
			// vars
			var $select = this.$input('value');
			var $td = this.$td('value');
			var val = $select.val();
			
			// get selected field
			var $field = acf.findFieldObject( this.ruleData('field') );
			var field = acf.getFieldObject( $field );
			
			// get selected field conditions
			var conditionTypes = acf.getConditionTypes({
				fieldType: field.getType(),
				operator: this.ruleData('operator')
			});
			
			// html
			var conditionType = conditionTypes[0].prototype;
			var choices = conditionType.choices( field );
			
			// create html: array
			if( choices instanceof Array ) {
				var $newSelect = $('<select></select>');
				acf.renderSelect( $newSelect, choices );
			
			// create html: string (<input />)
			} else {
				var $newSelect = $(choices);
			}
			
			// append
			$select.detach();
			$td.html( $newSelect );
			
			// copy attrs
			// timeout needed to avoid browser bug where "disabled" attribute is not applied
			setTimeout(function(){
				['class', 'name', 'id'].map(function( attr ){
					$newSelect.attr( attr, $select.attr(attr));
				});
			}, 0);
			
			// select existing value (if not a disabled input)
			if( !$newSelect.prop('disabled') ) {
				acf.val( $newSelect, val, true );
			}
			
			// set
			this.ruleData('value', $newSelect.val());
		},
		
		onChangeToggle: function(){
			this.render();
		},
		
		onClickAddGroup: function( e, $el ){
			this.addGroup();
		},
		
		addGroup: function(){
			
			// vars
			var $group = this.$('.rule-group:last');
			
			// duplicate
			var $group2 = acf.duplicate( $group );
			
			// update h4
			$group2.find('h4').text( acf.__('or') );
			
			// remove all tr's except the first one
			$group2.find('tr').not(':first').remove();
			
			// save field
			this.fieldObject.save();
		},
		
		onFocusField: function( e, $el ){
			this.renderField();
		},
		
		onChangeField: function( e, $el ){
			
			// scope
			this.scope( $el.closest('.rule') );
			
			// set data
			this.ruleData('field', $el.val());
			
			// render
			this.renderOperator();
			this.renderValue();
		},
		
		onChangeOperator: function( e, $el ){
			
			// scope
			this.scope( $el.closest('.rule') );
			
			// set data
			this.ruleData('operator', $el.val());
			
			// render
			this.renderValue();
		},
		
		onClickAdd: function( e, $el ){
			
			// duplciate
			var $rule = acf.duplicate( $el.closest('.rule') );
			
			// render
			this.renderRule( $rule );
		},
		
		onClickRemove: function( e, $el ){
			
			// vars
			var $rule = $el.closest('.rule');
			
			// save field
			this.fieldObject.save();
			
			// remove group
			if( $rule.siblings('.rule').length == 0 ) {
				$rule.closest('.rule-group').remove();
			}
			
			// remove
			$rule.remove();
		}
	});
	
	acf.registerFieldSetting( ConditionalLogicFieldSetting );
	
	
	/**
	*  conditionalLogicHelper
	*
	*  description
	*
	*  @date	20/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var conditionalLogicHelper = new acf.Model({
		actions: {
			'duplicate_field_objects':	'onDuplicateFieldObjects',
		},
		
		onDuplicateFieldObjects: function( children, newField, prevField ){
			
			// vars
			var data = {};
			var $selects = $();
			
			// reference change in key
			children.map(function( child ){
				
				// store reference of changed key
				data[ child.get('prevKey') ] = child.get('key');
				
				// append condition select
				$selects = $selects.add( child.$('.condition-rule-field') );
			});
			
			// loop
	    	$selects.each(function(){
		    	
		    	// vars
		    	var $select = $(this);
		    	var val = $select.val();
		    	
		    	// bail early if val is not a ref key
		    	if( !val || !data[val] ) {
			    	return;
		    	}
		    	
		    	// modify selected option
		    	$select.find('option:selected').attr('value', data[val]);
		    	
		    	// set new val
		    	$select.val( data[val] );
		    	
	    	});
		},
	});
})(jQuery);

(function($, undefined){
	
	/**
	*  acf.findFieldObject
	*
	*  Returns a single fieldObject $el for a given field key
	*
	*  @date	1/2/18
	*  @since	5.7.0
	*
	*  @param	string key The field key
	*  @return	jQuery
	*/
	
	acf.findFieldObject = function( key ){
		return acf.findFieldObjects({
			key: key,
			limit: 1
		});
	};
	
	/**
	*  acf.findFieldObjects
	*
	*  Returns an array of fieldObject $el for the given args
	*
	*  @date	1/2/18
	*  @since	5.7.0
	*
	*  @param	object args
	*  @return	jQuery
	*/
	
	acf.findFieldObjects = function( args ){
		
		// vars
		args = args || {};
		var selector = '.acf-field-object';
		var $fields = false;
		
		// args
		args = acf.parseArgs(args, {
			id: '',
			key: '',
			type: '',
			limit: false,
			list: null,
			parent: false,
			sibling: false,
			child: false,
		});
		
		// id
		if( args.id ) {
			selector += '[data-id="' + args.id + '"]';
		}
		
		// key
		if( args.key ) {
			selector += '[data-key="' + args.key + '"]';
		}
		
		// type
		if( args.type ) {
			selector += '[data-type="' + args.type + '"]';
		}
		
		// query
		if( args.list ) {
			$fields = args.list.children( selector );
		} else if( args.parent ) {
			$fields = args.parent.find( selector );
		} else if( args.sibling ) {
			$fields = args.sibling.siblings( selector );
		} else if( args.child ) {
			$fields = args.child.parents( selector );
		} else {
			$fields = $( selector );
		}
		
		// limit
		if( args.limit ) {
			$fields = $fields.slice( 0, args.limit );
		}
		
		// return
		return $fields;
	};
	
	/**
	*  acf.getFieldObject
	*
	*  Returns a single fieldObject instance for a given $el|key
	*
	*  @date	1/2/18
	*  @since	5.7.0
	*
	*  @param	string|jQuery $field The field $el or key
	*  @return	jQuery
	*/
	
	acf.getFieldObject = function( $field ){
		
		// allow key
		if( typeof $field === 'string' ) {
			$field = acf.findFieldObject( $field );
		}
		
		// instantiate
		var field = $field.data('acf');
		if( !field ) {
			field = acf.newFieldObject( $field );
		}
		
		// return
		return field;
	};
	
	/**
	*  acf.getFieldObjects
	*
	*  Returns an array of fieldObject instances for the given args
	*
	*  @date	1/2/18
	*  @since	5.7.0
	*
	*  @param	object args
	*  @return	array
	*/
	
	acf.getFieldObjects = function( args ){
		
		// query
		var $fields = acf.findFieldObjects( args );
		
		// loop
		var fields = [];
		$fields.each(function(){
			var field = acf.getFieldObject( $(this) );
			fields.push( field );
		});
		
		// return
		return fields;
	};
	
	/**
	*  acf.newFieldObject
	*
	*  Initializes and returns a new FieldObject instance
	*
	*  @date	1/2/18
	*  @since	5.7.0
	*
	*  @param	jQuery $field The field $el
	*  @return	object
	*/
	
	acf.newFieldObject = function( $field ){
		
		// instantiate
		var field = new acf.FieldObject( $field );
		
		// action
		acf.doAction('new_field_object', field);
		
		// return
		return field;
	};
	
	/**
	*  actionManager
	*
	*  description
	*
	*  @date	15/12/17
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var eventManager = new acf.Model({
		
		priority: 5,
		
		initialize: function(){
			
			// actions
			var actions = [
				'prepare',
				'ready',
				'append',
				'remove'
			];
			
			// loop
			actions.map(function( action ){
				this.addFieldActions( action );
			}, this);
		},
		
		addFieldActions: function( action ){
			
			// vars
			var pluralAction = action + '_field_objects';	// ready_field_objects
			var singleAction = action + '_field_object';	// ready_field_object
			var singleEvent = action + 'FieldObject';		// readyFieldObject
			
			// global action
			var callback = function( $el /*, arg1, arg2, etc*/ ){
				
				// vars
				var fieldObjects = acf.getFieldObjects({ parent: $el });
				
				// call plural
				if( fieldObjects.length ) {
					
					/// get args [$el, arg1]
					var args = acf.arrayArgs( arguments );
					
					// modify args [pluralAction, fields, arg1]
					args.splice(0, 1, pluralAction, fieldObjects);
					acf.doAction.apply(null, args);
				}
			};
			
			// plural action
			var pluralCallback = function( fieldObjects /*, arg1, arg2, etc*/ ){
				
				/// get args [fields, arg1]
				var args = acf.arrayArgs( arguments );
				
				// modify args [singleAction, fields, arg1]
				args.unshift(singleAction);
					
				// loop
				fieldObjects.map(function( fieldObject ){
					
					// modify args [singleAction, field, arg1]
					args[1] = fieldObject;
					acf.doAction.apply(null, args);
				});
			};
			
			// single action
			var singleCallback = function( fieldObject /*, arg1, arg2, etc*/ ){
				
				/// get args [$field, arg1]
				var args = acf.arrayArgs( arguments );
				
				// modify args [singleAction, $field, arg1]
				args.unshift(singleAction);
				
				// action variations (ready_field/type=image)
				var variations = ['type', 'name', 'key'];
				variations.map(function( variation ){
					args[0] = singleAction + '/' + variation + '=' + fieldObject.get(variation);
					acf.doAction.apply(null, args);
				});
				
				// modify args [arg1]
				args.splice(0, 2);

				// event
				fieldObject.trigger(singleEvent, args);
			};
			
			// add actions
			acf.addAction(action, callback, 5);
			acf.addAction(pluralAction, pluralCallback, 5);
			acf.addAction(singleAction, singleCallback, 5);
			
		}
	});		
	
	/**
	*  fieldManager
	*
	*  description
	*
	*  @date	4/1/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	var fieldManager = new acf.Model({
		
		id: 'fieldManager',
		
		events: {
			'submit #post':					'onSubmit',
			'mouseenter .acf-field-list': 	'onHoverSortable',
			'click .add-field':				'onClickAdd',
		},
		
		actions: {
			'removed_field_object':			'onRemovedField',
			'sortstop_field_object':		'onReorderField',
			'delete_field_object':			'onDeleteField',
			'change_field_object_type':		'onChangeFieldType',
			'duplicate_field_object':		'onDuplicateField'
		},
		
		onSubmit: function( e, $el ){
			
			// vars
			var fields = acf.getFieldObjects();
			
			// loop
			fields.map(function( field ){
				field.submit();
			});
		},
		
		setFieldMenuOrder: function( field ){
			this.renderFields( field.$el.parent() );
		},
		
		onHoverSortable: function( e, $el ){
			
			// bail early if already sortable
			if( $el.hasClass('ui-sortable') ) return;
			
			// sortable
			$el.sortable({
				handle: '.acf-sortable-handle',
				connectWith: '.acf-field-list',
				start: function( e, ui ){
					var field = acf.getFieldObject( ui.item );
			        ui.placeholder.height( ui.item.height() );
			        acf.doAction('sortstart_field_object', field, $el);
			    },
				update: function( e, ui ){
					var field = acf.getFieldObject( ui.item );
					acf.doAction('sortstop_field_object', field, $el);
				}
			});
		},
		
		onRemovedField: function( field, $list ){
			this.renderFields( $list );
		},
		
		onReorderField: function( field, $list ){
			field.updateParent();
			this.renderFields( $list );
		},
		
		onDeleteField: function( field ){
			
			// delete children
			field.getFields().map(function( child ){
				child.delete({ animate: false });
			});
		},
		
		onChangeFieldType: function( field ){
			// this caused sub fields to disapear if changing type back...
			//this.onDeleteField( field );	
		},
		
		onDuplicateField: function( field, newField ){
			
			// check for children
			var children = newField.getFields();
			if( children.length ) {
				
				// loop
				children.map(function( child ){
					
					// wipe field
					child.wipe();
					
					// update parent
					child.updateParent();
				});
			
				// action
				acf.doAction('duplicate_field_objects', children, newField, field);
			}
			
			// set menu order
			this.setFieldMenuOrder( newField );
		},
		
		renderFields: function( $list ){
			
			// vars
			var fields = acf.getFieldObjects({
				list: $list
			});
			
			// no fields
			if( !fields.length ) {
				$list.addClass('-empty');
				return;
			}
			
			// has fields
			$list.removeClass('-empty');
			
			// prop
			fields.map(function( field, i ){
				field.prop('menu_order', i);
			});
		},
		
		onClickAdd: function( e, $el ){
			var $list = $el.closest('.acf-tfoot').siblings('.acf-field-list');
			this.addField( $list );
		},
		
		addField: function( $list ){
			
			// vars
			var html = $('#tmpl-acf-field').html();
			var $el = $(html);
			var prevId = $el.data('id');
			var newKey = acf.uniqid('field_');
			
			// duplicate
			var $newField = acf.duplicate({
				target: $el,
				search: prevId,
				replace: newKey,
				append: function( $el, $el2 ){ 
					$list.append( $el2 );
				}
			});
			
			// get instance
			var newField = acf.getFieldObject( $newField );
			
			// props
			newField.prop('key', newKey);
			newField.prop('ID', 0);
			newField.prop('label', '');
			newField.prop('name', '');
			
			// attr
			$newField.attr('data-key', newKey);
			$newField.attr('data-id', newKey);
			
			// update parent prop
			newField.updateParent();
			
			// focus label
			var $label = newField.$input('label');
			setTimeout(function(){
	        	$label.focus();
	        }, 251);
	        
	        // open
			newField.open();
			
			// set menu order
			this.renderFields( $list );
			
			// action
			acf.doAction('add_field_object', newField);
			acf.doAction('append_field_object', newField);
		}
	});
	
})(jQuery);

(function($, undefined){
	
	/**
	*  locationManager
	*
	*  Field group location rules functionality 
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
	
	var locationManager = new acf.Model({
		
		id: 'locationManager',
		wait: 'ready',
		
		events: {
			'click .add-location-rule':			'onClickAddRule',
			'click .add-location-group':		'onClickAddGroup',
			'click .remove-location-rule':		'onClickRemoveRule',
			'change .refresh-location-rule':	'onChangeRemoveRule'
		},
		
		initialize: function(){
			this.$el = $('#acf-field-group-locations');
		},
		
		onClickAddRule: function( e, $el ){
			this.addRule( $el.closest('tr') );
		},
		
		onClickRemoveRule: function( e, $el ){
			this.removeRule( $el.closest('tr') );
		},
		
		onChangeRemoveRule: function( e, $el ){
			this.changeRule( $el.closest('tr') );
		},
		
		onClickAddGroup: function( e, $el ){
			this.addGroup();
		},
		
		addRule: function( $tr ){
			acf.duplicate( $tr );
		},
		
		removeRule: function( $tr ){
			if( $tr.siblings('tr').length == 0 ) {
				$tr.closest('.rule-group').remove();
			} else {
				$tr.remove();
			}
		},
		
		changeRule: function( $rule ){
			
			// vars
			var $group = $rule.closest('.rule-group');
			var prefix = $rule.find('td.param select').attr('name').replace('[param]', '');
			
			// ajaxdata
			var ajaxdata = {};
			ajaxdata.action = 'acf/field_group/render_location_rule';
			ajaxdata.rule = acf.serialize( $rule, prefix );
			ajaxdata.rule.id = $rule.data('id');
			ajaxdata.rule.group = $group.data('id');
			
			// temp disable
			acf.disable( $rule.find('td.value') );
			
			// ajax
			$.ajax({
				url: acf.get('ajaxurl'),
				data: acf.prepareForAjax(ajaxdata),
				type: 'post',
				dataType: 'html',
				success: function( html ){
					if( !html ) return;
					$rule.replaceWith( html );
				}
			});
		},
		
		addGroup: function(){
			
			// vars
			var $group = this.$('.rule-group:last');
			
			// duplicate
			$group2 = acf.duplicate( $group );
			
			// update h4
			$group2.find('h4').text( acf.__('or') );
			
			// remove all tr's except the first one
			$group2.find('tr').not(':first').remove();
		}
	});
	
})(jQuery);

(function($, undefined){
	
	var _acf = acf.getCompatibility( acf );
	
	/**
	*  fieldGroupCompatibility
	*
	*  Compatibility layer for extinct acf.field_group 
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
	
	_acf.field_group = {
		
		save_field: function( $field, type ){
			type = (type !== undefined) ? type : 'settings';
			acf.getFieldObject( $field ).save( type );
		},
		
		delete_field: function( $field, animate ){
			animate = (animate !== undefined) ? animate : true;
			acf.getFieldObject( $field ).delete({
				animate: animate
			});
		},
		
		update_field_meta: function( $field, name, value ){
			acf.getFieldObject( $field ).prop( name, value );
		},
		
		delete_field_meta: function( $field, name ){
			acf.getFieldObject( $field ).prop( name, null );
		}
	};
	
	/**
	*  fieldGroupCompatibility.field_object
	*
	*  Compatibility layer for extinct acf.field_group.field_object
	*
	*  @date	15/12/17
	*  @since	5.7.0
	*
	*  @param	void
	*  @return	void
	*/
	
	_acf.field_group.field_object = acf.model.extend({
		
		// vars
		type:		'',
		o:			{},
		$field:		null,
		$settings:	null,
		
		tag: function( tag ) {
			
			// vars
			var type = this.type;
			
			
			// explode, add 'field' and implode
			// - open 			=> open_field
			// - change_type	=> change_field_type
			var tags = tag.split('_');
			tags.splice(1, 0, 'field');
			tag = tags.join('_');
			
			
			// add type
			if( type ) {
				tag += '/type=' + type;
			}
			
			
			// return
			return tag;
						
		},
		
		selector: function(){
			
			// vars
			var selector = '.acf-field-object';
			var type = this.type;
			

			// add type
			if( type ) {
				selector += '-' + type;
				selector = acf.str_replace('_', '-', selector);
			}
			
			
			// return
			return selector;
			
		},
		
		_add_action: function( name, callback ) {
			
			// vars
			var model = this;
			
			
			// add action
			acf.add_action( this.tag(name), function( $field ){
				
				// focus
				model.set('$field', $field);
				
				
				// callback
				model[ callback ].apply(model, arguments);
				
			});
			
		},
		
		_add_filter: function( name, callback ) {
			
			// vars
			var model = this;
			
			
			// add action
			acf.add_filter( this.tag(name), function( $field ){
				
				// focus
				model.set('$field', $field);
				
				
				// callback
				model[ callback ].apply(model, arguments);
				
			});
			
		},
		
		_add_event: function( name, callback ) {
			
			// vars
			var model = this;
			var event = name.substr(0,name.indexOf(' '));
			var selector = name.substr(name.indexOf(' ')+1);
			var context = this.selector();
			
			
			// add event
			$(document).on(event, context + ' ' + selector, function( e ){
				
				// append $el to event object
				e.$el = $(this);
				e.$field = e.$el.closest('.acf-field-object');
				
				
				// focus
				model.set('$field', e.$field);
				
				
				// callback
				model[ callback ].apply(model, [e]);
				
			});
			
		},
		
		_set_$field: function(){
			
			// vars
			this.o = this.$field.data();
			
			
			// els
			this.$settings = this.$field.find('> .settings > table > tbody');
			
			
			// focus
			this.focus();
			
		},
		
		focus: function(){
			
			// do nothing
			
		},
		
		setting: function( name ) {
			
			return this.$settings.find('> .acf-field-setting-' + name);
			
		}
		
	});
	
	
	/*
	*  field
	*
	*  This model fires actions and filters for registered fields
	*
	*  @type	function
	*  @date	21/02/2014
	*  @since	3.5.1
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	var actionManager = new acf.Model({
		
		actions: {
			'open_field_object': 			'onOpenFieldObject',
			'close_field_object': 			'onCloseFieldObject',
			'add_field_object': 			'onAddFieldObject',
			'duplicate_field_object': 		'onDuplicateFieldObject',
			'delete_field_object': 			'onDeleteFieldObject',
			'change_field_object_type': 	'onChangeFieldObjectType',
			'change_field_object_label': 	'onChangeFieldObjectLabel',
			'change_field_object_name': 	'onChangeFieldObjectName',
			'change_field_object_parent': 	'onChangeFieldObjectParent',
			'sortstop_field_object':		'onChangeFieldObjectParent'
		},
		
		onOpenFieldObject: function( field ){
			acf.doAction('open_field', field.$el);
			acf.doAction('open_field/type=' + field.get('type'), field.$el);
			
			acf.doAction('render_field_settings', field.$el);
			acf.doAction('render_field_settings/type=' + field.get('type'), field.$el);
		},
		
		onCloseFieldObject: function( field ){
			acf.doAction('close_field', field.$el);
			acf.doAction('close_field/type=' + field.get('type'), field.$el);
		},
		
		onAddFieldObject: function( field ){
			acf.doAction('add_field', field.$el);
			acf.doAction('add_field/type=' + field.get('type'), field.$el);
		},
		
		onDuplicateFieldObject: function( field ){
			acf.doAction('duplicate_field', field.$el);
			acf.doAction('duplicate_field/type=' + field.get('type'), field.$el);
		},
		
		onDeleteFieldObject: function( field ){
			acf.doAction('delete_field', field.$el);
			acf.doAction('delete_field/type=' + field.get('type'), field.$el);
		},
		
		onChangeFieldObjectType: function( field ){
			acf.doAction('change_field_type', field.$el);
			acf.doAction('change_field_type/type=' + field.get('type'), field.$el);
			
			acf.doAction('render_field_settings', field.$el);
			acf.doAction('render_field_settings/type=' + field.get('type'), field.$el);
		},
		
		onChangeFieldObjectLabel: function( field ){
			acf.doAction('change_field_label', field.$el);
			acf.doAction('change_field_label/type=' + field.get('type'), field.$el);
		},
		
		onChangeFieldObjectName: function( field ){
			acf.doAction('change_field_name', field.$el);
			acf.doAction('change_field_name/type=' + field.get('type'), field.$el);
		},
		
		onChangeFieldObjectParent: function( field ){
			acf.doAction('update_field_parent', field.$el);
		}
	});
	
})(jQuery);

// @codekit-prepend "_field-group.js";
// @codekit-prepend "_field-group-field.js";
// @codekit-prepend "_field-group-settings.js";
// @codekit-prepend "_field-group-conditions.js";
// @codekit-prepend "_field-group-fields.js";
// @codekit-prepend "_field-group-locations.js";
// @codekit-prepend "_field-group-compatibility.js";PK�
�[��b\\ assets/js/acf-field-group.min.jsnu�[���!function(o,e){var t=new acf.Model({id:"fieldGroupManager",events:{"submit #post":"onSubmit",'click a[href="#"]':"onClick","click .submitdelete":"onClickTrash"},filters:{find_fields_args:"filterFindFieldArgs"},onSubmit:function(e,t){var i=o("#titlewrap #title");i.val()||(e.preventDefault(),acf.unlockForm(t),alert(acf.__("Field group title is required")),i.focus())},onClick:function(e){e.preventDefault()},onClickTrash:function(e){var t;confirm(acf.__("Move to trash. Are you sure?"))||e.preventDefault()},filterFindFieldArgs:function(e){return e.visible=!0,e}}),i=new acf.Model({id:"screenOptionsManager",wait:"prepare",events:{change:"onChange"},initialize:function(){var e=o("#adv-settings"),t=o("#acf-append-show-on-screen");e.find(".metabox-prefs").append(t.html()),e.find(".metabox-prefs br").remove(),t.remove(),this.$el=o("#acf-field-key-hide"),this.render()},isChecked:function(){return this.$el.prop("checked")},onChange:function(e,t){var i=this.isChecked()?1:0;acf.updateUserSetting("show_field_keys",i),this.render()},render:function(){this.isChecked()?o("#acf-field-group-fields").addClass("show-field-keys"):o("#acf-field-group-fields").removeClass("show-field-keys")}}),n=new acf.Model({actions:{new_field:"onNewField"},onNewField:function(e){if(e.has("append")){var t=e.get("append"),i=e.$el.siblings('[data-name="'+t+'"]').first();if(i.length){var n=i.children(".acf-input"),a=n.children("ul");a.length||(n.wrapInner('<ul class="acf-hl"><li></li></ul>'),a=n.children("ul"));var c=e.$(".acf-input").html(),l=o("<li>"+c+"</li>");a.append(l),a.attr("data-cols",a.children().length),e.remove()}}}})}(jQuery),function(s,i){acf.FieldObject=acf.Model.extend({eventScope:".acf-field-object",events:{"click .edit-field":"onClickEdit","click .delete-field":"onClickDelete","click .duplicate-field":"duplicate","click .move-field":"move","change .field-type":"onChangeType","change .field-required":"onChangeRequired","blur .field-label":"onChangeLabel","blur .field-name":"onChangeName",change:"onChange",changed:"onChanged"},data:{id:0,key:"",type:""},setup:function(e){this.$el=e,this.inherit(e),this.prop("ID"),this.prop("parent"),this.prop("menu_order")},$input:function(e){return s("#"+this.getInputId()+"-"+e)},$meta:function(){return this.$(".meta:first")},$handle:function(){return this.$(".handle:first")},$settings:function(){return this.$(".settings:first")},$setting:function(e){return this.$(".acf-field-settings:first > .acf-field-setting-"+e)},getParent:function(){return acf.getFieldObjects({child:this.$el,limit:1}).pop()},getParents:function(){return acf.getFieldObjects({child:this.$el})},getFields:function(){return acf.getFieldObjects({parent:this.$el})},getInputName:function(){return"acf_fields["+this.get("id")+"]"},getInputId:function(){return"acf_fields-"+this.get("id")},newInput:function(e,t){var i=this.getInputId(),n=this.getInputName();e&&(i+="-"+e,n+="["+e+"]");var a=s("<input />").attr({id:i,name:n,value:t});return this.$("> .meta").append(a),a},getProp:function(e){if(this.has(e))return this.get(e);var t=this.$input(e),i=t.length?t.val():null;return this.set(e,i,!0),i},setProp:function(e,t){var i=this.$input(e),n=i.val();return i.length||(i=this.newInput(e,t)),null===t?i.remove():i.val(t),this.has(e)?this.set(e,t):this.set(e,t,!0),this},prop:function(e,t){return t!==i?this.setProp(e,t):this.getProp(e)},props:function(t){Object.keys(t).map(function(e){this.setProp(e,t[e])},this)},getLabel:function(){var e=this.prop("label");return""===e&&(e=acf.__("(no label)")),e},getName:function(){return this.prop("name")},getType:function(){return this.prop("type")},getTypeLabel:function(){var e=this.prop("type"),t=acf.get("fieldTypes");return t[e]?t[e].label:e},getKey:function(){return this.prop("key")},initialize:function(){},render:function(){var e=this.$(".handle:first"),t=this.prop("menu_order"),i=this.getLabel(),n=this.prop("name"),a=this.getTypeLabel(),c=this.prop("key"),l=this.$input("required").prop("checked");e.find(".acf-icon").html(parseInt(t)+1),l&&(i+=' <span class="acf-required">*</span>'),e.find(".li-field-label strong a").html(i),e.find(".li-field-name").text(n),e.find(".li-field-type").text(a),e.find(".li-field-key").text(c),acf.doAction("render_field_object",this)},refresh:function(){acf.doAction("refresh_field_object",this)},isOpen:function(){return this.$el.hasClass("open")},onClickEdit:function(e){this.isOpen()?this.close():this.open()},open:function(){var e=this.$el.children(".settings");e.slideDown(),this.$el.addClass("open"),acf.doAction("open_field_object",this),this.trigger("openFieldObject"),acf.doAction("show",e)},close:function(){var e=this.$el.children(".settings");e.slideUp(),this.$el.removeClass("open"),acf.doAction("close_field_object",this),this.trigger("closeFieldObject"),acf.doAction("hide",e)},serialize:function(){return acf.serialize(this.$el,this.getInputName())},save:function(e){var t;e=e||"settings","settings"!==this.getProp("save")&&(this.setProp("save",e),this.$el.attr("data-save",e),acf.doAction("save_field_object",this,e))},submit:function(){var e=this.getInputName(),t=this.get("save");this.isOpen()&&this.close(),"settings"==t||("meta"==t?this.$('> .settings [name^="'+e+'"]').remove():this.$('[name^="'+e+'"]').remove()),acf.doAction("submit_field_object",this)},onChange:function(e,t){this.save(),acf.doAction("change_field_object",this)},onChanged:function(e,t,i,n){"save"!=i&&(-1<["menu_order","parent"].indexOf(i)?this.save("meta"):this.save(),-1<["menu_order","label","required","name","type","key"].indexOf(i)&&this.render(),acf.doAction("change_field_object_"+i,this,n))},onChangeLabel:function(e,t){var i=t.val();if(this.set("label",i),""==this.prop("name")){var n=acf.applyFilters("generate_field_object_name",acf.strSanitize(i),this);this.prop("name",n)}},onChangeName:function(e,t){var i=t.val();this.set("name",i),"field_"===i.substr(0,6)&&alert(acf.__('The string "field_" may not be used at the start of a field name'))},onChangeRequired:function(e,t){var i=t.prop("checked")?1:0;this.set("required",i)},delete:function(e){e=acf.parseArgs(e,{animate:!0});var t=this.prop("ID");if(t){var i=s("#_acf_delete_fields"),n=i.val()+"|"+t;i.val(n)}acf.doAction("delete_field_object",this),e.animate?this.removeAnimate():this.remove()},onClickDelete:function(e,t){this.$el.addClass("-hover");var i=this,n=acf.newTooltip({confirmRemove:!0,target:t,confirm:function(){i.delete(!0)},cancel:function(){i.$el.removeClass("-hover")}})},removeAnimate:function(){var e=this,t=this.$el.parent(),i=acf.findFieldObjects({sibling:this.$el});acf.remove({target:this.$el,endHeight:i.length?0:50,complete:function(){e.remove(),acf.doAction("removed_field_object",e,t)}}),acf.doAction("remove_field_object",e,t)},duplicate:function(){var e=acf.uniqid("field_"),t=acf.duplicate({target:this.$el,search:this.get("id"),replace:e});t.attr("data-key",e);var i=acf.getFieldObject(t);this.isOpen()?this.close():i.open();var n=i.$setting("label input");setTimeout(function(){n.focus()},251);var a=i.prop("label"),c=i.prop("name"),l=c.split("_").pop(),o=acf.__("copy");if(s.isNumeric(l)){var r=1*l+1;a=a.replace(l,r),c=c.replace(l,r)}else if(0===l.indexOf(o)){var r;r=(r=1*l.replace(o,""))?r+1:2,a=a.replace(l,o+r),c=c.replace(l,o+r)}else a+=" ("+o+")",c+="_"+o;i.prop("ID",0),i.prop("label",a),i.prop("name",c),i.prop("key",e),acf.doAction("duplicate_field_object",this,i),acf.doAction("append_field_object",i)},wipe:function(){var e=this.get("id"),t=this.get("key"),i=acf.uniqid("field_");acf.rename({target:this.$el,search:e,replace:i}),this.set("id",i),this.set("prevId",e),this.set("prevKey",t),this.prop("key",i),this.prop("ID",0),this.$el.attr("data-key",i),this.$el.attr("data-id",i),acf.doAction("wipe_field_object",this)},move:function(){var t=function(e){return"settings"==e.get("save")},i=t(this);if(i||acf.getFieldObjects({parent:this.$el}).map(function(e){i=t(e)||e.changed}),i)alert(acf.__("This field cannot be moved until its changes have been saved"));else{var n=this.prop("ID"),a=this,c=!1,e=function(){c=acf.newPopup({title:acf.__("Move Custom Field"),loading:!0,width:"300px"});var e={action:"acf/field_group/move_field",field_id:n};s.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(e),type:"post",dataType:"html",success:l})},l=function(e){c.loading(!1),c.content(e),c.on("submit","form",o)},o=function(e,t){e.preventDefault(),acf.startButtonLoading(c.$(".button"));var i={action:"acf/field_group/move_field",field_id:n,field_group_id:c.$("select").val()};s.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(i),type:"post",dataType:"html",success:r})},r=function(e){c.content(e),a.removeAnimate()};e()}},onChangeType:function(e,t){this.changeTimeout&&clearTimeout(this.changeTimeout),this.changeTimeout=this.setTimeout(function(){this.changeType(t.val())},300)},changeType:function(e){var t=this.prop("type"),i=acf.strSlugify("acf-field-object-"+t),n=acf.strSlugify("acf-field-object-"+e);this.$el.removeClass(i).addClass(n),this.$el.attr("data-type",e),this.$el.data("type",e),this.has("xhr")&&this.get("xhr").abort();var a=this.$("> .settings > table > tbody"),c=a.children('[data-setting="'+t+'"]');if(this.set("settings-"+t,c),c.detach(),this.has("settings-"+e)){var l=this.get("settings-"+e);return this.$setting("conditional_logic").before(l),void this.set("type",e)}var o=s('<tr class="acf-field"><td class="acf-label"></td><td class="acf-input"><div class="acf-loading"></div></td></tr>');this.$setting("conditional_logic").before(o);var r={action:"acf/field_group/render_field_settings",field:this.serialize(),prefix:this.getInputName()},d=s.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(r),type:"post",dataType:"html",context:this,success:function(e){e&&(o.after(e),acf.doAction("append",a))},complete:function(){o.remove(),this.set("type",e)}});this.set("xhr",d)},updateParent:function(){var e=acf.get("post_id"),t=this.getParent();t&&(e=parseInt(t.prop("ID"))||t.prop("key")),this.prop("parent",e)}})}(jQuery),function(i,e){var l=function(e){return acf.strPascalCase(e||"")+"FieldSetting"};acf.registerFieldSetting=function(e){var t=e.prototype,i=l(t.type+" "+t.name);this.models[i]=e},acf.newFieldSetting=function(e){var t=e.get("setting")||"",i=e.get("name")||"",n=l(t+" "+i),a=acf.models[n]||null,c;return null!==a&&new a(e)},acf.getFieldSetting=function(e){return e instanceof jQuery&&(e=acf.getField(e)),e.setting};var t=new acf.Model({actions:{new_field:"onNewField"},onNewField:function(e){e.setting=acf.newFieldSetting(e)}});acf.FieldSetting=acf.Model.extend({field:!1,type:"",name:"",wait:"ready",eventScope:".acf-field",events:{change:"render"},setup:function(e){var t=e.$el;this.$el=t,this.field=e,this.$fieldObject=t.closest(".acf-field-object"),this.fieldObject=acf.getFieldObject(this.$fieldObject),i.extend(this.data,e.data)},initialize:function(){this.render()},render:function(){}});var n=acf.FieldSetting.extend({type:"",name:"",render:function(){var e=this.$('input[type="radio"]:checked');"other"!=e.val()&&this.$('input[type="text"]').val(e.val())}}),a=n.extend({type:"date_picker",name:"display_format"}),c=n.extend({type:"date_picker",name:"return_format"});acf.registerFieldSetting(a),acf.registerFieldSetting(c);var o=n.extend({type:"date_time_picker",name:"display_format"}),r=n.extend({type:"date_time_picker",name:"return_format"});acf.registerFieldSetting(o),acf.registerFieldSetting(r);var d=n.extend({type:"time_picker",name:"display_format"}),s=n.extend({name:"time_picker",name:"return_format"});acf.registerFieldSetting(d),acf.registerFieldSetting(s)}(jQuery),function(d,e){var t=acf.FieldSetting.extend({type:"",name:"conditional_logic",events:{"change .conditions-toggle":"onChangeToggle","click .add-conditional-group":"onClickAddGroup","focus .condition-rule-field":"onFocusField","change .condition-rule-field":"onChangeField","change .condition-rule-operator":"onChangeOperator","click .add-conditional-rule":"onClickAdd","click .remove-conditional-rule":"onClickRemove"},$rule:!1,scope:function(e){return this.$rule=e,this},ruleData:function(e,t){return this.$rule.data.apply(this.$rule,arguments)},$input:function(e){return this.$rule.find(".condition-rule-"+e)},$td:function(e){return this.$rule.find("td."+e)},$toggle:function(){return this.$(".conditions-toggle")},$control:function(){return this.$(".rule-groups")},$groups:function(){return this.$(".rule-group")},$rules:function(){return this.$(".rule")},open:function(){var e=this.$control();e.show(),acf.enable(e)},close:function(){var e=this.$control();e.hide(),acf.disable(e)},render:function(){this.$toggle().prop("checked")?(this.renderRules(),this.open()):this.close()},renderRules:function(){var e=this;this.$rules().each(function(){e.renderRule(d(this))})},renderRule:function(e){this.scope(e),this.renderField(),this.renderOperator(),this.renderValue()},renderField:function(){var a=[],e=[],c=this.fieldObject.cid,t=this.$input("field");acf.getFieldObjects().map(function(e){var t={id:e.getKey(),text:e.getLabel()},i;e.cid===c&&(t.text+=acf.__("(this field)"),t.disabled=!0),acf.getConditionTypes({fieldType:e.getType()}).length||(t.disabled=!0);var n=e.getParents().length;t.text="- ".repeat(n)+t.text,a.push(t)}),a.length||a.push({id:"",text:acf.__("No toggle fields available")}),acf.renderSelect(t,a),this.ruleData("field",t.val())},renderOperator:function(){if(this.ruleData("field")){var e=this.$input("operator"),t=e.val(),i=[];null===e.val()&&acf.renderSelect(e,[{id:this.ruleData("operator"),text:""}]);var n=acf.findFieldObject(this.ruleData("field")),a=acf.getFieldObject(n),c;acf.getConditionTypes({fieldType:a.getType()}).map(function(e){i.push({id:e.prototype.operator,text:acf.strEscape(e.prototype.label)})}),acf.renderSelect(e,i),this.ruleData("operator",e.val())}},renderValue:function(){if(this.ruleData("field")&&this.ruleData("operator")){var t=this.$input("value"),e=this.$td("value"),i=t.val(),n=acf.findFieldObject(this.ruleData("field")),a=acf.getFieldObject(n),c,l,o=acf.getConditionTypes({fieldType:a.getType(),operator:this.ruleData("operator")})[0].prototype.choices(a);if(o instanceof Array){var r=d("<select></select>");acf.renderSelect(r,o)}else var r=d(o);t.detach(),e.html(r),setTimeout(function(){["class","name","id"].map(function(e){r.attr(e,t.attr(e))})},0),r.prop("disabled")||acf.val(r,i,!0),this.ruleData("value",r.val())}},onChangeToggle:function(){this.render()},onClickAddGroup:function(e,t){this.addGroup()},addGroup:function(){var e=this.$(".rule-group:last"),t=acf.duplicate(e);t.find("h4").text(acf.__("or")),t.find("tr").not(":first").remove(),this.fieldObject.save()},onFocusField:function(e,t){this.renderField()},onChangeField:function(e,t){this.scope(t.closest(".rule")),this.ruleData("field",t.val()),this.renderOperator(),this.renderValue()},onChangeOperator:function(e,t){this.scope(t.closest(".rule")),this.ruleData("operator",t.val()),this.renderValue()},onClickAdd:function(e,t){var i=acf.duplicate(t.closest(".rule"));this.renderRule(i)},onClickRemove:function(e,t){var i=t.closest(".rule");this.fieldObject.save(),0==i.siblings(".rule").length&&i.closest(".rule-group").remove(),i.remove()}});acf.registerFieldSetting(t);var i=new acf.Model({actions:{duplicate_field_objects:"onDuplicateFieldObjects"},onDuplicateFieldObjects:function(e,t,i){var n={},a=d();e.map(function(e){n[e.get("prevKey")]=e.get("key"),a=a.add(e.$(".condition-rule-field"))}),a.each(function(){var e=d(this),t=e.val();t&&n[t]&&(e.find("option:selected").attr("value",n[t]),e.val(n[t]))})}})}(jQuery),function(r,e){acf.findFieldObject=function(e){return acf.findFieldObjects({key:e,limit:1})},acf.findFieldObjects=function(e){e=e||{};var t=".acf-field-object",i=!1;return(e=acf.parseArgs(e,{id:"",key:"",type:"",limit:!1,list:null,parent:!1,sibling:!1,child:!1})).id&&(t+='[data-id="'+e.id+'"]'),e.key&&(t+='[data-key="'+e.key+'"]'),e.type&&(t+='[data-type="'+e.type+'"]'),i=e.list?e.list.children(t):e.parent?e.parent.find(t):e.sibling?e.sibling.siblings(t):e.child?e.child.parents(t):r(t),e.limit&&(i=i.slice(0,e.limit)),i},acf.getFieldObject=function(e){"string"==typeof e&&(e=acf.findFieldObject(e));var t=e.data("acf");return t||(t=acf.newFieldObject(e)),t},acf.getFieldObjects=function(e){var t=acf.findFieldObjects(e),i=[];return t.each(function(){var e=acf.getFieldObject(r(this));i.push(e)}),i},acf.newFieldObject=function(e){var t=new acf.FieldObject(e);return acf.doAction("new_field_object",t),t};var t=new acf.Model({priority:5,initialize:function(){var e;["prepare","ready","append","remove"].map(function(e){this.addFieldActions(e)},this)},addFieldActions:function(e){var n=e+"_field_objects",a=e+"_field_object",c=e+"FieldObject",t=function(e){var t=acf.getFieldObjects({parent:e});if(t.length){var i=acf.arrayArgs(arguments);i.splice(0,1,n,t),acf.doAction.apply(null,i)}},i=function(e){var t=acf.arrayArgs(arguments);t.unshift(a),e.map(function(e){t[1]=e,acf.doAction.apply(null,t)})},l=function(t){var i=acf.arrayArgs(arguments),e;i.unshift(a),["type","name","key"].map(function(e){i[0]=a+"/"+e+"="+t.get(e),acf.doAction.apply(null,i)}),i.splice(0,2),t.trigger(c,i)};acf.addAction(e,t,5),acf.addAction(n,i,5),acf.addAction(a,l,5)}}),i=new acf.Model({id:"fieldManager",events:{"submit #post":"onSubmit","mouseenter .acf-field-list":"onHoverSortable","click .add-field":"onClickAdd"},actions:{removed_field_object:"onRemovedField",sortstop_field_object:"onReorderField",delete_field_object:"onDeleteField",change_field_object_type:"onChangeFieldType",duplicate_field_object:"onDuplicateField"},onSubmit:function(e,t){var i;acf.getFieldObjects().map(function(e){e.submit()})},setFieldMenuOrder:function(e){this.renderFields(e.$el.parent())},onHoverSortable:function(e,n){n.hasClass("ui-sortable")||n.sortable({handle:".acf-sortable-handle",connectWith:".acf-field-list",start:function(e,t){var i=acf.getFieldObject(t.item);t.placeholder.height(t.item.height()),acf.doAction("sortstart_field_object",i,n)},update:function(e,t){var i=acf.getFieldObject(t.item);acf.doAction("sortstop_field_object",i,n)}})},onRemovedField:function(e,t){this.renderFields(t)},onReorderField:function(e,t){e.updateParent(),this.renderFields(t)},onDeleteField:function(e){e.getFields().map(function(e){e.delete({animate:!1})})},onChangeFieldType:function(e){},onDuplicateField:function(e,t){var i=t.getFields();i.length&&(i.map(function(e){e.wipe(),e.updateParent()}),acf.doAction("duplicate_field_objects",i,t,e)),this.setFieldMenuOrder(t)},renderFields:function(e){var t=acf.getFieldObjects({list:e});t.length?(e.removeClass("-empty"),t.map(function(e,t){e.prop("menu_order",t)})):e.addClass("-empty")},onClickAdd:function(e,t){var i=t.closest(".acf-tfoot").siblings(".acf-field-list");this.addField(i)},addField:function(i){var e=r("#tmpl-acf-field").html(),t=r(e),n=t.data("id"),a=acf.uniqid("field_"),c=acf.duplicate({target:t,search:n,replace:a,append:function(e,t){i.append(t)}}),l=acf.getFieldObject(c);l.prop("key",a),l.prop("ID",0),l.prop("label",""),l.prop("name",""),c.attr("data-key",a),c.attr("data-id",a),l.updateParent();var o=l.$input("label");setTimeout(function(){o.focus()},251),l.open(),this.renderFields(i),acf.doAction("add_field_object",l),acf.doAction("append_field_object",l)}})}(jQuery),function(a,e){var t=new acf.Model({id:"locationManager",wait:"ready",events:{"click .add-location-rule":"onClickAddRule","click .add-location-group":"onClickAddGroup","click .remove-location-rule":"onClickRemoveRule","change .refresh-location-rule":"onChangeRemoveRule"},initialize:function(){this.$el=a("#acf-field-group-locations")},onClickAddRule:function(e,t){this.addRule(t.closest("tr"))},onClickRemoveRule:function(e,t){this.removeRule(t.closest("tr"))},onChangeRemoveRule:function(e,t){this.changeRule(t.closest("tr"))},onClickAddGroup:function(e,t){this.addGroup()},addRule:function(e){acf.duplicate(e)},removeRule:function(e){0==e.siblings("tr").length?e.closest(".rule-group").remove():e.remove()},changeRule:function(t){var e=t.closest(".rule-group"),i=t.find("td.param select").attr("name").replace("[param]",""),n={action:"acf/field_group/render_location_rule"};n.rule=acf.serialize(t,i),n.rule.id=t.data("id"),n.rule.group=e.data("id"),acf.disable(t.find("td.value")),a.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(n),type:"post",dataType:"html",success:function(e){e&&t.replaceWith(e)}})},addGroup:function(){var e=this.$(".rule-group:last");$group2=acf.duplicate(e),$group2.find("h4").text(acf.__("or")),$group2.find("tr").not(":first").remove()}})}(jQuery),function(l,i){var e=acf.getCompatibility(acf);e.field_group={save_field:function(e,t){t=t!==i?t:"settings",acf.getFieldObject(e).save(t)},delete_field:function(e,t){t=t===i||t,acf.getFieldObject(e).delete({animate:t})},update_field_meta:function(e,t,i){acf.getFieldObject(e).prop(t,i)},delete_field_meta:function(e,t){acf.getFieldObject(e).prop(t,null)}},e.field_group.field_object=acf.model.extend({type:"",o:{},$field:null,$settings:null,tag:function(e){var t=this.type,i=e.split("_");return i.splice(1,0,"field"),e=i.join("_"),t&&(e+="/type="+t),e},selector:function(){var e=".acf-field-object",t=this.type;return t&&(e+="-"+t,e=acf.str_replace("_","-",e)),e},_add_action:function(e,t){var i=this;acf.add_action(this.tag(e),function(e){i.set("$field",e),i[t].apply(i,arguments)})},_add_filter:function(e,t){var i=this;acf.add_filter(this.tag(e),function(e){i.set("$field",e),i[t].apply(i,arguments)})},_add_event:function(e,t){var i=this,n=e.substr(0,e.indexOf(" ")),a=e.substr(e.indexOf(" ")+1),c=this.selector();l(document).on(n,c+" "+a,function(e){e.$el=l(this),e.$field=e.$el.closest(".acf-field-object"),i.set("$field",e.$field),i[t].apply(i,[e])})},_set_$field:function(){this.o=this.$field.data(),this.$settings=this.$field.find("> .settings > table > tbody"),this.focus()},focus:function(){},setting:function(e){return this.$settings.find("> .acf-field-setting-"+e)}});var t=new acf.Model({actions:{open_field_object:"onOpenFieldObject",close_field_object:"onCloseFieldObject",add_field_object:"onAddFieldObject",duplicate_field_object:"onDuplicateFieldObject",delete_field_object:"onDeleteFieldObject",change_field_object_type:"onChangeFieldObjectType",change_field_object_label:"onChangeFieldObjectLabel",change_field_object_name:"onChangeFieldObjectName",change_field_object_parent:"onChangeFieldObjectParent",sortstop_field_object:"onChangeFieldObjectParent"},onOpenFieldObject:function(e){acf.doAction("open_field",e.$el),acf.doAction("open_field/type="+e.get("type"),e.$el),acf.doAction("render_field_settings",e.$el),acf.doAction("render_field_settings/type="+e.get("type"),e.$el)},onCloseFieldObject:function(e){acf.doAction("close_field",e.$el),acf.doAction("close_field/type="+e.get("type"),e.$el)},onAddFieldObject:function(e){acf.doAction("add_field",e.$el),acf.doAction("add_field/type="+e.get("type"),e.$el)},onDuplicateFieldObject:function(e){acf.doAction("duplicate_field",e.$el),acf.doAction("duplicate_field/type="+e.get("type"),e.$el)},onDeleteFieldObject:function(e){acf.doAction("delete_field",e.$el),acf.doAction("delete_field/type="+e.get("type"),e.$el)},onChangeFieldObjectType:function(e){acf.doAction("change_field_type",e.$el),acf.doAction("change_field_type/type="+e.get("type"),e.$el),acf.doAction("render_field_settings",e.$el),acf.doAction("render_field_settings/type="+e.get("type"),e.$el)},onChangeFieldObjectLabel:function(e){acf.doAction("change_field_label",e.$el),acf.doAction("change_field_label/type="+e.get("type"),e.$el)},onChangeFieldObjectName:function(e){acf.doAction("change_field_name",e.$el),acf.doAction("change_field_name/type="+e.get("type"),e.$el)},onChangeFieldObjectParent:function(e){acf.doAction("update_field_parent",e.$el)}})}(jQuery);PK�
�[$����assets/js/acf-input.min.jsnu�[���!function(t,e){var i={};window.acf=i,i.data={},i.get=function(t){return this.data[t]||null},i.has=function(t){return null!==this.get(t)},i.set=function(t,e){return this.data[t]=e,this};var n=0;i.uniqueId=function(t){var e=++n+"";return t?t+e:e},i.uniqueArray=function(t){function e(t,e,i){return i.indexOf(t)===e}return t.filter(e)};var a="";i.uniqid=function(t,e){var i;void 0===t&&(t="");var n=function(t,e){return e<(t=parseInt(t,10).toString(16)).length?t.slice(t.length-e):e>t.length?Array(e-t.length+1).join("0")+t:t};return a||(a=Math.floor(123456789*Math.random())),a++,i=t,i+=n(parseInt((new Date).getTime()/1e3,10),8),i+=n(a,5),e&&(i+=(10*Math.random()).toFixed(8).toString()),i},i.strReplace=function(t,e,i){return i.split(t).join(e)},i.strCamelCase=function(t){return t=(t=t.replace(/[_-]/g," ")).replace(/(?:^\w|\b\w|\s+)/g,(function(t,e){return 0==+t?"":0==e?t.toLowerCase():t.toUpperCase()}))},i.strPascalCase=function(t){var e=i.strCamelCase(t);return e.charAt(0).toUpperCase()+e.slice(1)},i.strSlugify=function(t){return i.strReplace("_","-",t.toLowerCase())},i.strSanitize=function(t){var e={"À":"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,n=function(t){return void 0!==e[t]?e[t]:t};return t=(t=t.replace(i,n)).toLowerCase()},i.strMatch=function(t,e){for(var i=0,n=Math.min(t.length,e.length),a=0;a<n&&t[a]===e[a];a++)i++;return i},i.decode=function(e){return t("<textarea/>").html(e).text()},i.strEscape=function(e){return t("<div>").text(e).html()},i.parseArgs=function(e,i){return"object"!=typeof e&&(e={}),"object"!=typeof i&&(i={}),t.extend({},i,e)},null==window.acfL10n&&(acfL10n={}),i.__=function(t){return acfL10n[t]||t},i._x=function(t,e){return acfL10n[t+"."+e]||acfL10n[t]||t},i._n=function(t,e,n){return 1==n?i.__(t):i.__(e)},i.isArray=function(t){return Array.isArray(t)},i.isObject=function(t){return"object"==typeof t};var r=function(t,e,n){var a=(e=e.replace("[]","[%%index%%]")).match(/([^\[\]])+/g);if(a)for(var r=a.length,o=t,s=0;s<r;s++){var c=String(a[s]);s==r-1?"%%index%%"===c?o.push(n):o[c]=n:("%%index%%"===a[s+1]?i.isArray(o[c])||(o[c]=[]):i.isObject(o[c])||(o[c]={}),o=o[c])}};i.serialize=function(t,e){var n={},a=i.serializeArray(t);void 0!==e&&(a=a.filter((function(t){return 0===t.name.indexOf(e)})).map((function(t){return t.name=t.name.slice(e.length),t})));for(var o=0;o<a.length;o++)r(n,a[o].name,a[o].value);return n},i.serializeArray=function(t){return t.find("select, textarea, input").serializeArray()},i.serializeForAjax=function(t){var e={},n;return i.serializeArray(t).map((function(t){"[]"===t.name.slice(-2)?(e[t.name]=e[t.name]||[],e[t.name].push(t.value)):e[t.name]=t.value})),e},i.addAction=function(t,e,n,a){return i.hooks.addAction.apply(this,arguments),this},i.removeAction=function(t,e){return i.hooks.removeAction.apply(this,arguments),this};var o={};i.doAction=function(t){return o[t]=1,i.hooks.doAction.apply(this,arguments),o[t]=0,this},i.doingAction=function(t){return 1===o[t]},i.didAction=function(t){return void 0!==o[t]},i.currentAction=function(){for(var t in o)if(o[t])return t;return!1},i.addFilter=function(t){return i.hooks.addFilter.apply(this,arguments),this},i.removeFilter=function(t){return i.hooks.removeFilter.apply(this,arguments),this},i.applyFilters=function(t){return i.hooks.applyFilters.apply(this,arguments)},i.arrayArgs=function(t){return Array.prototype.slice.call(t)};try{var s=JSON.parse(localStorage.getItem("acf"))||{}}catch(t){var s={}}var c=function(t){return"this."===t.substr(0,5)&&(t=t.substr(5)+"-"+i.get("post_id")),t};i.getPreference=function(t){return t=c(t),s[t]||null},i.setPreference=function(t,e){t=c(t),null===e?delete s[t]:s[t]=e,localStorage.setItem("acf",JSON.stringify(s))},i.removePreference=function(t){i.setPreference(t,null)},i.remove=function(t){t instanceof jQuery&&(t={target:t}),t=i.parseArgs(t,{target:!1,endHeight:0,complete:function(){}}),i.doAction("remove",t.target),t.target.is("tr")?u(t):l(t)};var l=function(t){var e=t.target,i=e.height(),n=e.width(),a=e.css("margin"),r=e.outerHeight(!0),o=e.attr("style")+"";e.wrap('<div class="acf-temp-remove" style="height:'+r+'px"></div>');var s=e.parent();e.css({height:i,width:n,margin:a,position:"absolute"}),setTimeout((function(){s.css({opacity:0,height:t.endHeight})}),50),setTimeout((function(){e.attr("style",o),s.remove(),t.complete()}),301)},u=function(e){var i=e.target,n=i.height(),a=i.children().length,r=t('<td class="acf-temp-remove" style="padding:0; height:'+n+'px" colspan="'+a+'"></td>');i.addClass("acf-remove-element"),setTimeout((function(){i.html(r)}),251),setTimeout((function(){i.removeClass("acf-remove-element"),r.css({height:e.endHeight})}),300),setTimeout((function(){i.remove(),e.complete()}),451)};i.duplicate=function(t){t instanceof jQuery&&(t={target:t});var e=0;(t=i.parseArgs(t,{target:!1,search:"",replace:"",before:function(t){},after:function(t,e){},append:function(t,i){t.after(i),e=1}})).target=t.target||t.$el;var n=t.target;t.search=t.search||n.attr("data-id"),t.replace=t.replace||i.uniqid(),t.before(n),i.doAction("before_duplicate",n);var a=n.clone();return i.rename({target:a,search:t.search,replace:t.replace}),a.removeClass("acf-clone"),a.find(".ui-sortable").removeClass("ui-sortable"),t.after(n,a),i.doAction("after_duplicate",n,a),t.append(n,a),i.doAction("duplicate",n,a),i.doAction("append",a),a},i.rename=function(t){t instanceof jQuery&&(t={target:t});var e=(t=i.parseArgs(t,{target:!1,destructive:!1,search:"",replace:""})).target,n=t.search||e.attr("data-id"),a=t.replace||i.uniqid("acf"),r=function(t,e){return e.replace(n,a)};if(t.destructive){var o=e.outerHTML();o=i.strReplace(n,a,o),e.replaceWith(o)}else e.attr("data-id",a),e.find('[id*="'+n+'"]').attr("id",r),e.find('[for*="'+n+'"]').attr("for",r),e.find('[name*="'+n+'"]').attr("name",r);return e},i.prepareForAjax=function(t){return t.nonce=i.get("nonce"),t.post_id=i.get("post_id"),i.has("language")&&(t.lang=i.get("language")),t=i.applyFilters("prepare_for_ajax",t)},i.startButtonLoading=function(t){t.prop("disabled",!0),t.after(' <i class="acf-loading"></i>')},i.stopButtonLoading=function(t){t.prop("disabled",!1),t.next(".acf-loading").remove()},i.showLoading=function(t){t.append('<div class="acf-loading-overlay"><i class="acf-loading"></i></div>')},i.hideLoading=function(t){t.children(".acf-loading-overlay").remove()},i.updateUserSetting=function(e,n){var a={action:"acf/ajax/user_setting",name:e,value:n};t.ajax({url:i.get("ajaxurl"),data:i.prepareForAjax(a),type:"post",dataType:"html"})},i.val=function(t,e,i){var n=t.val();return e!==n&&(t.val(e),t.is("select")&&null===t.val()?(t.val(n),!1):(!0!==i&&t.trigger("change"),!0))},i.show=function(t,e){return e&&i.unlock(t,"hidden",e),!i.isLocked(t,"hidden")&&(!!t.hasClass("acf-hidden")&&(t.removeClass("acf-hidden"),!0))},i.hide=function(t,e){return e&&i.lock(t,"hidden",e),!t.hasClass("acf-hidden")&&(t.addClass("acf-hidden"),!0)},i.isHidden=function(t){return t.hasClass("acf-hidden")},i.isVisible=function(t){return!i.isHidden(t)};var d=function(t,e){return!t.hasClass("acf-disabled")&&(e&&i.unlock(t,"disabled",e),!i.isLocked(t,"disabled")&&(!!t.prop("disabled")&&(t.prop("disabled",!1),!0)))};i.enable=function(e,i){if(e.attr("name"))return d(e,i);var n=!1;return e.find("[name]").each((function(){var e;d(t(this),i)&&(n=!0)})),n};var f=function(t,e){return e&&i.lock(t,"disabled",e),!t.prop("disabled")&&(t.prop("disabled",!0),!0)};i.disable=function(e,i){if(e.attr("name"))return f(e,i);var n=!1;return e.find("[name]").each((function(){var e;f(t(this),i)&&(n=!0)})),n},i.isset=function(t){for(var e=1;e<arguments.length;e++){if(!t||!t.hasOwnProperty(arguments[e]))return!1;t=t[arguments[e]]}return!0},i.isget=function(t){for(var e=1;e<arguments.length;e++){if(!t||!t.hasOwnProperty(arguments[e]))return null;t=t[arguments[e]]}return t},i.getFileInputData=function(t,e){var n=t.val();if(!n)return!1;var a={url:n},r=i.isget(t[0],"files",0);if(r)if(a.size=r.size,a.type=r.type,r.type.indexOf("image")>-1){var o=window.URL||window.webkitURL,s=new Image;s.onload=function(){a.width=this.width,a.height=this.height,e(a)},s.src=o.createObjectURL(r)}else e(a);else e(a)},i.isAjaxSuccess=function(t){return t&&t.success},i.getAjaxMessage=function(t){return i.isget(t,"data","message")},i.getAjaxError=function(t){return i.isget(t,"data","error")},i.renderSelect=function(t,e){var n=t.val(),a=[],r=function(t){var e="";return t.map((function(t){var n=t.text||t.label||"",o=t.id||t.value||"";a.push(o),t.children?e+='<optgroup label="'+i.strEscape(n)+'">'+r(t.children)+"</optgroup>":e+='<option value="'+o+'"'+(t.disabled?' disabled="disabled"':"")+">"+i.strEscape(n)+"</option>"})),e};return t.html(r(e)),a.indexOf(n)>-1&&t.val(n),t.val()};var h=function(t,e){return t.data("acf-lock-"+e)||[]},p=function(t,e,i){t.data("acf-lock-"+e,i)},g,m,v,y,b,_;i.lock=function(t,e,i){var n=h(t,e),a;n.indexOf(i)<0&&(n.push(i),p(t,e,n))},i.unlock=function(t,e,i){var n=h(t,e),a=n.indexOf(i);return a>-1&&(n.splice(a,1),p(t,e,n)),0===n.length},i.isLocked=function(t,e){return h(t,e).length>0},i.isGutenberg=function(){return window.wp&&wp.data&&wp.data.select&&wp.data.select("core/editor")},i.objectToArray=function(t){return Object.keys(t).map((function(e){return t[e]}))},i.debounce=function(t,e){var i;return function(){var n=this,a=arguments,r=function(){t.apply(n,a)};clearTimeout(i),i=setTimeout(r,e)}},i.throttle=function(t,e){var i=!1;return function(){i||(i=!0,setTimeout((function(){i=!1}),e),t.apply(this,arguments))}},i.isInView=function(t){var e=t.getBoundingClientRect();return e.top!==e.bottom&&e.top>=0&&e.left>=0&&e.bottom<=(window.innerHeight||document.documentElement.clientHeight)&&e.right<=(window.innerWidth||document.documentElement.clientWidth)},i.onceInView=(g=[],m=0,v=function(){g.forEach((function(t){i.isInView(t.el)&&(t.callback.apply(this),_(t.id))}))},y=i.debounce(v,300),b=function(e,i){g.length||t(window).on("scroll resize",y).on("acfrefresh orientationchange",v),g.push({id:m++,el:e,callback:i})},_=function(e){(g=g.filter((function(t){return t.id!==e}))).length||t(window).off("scroll resize",y).off("acfrefresh orientationchange",v)},function(t,e){t instanceof jQuery&&(t=t[0]),i.isInView(t)?e.apply(this):b(t,e)}),i.once=function(t){var e=0;return function(){return e++>0?t=void 0:t.apply(this,arguments)}},t.fn.exists=function(){return t(this).length>0},t.fn.outerHTML=function(){return t(this).get(0).outerHTML},Array.prototype.indexOf||(Array.prototype.indexOf=function(e){return t.inArray(e,this)}),t(document).ready((function(){i.doAction("ready")})),t(window).on("load",(function(){i.doAction("load")})),t(window).on("beforeunload",(function(){i.doAction("unload")})),t(window).on("resize",(function(){i.doAction("resize")})),t(document).on("sortstart",(function(t,e){i.doAction("sortstart",e.item,e.placeholder)})),t(document).on("sortstop",(function(t,e){i.doAction("sortstop",e.item,e.placeholder)}))}(jQuery),function(t,e){"use strict";var i=function(){function t(){return f}function e(t,e,i,n){return"string"==typeof t&&"function"==typeof e&&c("actions",t,e,i=parseInt(i||10,10),n),d}function i(){var t=Array.prototype.slice.call(arguments),e=t.shift();return"string"==typeof e&&u("actions",e,t),d}function n(t,e){return"string"==typeof t&&s("actions",t,e),d}function a(t,e,i,n){return"string"==typeof t&&"function"==typeof e&&c("filters",t,e,i=parseInt(i||10,10),n),d}function r(){var t=Array.prototype.slice.call(arguments),e=t.shift();return"string"==typeof e?u("filters",e,t):d}function o(t,e){return"string"==typeof t&&s("filters",t,e),d}function s(t,e,i,n){if(f[t][e])if(i){var a=f[t][e],r;if(n)for(r=a.length;r--;){var o=a[r];o.callback===i&&o.context===n&&a.splice(r,1)}else for(r=a.length;r--;)a[r].callback===i&&a.splice(r,1)}else f[t][e]=[]}function c(t,e,i,n,a){var r={callback:i,priority:n,context:a},o=f[t][e];o?(o.push(r),o=l(o)):o=[r],f[t][e]=o}function l(t){for(var e,i,n,a=1,r=t.length;a<r;a++){for(e=t[a],i=a;(n=t[i-1])&&n.priority>e.priority;)t[i]=t[i-1],--i;t[i]=e}return t}function u(t,e,i){var n=f[t][e];if(!n)return"filters"===t&&i[0];var a=0,r=n.length;if("filters"===t)for(;a<r;a++)i[0]=n[a].callback.apply(n[a].context,i);else for(;a<r;a++)n[a].callback.apply(n[a].context,i);return"filters"!==t||i[0]}var d={removeFilter:o,applyFilters:r,addFilter:a,removeAction:n,doAction:i,addAction:e,storage:t},f={actions:{},filters:{}};return d};acf.hooks=new i}(window),function(t,e){var i=/^(\S+)\s*(.*)$/,n=function(e){var i=this,n;return n=e&&e.hasOwnProperty("constructor")?e.constructor:function(){return i.apply(this,arguments)},t.extend(n,i),n.prototype=Object.create(i.prototype),t.extend(n.prototype,e),n.prototype.constructor=n,n},a=acf.Model=function(){this.cid=acf.uniqueId("acf"),this.data=t.extend(!0,{},this.data),this.setup.apply(this,arguments),this.$el&&!this.$el.data("acf")&&this.$el.data("acf",this);var e=function(){this.initialize(),this.addEvents(),this.addActions(),this.addFilters()};this.wait&&!acf.didAction(this.wait)?this.addAction(this.wait,e):e.apply(this)};t.extend(a.prototype,{id:"",cid:"",$el:null,data:{},busy:!1,changed:!1,events:{},actions:{},filters:{},eventScope:"",wait:!1,priority:10,get:function(t){return this.data[t]},has:function(t){return null!=this.get(t)},set:function(t,e,i){var n=this.get(t);return n==e?this:(this.data[t]=e,i||(this.changed=!0,this.trigger("changed:"+t,[e,n]),this.trigger("changed",[t,e,n])),this)},inherit:function(e){return e instanceof jQuery&&(e=e.data()),t.extend(this.data,e),this},prop:function(){return this.$el.prop.apply(this.$el,arguments)},setup:function(e){t.extend(this,e)},initialize:function(){},addElements:function(t){if(!(t=t||this.elements||null)||!Object.keys(t).length)return!1;for(var e in t)this.addElement(e,t[e])},addElement:function(t,e){this["$"+t]=this.$(e)},addEvents:function(t){if(!(t=t||this.events||null))return!1;for(var e in t){var n=e.match(i);this.on(n[1],n[2],t[e])}},removeEvents:function(t){if(!(t=t||this.events||null))return!1;for(var e in t){var n=e.match(i);this.off(n[1],n[2],t[e])}},getEventTarget:function(e,i){return e||this.$el||t(document)},validateEvent:function(e){return!this.eventScope||t(e.target).closest(this.eventScope).is(this.$el)},proxyEvent:function(e){return this.proxy((function(i){if(this.validateEvent(i)){var n=acf.arrayArgs(arguments),a=n.slice(1),r=[i,t(i.currentTarget)].concat(a);e.apply(this,r)}}))},on:function(t,e,i,n){var a,r,o,s,c;t instanceof jQuery?n?(a=t,r=e,o=i,s=n):(a=t,r=e,s=i):i?(r=t,o=e,s=i):(r=t,s=e),a=this.getEventTarget(a),"string"==typeof s&&(s=this.proxyEvent(this[s])),r=r+"."+this.cid,c=o?[r,o,s]:[r,s],a.on.apply(a,c)},off:function(t,e,i){var n,a,r,o;t instanceof jQuery?i?(n=t,a=e,r=i):(n=t,a=e):e?(a=t,r=e):a=t,n=this.getEventTarget(n),a=a+"."+this.cid,o=r?[a,r]:[a],n.off.apply(n,o)},trigger:function(t,e,i){var n=this.getEventTarget();return i?n.trigger.apply(n,arguments):n.triggerHandler.apply(n,arguments),this},addActions:function(t){if(!(t=t||this.actions||null))return!1;for(var e in t)this.addAction(e,t[e])},removeActions:function(t){if(!(t=t||this.actions||null))return!1;for(var e in t)this.removeAction(e,t[e])},addAction:function(t,e,i){i=i||this.priority,"string"==typeof e&&(e=this[e]),acf.addAction(t,e,i,this)},removeAction:function(t,e){acf.removeAction(t,this[e])},addFilters:function(t){if(!(t=t||this.filters||null))return!1;for(var e in t)this.addFilter(e,t[e])},addFilter:function(t,e,i){i=i||this.priority,"string"==typeof e&&(e=this[e]),acf.addFilter(t,e,i,this)},removeFilters:function(t){if(!(t=t||this.filters||null))return!1;for(var e in t)this.removeFilter(e,t[e])},removeFilter:function(t,e){acf.removeFilter(t,this[e])},$:function(t){return this.$el.find(t)},remove:function(){this.removeEvents(),this.removeActions(),this.removeFilters(),this.$el.remove()},setTimeout:function(t,e){return setTimeout(this.proxy(t),e)},time:function(){console.time(this.id||this.cid)},timeEnd:function(){console.timeEnd(this.id||this.cid)},show:function(){acf.show(this.$el)},hide:function(){acf.hide(this.$el)},proxy:function(e){return t.proxy(e,this)}}),a.extend=n,acf.models={},acf.getInstance=function(t){return t.data("acf")},acf.getInstances=function(e){var i=[];return e.each((function(){i.push(acf.getInstance(t(this)))})),i}}(jQuery),function(t,e){acf.models.Popup=acf.Model.extend({data:{title:"",content:"",width:0,height:0,loading:!1},events:{'click [data-event="close"]':"onClickClose","click .acf-close-popup":"onClickClose"},setup:function(e){t.extend(this.data,e),this.$el=t(this.tmpl())},initialize:function(){this.render(),this.open()},tmpl:function(){return['<div id="acf-popup">','<div class="acf-popup-box acf-box">','<div class="title"><h3></h3><a href="#" class="acf-icon -cancel grey" data-event="close"></a></div>','<div class="inner"></div>','<div class="loading"><i class="acf-loading"></i></div>',"</div>",'<div class="bg" data-event="close"></div>',"</div>"].join("")},render:function(){var t=this.get("title"),e=this.get("content"),i=this.get("loading"),n=this.get("width"),a=this.get("height");this.title(t),this.content(e),n&&this.$(".acf-popup-box").css("width",n),a&&this.$(".acf-popup-box").css("min-height",a),this.loading(i),acf.doAction("append",this.$el)},update:function(t){this.data=acf.parseArgs(t,this.data),this.render()},title:function(t){this.$(".title:first h3").html(t)},content:function(t){this.$(".inner:first").html(t)},loading:function(t){var e=this.$(".loading:first");t?e.show():e.hide()},open:function(){t("body").append(this.$el)},close:function(){this.remove()},onClickClose:function(t,e){t.preventDefault(),this.close()}}),acf.newPopup=function(t){return new acf.models.Popup(t)}}(jQuery),function(t,e){acf.unload=new acf.Model({wait:"load",active:!0,changed:!1,actions:{validation_failure:"startListening",validation_success:"stopListening"},events:{"change form .acf-field":"startListening","submit form":"stopListening"},enable:function(){this.active=!0},disable:function(){this.active=!1},reset:function(){this.stopListening()},startListening:function(){!this.changed&&this.active&&(this.changed=!0,t(window).on("beforeunload",this.onUnload))},stopListening:function(){this.changed=!1,t(window).off("beforeunload",this.onUnload)},onUnload:function(){return acf.__("The changes you made will be lost if you navigate away from this page")}})}(jQuery),function(t,e){var i=new acf.Model({events:{"click .acf-panel-title":"onClick"},onClick:function(t,e){t.preventDefault(),this.toggle(e.parent())},isOpen:function(t){return t.hasClass("-open")},toggle:function(t){this.isOpen(t)?this.close(t):this.open(t)},open:function(t){t.addClass("-open"),t.find(".acf-panel-title i").attr("class","dashicons dashicons-arrow-down")},close:function(t){t.removeClass("-open"),t.find(".acf-panel-title i").attr("class","dashicons dashicons-arrow-right")}})}(jQuery),function(t,e){var i=acf.Model.extend({data:{text:"",type:"",timeout:0,dismiss:!0,target:!1,close:function(){}},events:{"click .acf-notice-dismiss":"onClickClose"},tmpl:function(){return'<div class="acf-notice"></div>'},setup:function(e){t.extend(this.data,e),this.$el=t(this.tmpl())},initialize:function(){this.render(),this.show()},render:function(){this.type(this.get("type")),this.html("<p>"+this.get("text")+"</p>"),this.get("dismiss")&&(this.$el.append('<a href="#" class="acf-notice-dismiss acf-icon -cancel small"></a>'),this.$el.addClass("-dismiss"));var t=this.get("timeout");t&&this.away(t)},update:function(e){t.extend(this.data,e),this.initialize(),this.removeEvents(),this.addEvents()},show:function(){var t=this.get("target");t&&t.prepend(this.$el)},hide:function(){this.$el.remove()},away:function(t){this.setTimeout((function(){acf.remove(this.$el)}),t)},type:function(t){var e=this.get("type");e&&this.$el.removeClass("-"+e),this.$el.addClass("-"+t),"error"==t&&this.$el.addClass("acf-error-message")},html:function(t){this.$el.html(t)},text:function(t){this.$("p").html(t)},onClickClose:function(t,e){t.preventDefault(),this.get("close").apply(this,arguments),this.remove()}});acf.newNotice=function(t){return"object"!=typeof t&&(t={text:t}),new i(t)};var n=new acf.Model({wait:"prepare",priority:1,initialize:function(){var e=t(".acf-admin-notice");e.length&&t("h1:first").after(e)}})}(jQuery),function(t,e){var i=new acf.Model({wait:"prepare",priority:1,initialize:function(){(acf.get("postboxes")||[]).map(acf.newPostbox)}});acf.getPostbox=function(e){return"string"==typeof e&&(e=t("#"+e)),acf.getInstance(e)},acf.getPostboxes=function(){return acf.getInstances(t(".acf-postbox"))},acf.newPostbox=function(t){return new acf.models.Postbox(t)},acf.models.Postbox=acf.Model.extend({data:{id:"",key:"",style:"default",label:"top",edit:""},setup:function(e){e.editLink&&(e.edit=e.editLink),t.extend(this.data,e),this.$el=this.$postbox()},$postbox:function(){return t("#"+this.get("id"))},$hide:function(){return t("#"+this.get("id")+"-hide")},$hideLabel:function(){return this.$hide().parent()},$hndle:function(){return this.$("> .hndle")},$inside:function(){return this.$("> .inside")},isVisible:function(){return this.$el.hasClass("acf-hidden")},initialize:function(){if(this.$el.addClass("acf-postbox"),this.$el.removeClass("hide-if-js"),"block"!==acf.get("editor")){var t=this.get("style");"default"!==t&&this.$el.addClass(t)}this.$inside().addClass("acf-fields").addClass("-"+this.get("label"));var e=this.get("edit");e&&this.$hndle().append('<a href="'+e+'" class="dashicons dashicons-admin-generic acf-hndle-cog acf-js-tooltip" title="'+acf.__("Edit field group")+'"></a>'),this.show()},show:function(){this.$hideLabel().show(),this.$hide().prop("checked",!0),this.$el.show().removeClass("acf-hidden"),acf.doAction("show_postbox",this)},enable:function(){acf.enable(this.$el,"postbox")},showEnable:function(){this.enable(),this.show()},hide:function(){this.$hideLabel().hide(),this.$el.hide().addClass("acf-hidden"),acf.doAction("hide_postbox",this)},disable:function(){acf.disable(this.$el,"postbox")},hideDisable:function(){this.disable(),this.hide()},html:function(t){this.$inside().html(t),acf.doAction("append",this.$el)}})}(jQuery),function(t,e){acf.newTooltip=function(t){return"object"!=typeof t&&(t={text:t}),void 0!==t.confirmRemove?(t.textConfirm=acf.__("Remove"),t.textCancel=acf.__("Cancel"),new n(t)):void 0!==t.confirm?new n(t):new i(t)};var i=acf.Model.extend({data:{text:"",timeout:0,target:null},tmpl:function(){return'<div class="acf-tooltip"></div>'},setup:function(e){t.extend(this.data,e),this.$el=t(this.tmpl())},initialize:function(){this.render(),this.show(),this.position();var e=this.get("timeout");e&&setTimeout(t.proxy(this.fade,this),e)},update:function(e){t.extend(this.data,e),this.initialize()},render:function(){this.html(this.get("text"))},show:function(){t("body").append(this.$el)},hide:function(){this.$el.remove()},fade:function(){this.$el.addClass("acf-fade-up"),this.setTimeout((function(){this.remove()}),250)},html:function(t){this.$el.html(t)},position:function(){var e=this.$el,i=this.get("target");if(i){e.removeClass("right left bottom top").css({top:0,left:0});var n=10,a=i.outerWidth(),r=i.outerHeight(),o=i.offset().top,s=i.offset().left,c=e.outerWidth(),l=e.outerHeight(),u=e.offset().top,d=o-l-u,f=s+a/2-c/2;f<10?(e.addClass("right"),f=s+a,d=o+r/2-l/2-u):f+c+10>t(window).width()?(e.addClass("left"),f=s-c,d=o+r/2-l/2-u):d-t(window).scrollTop()<10?(e.addClass("bottom"),d=o+r-u):e.addClass("top"),e.css({top:d,left:f})}}}),n=i.extend({data:{text:"",textConfirm:"",textCancel:"",target:null,targetConfirm:!0,confirm:function(){},cancel:function(){},context:!1},events:{'click [data-event="cancel"]':"onCancel",'click [data-event="confirm"]':"onConfirm"},addEvents:function(){acf.Model.prototype.addEvents.apply(this);var e=t(document),i=this.get("target");this.setTimeout((function(){this.on(e,"click","onCancel")})),this.get("targetConfirm")&&this.on(i,"click","onConfirm")},removeEvents:function(){acf.Model.prototype.removeEvents.apply(this);var e=t(document),i=this.get("target");this.off(e,"click"),this.off(i,"click")},render:function(){var t,e,i,n=[this.get("text")||acf.__("Are you sure?"),'<a href="#" data-event="confirm">'+(this.get("textConfirm")||acf.__("Yes"))+"</a>",'<a href="#" data-event="cancel">'+(this.get("textCancel")||acf.__("No"))+"</a>"].join(" ");this.html(n),this.$el.addClass("-confirm")},onCancel:function(t,e){t.preventDefault(),t.stopImmediatePropagation();var i=this.get("cancel"),n=this.get("context")||this;i.apply(n,arguments),this.remove()},onConfirm:function(t,e){t.preventDefault(),t.stopImmediatePropagation();var i=this.get("confirm"),n=this.get("context")||this;i.apply(n,arguments),this.remove()}});acf.models.Tooltip=i,acf.models.TooltipConfirm=n;var a=new acf.Model({tooltip:!1,events:{"mouseenter .acf-js-tooltip":"showTitle","mouseup .acf-js-tooltip":"hideTitle","mouseleave .acf-js-tooltip":"hideTitle"},showTitle:function(t,e){var i=e.attr("title");i&&(e.attr("title",""),this.tooltip?this.tooltip.update({text:i,target:e}):this.tooltip=acf.newTooltip({text:i,target:e}))},hideTitle:function(t,e){this.tooltip.hide(),e.attr("title",this.tooltip.get("text"))}})}(jQuery),function(t,e){var i=[];acf.Field=acf.Model.extend({type:"",eventScope:".acf-field",wait:"ready",setup:function(t){this.$el=t,this.inherit(t),this.inherit(this.$control())},val:function(t){return void 0!==t?this.setValue(t):this.prop("disabled")?null:this.getValue()},getValue:function(){return this.$input().val()},setValue:function(t){return acf.val(this.$input(),t)},__:function(t){return acf._e(this.type,t)},$control:function(){return!1},$input:function(){return this.$("[name]:first")},$inputWrap:function(){return this.$(".acf-input:first")},$labelWrap:function(){return this.$(".acf-label:first")},getInputName:function(){return this.$input().attr("name")||""},parent:function(){var t=this.parents();return!!t.length&&t[0]},parents:function(){var t=this.$el.parents(".acf-field"),e;return acf.getFields(t)},show:function(t,e){var i=acf.show(this.$el,t);return i&&(this.prop("hidden",!1),acf.doAction("show_field",this,e)),i},hide:function(t,e){var i=acf.hide(this.$el,t);return i&&(this.prop("hidden",!0),acf.doAction("hide_field",this,e)),i},enable:function(t,e){var i=acf.enable(this.$el,t);return i&&(this.prop("disabled",!1),acf.doAction("enable_field",this,e)),i},disable:function(t,e){var i=acf.disable(this.$el,t);return i&&(this.prop("disabled",!0),acf.doAction("disable_field",this,e)),i},showEnable:function(t,e){return this.enable.apply(this,arguments),this.show.apply(this,arguments)},hideDisable:function(t,e){return this.disable.apply(this,arguments),this.hide.apply(this,arguments)},showNotice:function(t){"object"!=typeof t&&(t={text:t}),this.notice&&this.notice.remove(),t.target=this.$inputWrap(),this.notice=acf.newNotice(t)},removeNotice:function(t){this.notice&&(this.notice.away(t||0),this.notice=!1)},showError:function(e){this.$el.addClass("acf-error"),void 0!==e&&this.showNotice({text:e,type:"error",dismiss:!1}),acf.doAction("invalid_field",this),this.$el.one("focus change","input, select, textarea",t.proxy(this.removeError,this))},removeError:function(){this.$el.removeClass("acf-error"),this.removeNotice(250),acf.doAction("valid_field",this)},trigger:function(t,e,i){return"invalidField"==t&&(i=!0),acf.Model.prototype.trigger.apply(this,[t,e,i])}}),acf.newField=function(t){var e=t.data("type"),i=n(e),a,r=new(acf.models[i]||acf.Field)(t);return acf.doAction("new_field",r),r};var n=function(t){return acf.strPascalCase(t||"")+"Field"};acf.registerFieldType=function(t){var e,a=t.prototype.type,r=n(a);acf.models[r]=t,i.push(a)},acf.getFieldType=function(t){var e=n(t);return acf.models[e]||!1},acf.getFieldTypes=function(t){t=acf.parseArgs(t,{category:""});var e=[];return i.map((function(i){var n=acf.getFieldType(i),a=n.prototype;t.category&&a.category!==t.category||e.push(n)})),e}}(jQuery),function(t,e){acf.findFields=function(e){var i=".acf-field",n=!1;return(e=acf.parseArgs(e,{key:"",name:"",type:"",is:"",parent:!1,sibling:!1,limit:!1,visible:!1,suppressFilters:!1})).suppressFilters||(e=acf.applyFilters("find_fields_args",e)),e.key&&(i+='[data-key="'+e.key+'"]'),e.type&&(i+='[data-type="'+e.type+'"]'),e.name&&(i+='[data-name="'+e.name+'"]'),e.is&&(i+=e.is),e.visible&&(i+=":visible"),n=e.parent?e.parent.find(i):e.sibling?e.sibling.siblings(i):t(i),e.suppressFilters||(n=n.not(".acf-clone .acf-field"),n=acf.applyFilters("find_fields",n)),e.limit&&(n=n.slice(0,e.limit)),n},acf.findField=function(t,e){return acf.findFields({key:t,limit:1,parent:e,suppressFilters:!0})},acf.getField=function(t){t instanceof jQuery||(t=acf.findField(t));var e=t.data("acf");return e||(e=acf.newField(t)),e},acf.getFields=function(e){e instanceof jQuery||(e=acf.findFields(e));var i=[];return e.each((function(){var e=acf.getField(t(this));i.push(e)})),i},acf.findClosestField=function(t){return t.closest(".acf-field")},acf.getClosestField=function(t){var e=acf.findClosestField(t);return this.getField(e)};var i=function(t){var e=t,i=t+"_fields",a=t+"_field",r=function(t){var e=acf.arrayArgs(arguments),n=e.slice(1),a=acf.getFields({parent:t});if(a.length){var r=[i,a].concat(n);acf.doAction.apply(null,r)}},o=function(t){var e=acf.arrayArgs(arguments),i=e.slice(1);t.map((function(t,e){var n=[a,t].concat(i);acf.doAction.apply(null,n)}))};acf.addAction(e,r),acf.addAction(i,o),n(t)},n=function(t){var e=t+"_field",i=t+"Field",n=function(n){var a=acf.arrayArgs(arguments),r=a.slice(1),s=["type","name","key"];s.map((function(t){var i="/"+t+"="+n.get(t);a=[e+i,n].concat(r),acf.doAction.apply(null,a)})),o.indexOf(t)>-1&&n.trigger(i,r)};acf.addAction(e,n)},a,r=["valid","invalid","enable","disable","new"],o=["remove","unmount","remount","sortstart","sortstop","show","hide","unload","valid","invalid","enable","disable"];["prepare","ready","load","append","remove","unmount","remount","sortstart","sortstop","show","hide","unload"].map(i),r.map(n);var s=new acf.Model({id:"fieldsEventManager",events:{'click .acf-field a[href="#"]':"onClick","change .acf-field":"onChange"},onClick:function(t){t.preventDefault()},onChange:function(){t("#_acf_changed").val(1)}})}(jQuery),function(t,e){var i=0,n=acf.Field.extend({type:"accordion",wait:"",$control:function(){
return this.$(".acf-fields:first")},initialize:function(){if(!this.$el.is("td")){if(this.get("endpoint"))return this.remove();var e=this.$el,n=this.$labelWrap(),r=this.$inputWrap(),o=this.$control(),s=r.children(".description");if(s.length&&n.append(s),this.$el.is("tr")){var c=this.$el.closest("table"),l=t('<div class="acf-accordion-title"/>'),u=t('<div class="acf-accordion-content"/>'),d=t('<table class="'+c.attr("class")+'"/>'),f=t("<tbody/>");l.append(n.html()),d.append(f),u.append(d),r.append(l),r.append(u),n.remove(),o.remove(),r.attr("colspan",2),n=l,r=u,o=f}e.addClass("acf-accordion"),n.addClass("acf-accordion-title"),r.addClass("acf-accordion-content"),i++,this.get("multi_expand")&&e.attr("multi-expand",1);var h=acf.getPreference("this.accordions")||[];void 0!==h[i-1]&&this.set("open",h[i-1]),this.get("open")&&(e.addClass("-open"),r.css("display","block")),n.prepend(a.iconHtml({open:this.get("open")}));var p=e.parent();o.addClass(p.hasClass("-left")?"-left":""),o.addClass(p.hasClass("-clear")?"-clear":""),o.append(e.nextUntil(".acf-field-accordion",".acf-field")),o.removeAttr("data-open data-multi_expand data-endpoint")}}});acf.registerFieldType(n);var a=new acf.Model({actions:{unload:"onUnload"},events:{"click .acf-accordion-title":"onClick","invalidField .acf-accordion":"onInvalidField"},isOpen:function(t){return t.hasClass("-open")},toggle:function(t){this.isOpen(t)?this.close(t):this.open(t)},iconHtml:function(t){var e;return'<i class="acf-accordion-icon dashicons dashicons-'+(t.open?"arrow-down":"arrow-right")+'"></i>'},open:function(e){e.find(".acf-accordion-content:first").slideDown().css("display","block"),e.find(".acf-accordion-icon:first").replaceWith(this.iconHtml({open:!0})),e.addClass("-open"),acf.doAction("show",e),e.attr("multi-expand")||e.siblings(".acf-accordion.-open").each((function(){a.close(t(this))}))},close:function(t){t.find(".acf-accordion-content:first").slideUp(),t.find(".acf-accordion-icon:first").replaceWith(this.iconHtml({open:!1})),t.removeClass("-open"),acf.doAction("hide",t)},onClick:function(t,e){t.preventDefault(),this.toggle(e.parent())},onInvalidField:function(t,e){this.busy||(this.busy=!0,this.setTimeout((function(){this.busy=!1}),1e3),this.open(e))},onUnload:function(e){var i=[];t(".acf-accordion").each((function(){var e=t(this).hasClass("-open")?1:0;i.push(e)})),i.length&&acf.setPreference("this.accordions",i)}})}(jQuery),function(t,e){var i=acf.Field.extend({type:"button_group",events:{'click input[type="radio"]':"onClick"},$control:function(){return this.$(".acf-button-group")},$input:function(){return this.$("input:checked")},setValue:function(t){this.$('input[value="'+t+'"]').prop("checked",!0).trigger("change")},onClick:function(t,e){var i=e.parent("label"),n=i.hasClass("selected");this.$(".selected").removeClass("selected"),i.addClass("selected"),this.get("allow_null")&&n&&(i.removeClass("selected"),e.prop("checked",!1).trigger("change"))}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"checkbox",events:{"change input":"onChange","click .acf-add-checkbox":"onClickAdd","click .acf-checkbox-toggle":"onClickToggle","click .acf-checkbox-custom":"onClickCustom"},$control:function(){return this.$(".acf-checkbox-list")},$toggle:function(){return this.$(".acf-checkbox-toggle")},$input:function(){return this.$('input[type="hidden"]')},$inputs:function(){return this.$('input[type="checkbox"]').not(".acf-checkbox-toggle")},getValue:function(){var e=[];return this.$(":checked").each((function(){e.push(t(this).val())})),!!e.length&&e},onChange:function(t,e){var i=e.prop("checked"),n=e.parent("label"),a=this.$toggle(),r;(i?n.addClass("selected"):n.removeClass("selected"),a.length)&&(0==this.$inputs().not(":checked").length?a.prop("checked",!0):a.prop("checked",!1))},onClickAdd:function(t,e){var i='<li><input class="acf-checkbox-custom" type="checkbox" checked="checked" /><input type="text" name="'+this.getInputName()+'[]" /></li>';e.parent("li").before(i)},onClickToggle:function(t,e){var i=e.prop("checked"),n=this.$('input[type="checkbox"]'),a=this.$("label");n.prop("checked",i),i?a.addClass("selected"):a.removeClass("selected")},onClickCustom:function(t,e){var i=e.prop("checked"),n=e.next('input[type="text"]');i?n.prop("disabled",!1):(n.prop("disabled",!0),""==n.val()&&e.parent("li").remove())}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"color_picker",wait:"load",$control:function(){return this.$(".acf-color-picker")},$input:function(){return this.$('input[type="hidden"]')},$inputText:function(){return this.$('input[type="text"]')},setValue:function(t){acf.val(this.$input(),t),this.$inputText().iris("color",t)},initialize:function(){var t=this.$input(),e=this.$inputText(),i=function(i){setTimeout((function(){acf.val(t,e.val())}),1)},n={defaultColor:!1,palettes:!0,hide:!0,change:i,clear:i},n=acf.applyFilters("color_picker_args",n,this);e.wpColorPicker(n)}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"date_picker",events:{'blur input[type="text"]':"onBlur"},$control:function(){return this.$(".acf-date-picker")},$input:function(){return this.$('input[type="hidden"]')},$inputText:function(){return this.$('input[type="text"]')},initialize:function(){if(this.has("save_format"))return this.initializeCompatibility();var t=this.$input(),e=this.$inputText(),i={dateFormat:this.get("date_format"),altField:t,altFormat:"yymmdd",changeYear:!0,yearRange:"-100:+100",changeMonth:!0,showButtonPanel:!0,firstDay:this.get("first_day")};i=acf.applyFilters("date_picker_args",i,this),acf.newDatePicker(e,i),acf.doAction("date_picker_init",e,i,this)},initializeCompatibility:function(){var t=this.$input(),e=this.$inputText();e.val(t.val());var i={dateFormat:this.get("date_format"),altField:t,altFormat:this.get("save_format"),changeYear:!0,yearRange:"-100:+100",changeMonth:!0,showButtonPanel:!0,firstDay:this.get("first_day")},n=(i=acf.applyFilters("date_picker_args",i,this)).dateFormat;i.dateFormat=this.get("save_format"),acf.newDatePicker(e,i),e.datepicker("option","dateFormat",n),acf.doAction("date_picker_init",e,i,this)},onBlur:function(){this.$inputText().val()||acf.val(this.$input(),"")}});acf.registerFieldType(i);var n=new acf.Model({priority:5,wait:"ready",initialize:function(){var e=acf.get("locale"),i=acf.get("rtl"),n=acf.get("datePickerL10n");return!!n&&(void 0!==t.datepicker&&(n.isRTL=i,t.datepicker.regional[e]=n,void t.datepicker.setDefaults(n)))}});acf.newDatePicker=function(e,i){if(void 0===t.datepicker)return!1;i=i||{},e.datepicker(i),t("body > #ui-datepicker-div").exists()&&t("body > #ui-datepicker-div").wrap('<div class="acf-ui-datepicker" />')}}(jQuery),function(t,e){var i=acf.models.DatePickerField.extend({type:"date_time_picker",$control:function(){return this.$(".acf-date-time-picker")},initialize:function(){var t=this.$input(),e=this.$inputText(),i={dateFormat:this.get("date_format"),timeFormat:this.get("time_format"),altField:t,altFieldTimeOnly:!1,altFormat:"yy-mm-dd",altTimeFormat:"HH:mm:ss",changeYear:!0,yearRange:"-100:+100",changeMonth:!0,showButtonPanel:!0,firstDay:this.get("first_day"),controlType:"select",oneLine:!0};i=acf.applyFilters("date_time_picker_args",i,this),acf.newDateTimePicker(e,i),acf.doAction("date_time_picker_init",e,i,this)}});acf.registerFieldType(i);var n=new acf.Model({priority:5,wait:"ready",initialize:function(){var e=acf.get("locale"),i=acf.get("rtl"),n=acf.get("dateTimePickerL10n");return!!n&&(void 0!==t.timepicker&&(n.isRTL=i,t.timepicker.regional[e]=n,void t.timepicker.setDefaults(n)))}});acf.newDateTimePicker=function(e,i){if(void 0===t.timepicker)return!1;i=i||{},e.datetimepicker(i),t("body > #ui-datepicker-div").exists()&&t("body > #ui-datepicker-div").wrap('<div class="acf-ui-datepicker" />')}}(jQuery),function(t,e){function i(e){if(r)return e();if(acf.isset(window,"google","maps","Geocoder"))return r=new google.maps.Geocoder,e();if(acf.addAction("google_map_api_loaded",e),!a){var i=acf.get("google_map_api");i&&(a=!0,t.ajax({url:i,dataType:"script",cache:!0,success:function(){r=new google.maps.Geocoder,acf.doAction("google_map_api_loaded")}}))}}var n=acf.Field.extend({type:"google_map",map:!1,wait:"load",events:{'click a[data-name="clear"]':"onClickClear",'click a[data-name="locate"]':"onClickLocate",'click a[data-name="search"]':"onClickSearch","keydown .search":"onKeydownSearch","keyup .search":"onKeyupSearch","focus .search":"onFocusSearch","blur .search":"onBlurSearch",showField:"onShow"},$control:function(){return this.$(".acf-google-map")},$search:function(){return this.$(".search")},$canvas:function(){return this.$(".canvas")},setState:function(t){this.$control().removeClass("-value -loading -searching"),"default"===t&&(t=this.val()?"value":""),t&&this.$control().addClass("-"+t)},getValue:function(){var t=this.$input().val();return!!t&&JSON.parse(t)},setValue:function(t,e){var i="";t&&(i=JSON.stringify(t)),acf.val(this.$input(),i),e||(this.renderVal(t),acf.doAction("google_map_change",t,this.map,this))},renderVal:function(t){t?(this.setState("value"),this.$search().val(t.address),this.setPosition(t.lat,t.lng)):(this.setState(""),this.$search().val(""),this.map.marker.setVisible(!1))},newLatLng:function(t,e){return new google.maps.LatLng(parseFloat(t),parseFloat(e))},setPosition:function(t,e){this.map.marker.setPosition({lat:parseFloat(t),lng:parseFloat(e)}),this.map.marker.setVisible(!0),this.center()},center:function(){var t=this.map.marker.getPosition();if(t)var e=t.lat(),i=t.lng();else var e=this.get("lat"),i=this.get("lng");this.map.setCenter({lat:parseFloat(e),lng:parseFloat(i)})},initialize:function(){i(this.initializeMap.bind(this))},initializeMap:function(){var t=this.getValue(),e=acf.parseArgs(t,{zoom:this.get("zoom"),lat:this.get("lat"),lng:this.get("lng")}),i={scrollwheel:!1,zoom:parseInt(e.zoom),center:{lat:parseFloat(e.lat),lng:parseFloat(e.lng)},mapTypeId:google.maps.MapTypeId.ROADMAP,marker:{draggable:!0,raiseOnDrag:!0},autocomplete:{}};i=acf.applyFilters("google_map_args",i,this);var n=new google.maps.Map(this.$canvas()[0],i),a=acf.parseArgs(i.marker,{draggable:!0,raiseOnDrag:!0,map:n});a=acf.applyFilters("google_map_marker_args",a,this);var r=new google.maps.Marker(a),o=!1;if(acf.isset(google,"maps","places","Autocomplete")){var s=i.autocomplete||{};s=acf.applyFilters("google_map_autocomplete_args",s,this),(o=new google.maps.places.Autocomplete(this.$search()[0],s)).bindTo("bounds",n)}this.addMapEvents(this,n,r,o),n.acf=this,n.marker=r,n.autocomplete=o,this.map=n,t&&this.setPosition(t.lat,t.lng),acf.doAction("google_map_init",n,r,this)},addMapEvents:function(t,e,i,n){google.maps.event.addListener(e,"click",(function(e){var i=e.latLng.lat(),n=e.latLng.lng();t.searchPosition(i,n)})),google.maps.event.addListener(i,"dragend",(function(){var e=this.getPosition().lat(),i=this.getPosition().lng();t.searchPosition(e,i)})),n&&google.maps.event.addListener(n,"place_changed",(function(){var e=this.getPlace();t.searchPlace(e)})),google.maps.event.addListener(e,"zoom_changed",(function(){var i=t.val();i&&(i.zoom=e.getZoom(),t.setValue(i,!0))}))},searchPosition:function(t,e){this.setState("loading");var i={lat:t,lng:e};r.geocode({location:i},function(i,n){if(this.setState(""),"OK"!==n)this.showNotice({text:acf.__("Location not found: %s").replace("%s",n),type:"warning"});else{var a=this.parseResult(i[0]);a.lat=t,a.lng=e,this.val(a)}}.bind(this))},searchPlace:function(t){if(t)if(t.geometry){t.formatted_address=this.$search().val();var e=this.parseResult(t);this.val(e)}else t.name&&this.searchAddress(t.name)},searchAddress:function(t){if(t){var e=t.split(",");if(2==e.length){var i=parseFloat(e[0]),n=parseFloat(e[1]);if(i&&n)return this.searchPosition(i,n)}this.setState("loading"),r.geocode({address:t},function(e,i){if(this.setState(""),"OK"!==i)this.showNotice({text:acf.__("Location not found: %s").replace("%s",i),type:"warning"});else{var n=this.parseResult(e[0]);n.address=t,this.val(n)}}.bind(this))}},searchLocation:function(){if(!navigator.geolocation)return alert(acf.__("Sorry, this browser does not support geolocation"));this.setState("loading"),navigator.geolocation.getCurrentPosition(function(t){this.setState("");var e=t.coords.latitude,i=t.coords.longitude;this.searchPosition(e,i)}.bind(this),function(t){this.setState("")}.bind(this))},parseResult:function(t){var e={address:t.formatted_address,lat:t.geometry.location.lat(),lng:t.geometry.location.lng()};e.zoom=this.map.getZoom(),t.place_id&&(e.place_id=t.place_id),t.name&&(e.name=t.name);var i={street_number:["street_number"],street_name:["street_address","route"],city:["locality"],state:["administrative_area_level_1","administrative_area_level_2","administrative_area_level_3","administrative_area_level_4","administrative_area_level_5"],post_code:["postal_code"],country:["country"]};for(var n in i)for(var a=i[n],r=0;r<t.address_components.length;r++){var o=t.address_components[r],s=o.types[0];-1!==a.indexOf(s)&&(e[n]=o.long_name,o.long_name!==o.short_name&&(e[n+"_short"]=o.short_name))}return acf.applyFilters("google_map_result",e,t,this.map,this)},onClickClear:function(){this.val(!1)},onClickLocate:function(){this.searchLocation()},onClickSearch:function(){this.searchAddress(this.$search().val())},onFocusSearch:function(t,e){this.setState("searching")},onBlurSearch:function(t,e){var i=this.val(),n=i?i.address:"";e.val()===n&&this.setState("default")},onKeyupSearch:function(t,e){e.val()||this.val(!1)},onKeydownSearch:function(t,e){13==t.which&&(t.preventDefault(),e.blur())},onShow:function(){this.map&&this.setTimeout(this.center)}});acf.registerFieldType(n);var a=!1,r=!1}(jQuery),function(t,e){var i=acf.Field.extend({type:"image",$control:function(){return this.$(".acf-image-uploader")},$input:function(){return this.$('input[type="hidden"]')},events:{'click a[data-name="add"]':"onClickAdd",'click a[data-name="edit"]':"onClickEdit",'click a[data-name="remove"]':"onClickRemove",'change input[type="file"]':"onChange"},initialize:function(){"basic"===this.get("uploader")&&this.$el.closest("form").attr("enctype","multipart/form-data")},validateAttachment:function(t){void 0!==(t=t||{}).id&&(t=t.attributes),t=acf.parseArgs(t,{url:"",alt:"",title:"",caption:"",description:"",width:0,height:0});var e=acf.isget(t,"sizes",this.get("preview_size"),"url");return null!==e&&(t.url=e),t},render:function(t){t=this.validateAttachment(t),this.$("img").attr({src:t.url,alt:t.alt,title:t.title});var e=t.id||"";this.val(e),e?this.$control().addClass("has-value"):this.$control().removeClass("has-value")},append:function(t,e){var i=function(t,e){for(var i=acf.getFields({key:t.get("key"),parent:e.$el}),n=0;n<i.length;n++)if(!i[n].val())return i[n];return!1},n=i(this,e);n||(e.$(".acf-button:last").trigger("click"),n=i(this,e)),n&&n.render(t)},selectAttachment:function(){var e=this.parent(),i=e&&"repeater"===e.get("type"),n=acf.newMediaPopup({mode:"select",type:"image",title:acf.__("Select Image"),field:this.get("key"),multiple:i,library:this.get("library"),allowedTypes:this.get("mime_types"),select:t.proxy((function(t,i){i>0?this.append(t,e):this.render(t)}),this)})},editAttachment:function(){var e=this.val();if(e)var i=acf.newMediaPopup({mode:"edit",title:acf.__("Edit Image"),button:acf.__("Update Image"),attachment:e,field:this.get("key"),select:t.proxy((function(t,e){this.render(t)}),this)})},removeAttachment:function(){this.render(!1)},onClickAdd:function(t,e){this.selectAttachment()},onClickEdit:function(t,e){this.editAttachment()},onClickRemove:function(t,e){this.removeAttachment()},onChange:function(e,i){var n=this.$input();acf.getFileInputData(i,(function(e){n.val(t.param(e))}))}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.models.ImageField.extend({type:"file",$control:function(){return this.$(".acf-file-uploader")},$input:function(){return this.$('input[type="hidden"]')},validateAttachment:function(t){return void 0!==(t=t||{}).id&&(t=t.attributes),t=acf.parseArgs(t,{url:"",alt:"",title:"",filename:"",filesizeHumanReadable:"",icon:"/wp-includes/images/media/default.png"})},render:function(t){t=this.validateAttachment(t),this.$("img").attr({src:t.icon,alt:t.alt,title:t.title}),this.$('[data-name="title"]').text(t.title),this.$('[data-name="filename"]').text(t.filename).attr("href",t.url),this.$('[data-name="filesize"]').text(t.filesizeHumanReadable);var e=t.id||"";acf.val(this.$input(),e),e?this.$control().addClass("has-value"):this.$control().removeClass("has-value")},selectAttachment:function(){var e=this.parent(),i=e&&"repeater"===e.get("type"),n=acf.newMediaPopup({mode:"select",title:acf.__("Select File"),field:this.get("key"),multiple:i,library:this.get("library"),allowedTypes:this.get("mime_types"),select:t.proxy((function(t,i){i>0?this.append(t,e):this.render(t)}),this)})},editAttachment:function(){var e=this.val();if(!e)return!1;var i=acf.newMediaPopup({mode:"edit",title:acf.__("Edit File"),button:acf.__("Update File"),attachment:e,field:this.get("key"),select:t.proxy((function(t,e){this.render(t)}),this)})}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"link",events:{'click a[data-name="add"]':"onClickEdit",'click a[data-name="edit"]':"onClickEdit",'click a[data-name="remove"]':"onClickRemove","change .link-node":"onChange"},$control:function(){return this.$(".acf-link")},$node:function(){return this.$(".link-node")},getValue:function(){var t=this.$node();return!!t.attr("href")&&{title:t.html(),url:t.attr("href"),target:t.attr("target")}},setValue:function(t){t=acf.parseArgs(t,{title:"",url:"",target:""});var e=this.$control(),i=this.$node();e.removeClass("-value -external"),t.url&&e.addClass("-value"),"_blank"===t.target&&e.addClass("-external"),this.$(".link-title").html(t.title),this.$(".link-url").attr("href",t.url).html(t.url),i.html(t.title),i.attr("href",t.url),i.attr("target",t.target),this.$(".input-title").val(t.title),this.$(".input-target").val(t.target),this.$(".input-url").val(t.url).trigger("change")},onClickEdit:function(t,e){acf.wpLink.open(this.$node())},onClickRemove:function(t,e){this.setValue(!1)},onChange:function(t,e){var i=this.getValue();this.setValue(i)}});acf.registerFieldType(i),acf.wpLink=new acf.Model({getNodeValue:function(){var t=this.get("node");return{title:acf.decode(t.html()),url:t.attr("href"),target:t.attr("target")}},setNodeValue:function(t){var e=this.get("node");e.text(t.title),e.attr("href",t.url),e.attr("target",t.target),e.trigger("change")},getInputValue:function(){return{title:t("#wp-link-text").val(),url:t("#wp-link-url").val(),target:t("#wp-link-target").prop("checked")?"_blank":""}},setInputValue:function(e){t("#wp-link-text").val(e.title),t("#wp-link-url").val(e.url),t("#wp-link-target").prop("checked","_blank"===e.target)},open:function(e){this.on("wplink-open","onOpen"),this.on("wplink-close","onClose"),this.set("node",e);var i=t('<textarea id="acf-link-textarea" style="display:none;"></textarea>');t("body").append(i);var n=this.getNodeValue();wpLink.open("acf-link-textarea",n.url,n.title,null)},onOpen:function(){t("#wp-link-wrap").addClass("has-text-field");var e=this.getNodeValue();this.setInputValue(e)},close:function(){wpLink.close()},onClose:function(){if(!this.has("node"))return!1;this.off("wplink-open"),this.off("wplink-close");var e=this.getInputValue();this.setNodeValue(e),t("#acf-link-textarea").remove(),this.set("node",null)}})}(jQuery),function(t,e){var i=acf.Field.extend({type:"oembed",events:{'click [data-name="clear-button"]':"onClickClear","keypress .input-search":"onKeypressSearch","keyup .input-search":"onKeyupSearch","change .input-search":"onChangeSearch"},$control:function(){return this.$(".acf-oembed")},$input:function(){return this.$(".input-value")},$search:function(){return this.$(".input-search")},getValue:function(){return this.$input().val()},getSearchVal:function(){return this.$search().val()},setValue:function(t){t?this.$control().addClass("has-value"):this.$control().removeClass("has-value"),acf.val(this.$input(),t)},showLoading:function(t){acf.showLoading(this.$(".canvas"))},hideLoading:function(){acf.hideLoading(this.$(".canvas"))},maybeSearch:function(){var e=this.val(),i=this.getSearchVal();if(!i)return this.clear();if("http"!=i.substr(0,4)&&(i="http://"+i),i!==e){var n=this.get("timeout");n&&clearTimeout(n);var a=t.proxy(this.search,this,i);this.set("timeout",setTimeout(a,300))}},search:function(e){var i={action:"acf/fields/oembed/search",s:e,field_key:this.get("key")},n;(n=this.get("xhr"))&&n.abort(),this.showLoading();var n=t.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(i),type:"post",dataType:"json",context:this,success:function(t){t&&t.html||(t={url:!1,html:""}),this.val(t.url),this.$(".canvas-media").html(t.html)},complete:function(){this.hideLoading()}});this.set("xhr",n)},clear:function(){this.val(""),this.$search().val(""),this.$(".canvas-media").html("")},onClickClear:function(t,e){this.clear()},onKeypressSearch:function(t,e){13==t.which&&(t.preventDefault(),this.maybeSearch())},onKeyupSearch:function(t,e){e.val()&&this.maybeSearch()},onChangeSearch:function(t,e){this.maybeSearch()}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"radio",events:{'click input[type="radio"]':"onClick"},$control:function(){return this.$(".acf-radio-list")},$input:function(){return this.$("input:checked")},$inputText:function(){return this.$('input[type="text"]')},getValue:function(){var t=this.$input().val();return"other"===t&&this.get("other_choice")&&(t=this.$inputText().val()),t},onClick:function(t,e){var i=e.parent("label"),n=i.hasClass("selected"),a=e.val();this.$(".selected").removeClass("selected"),i.addClass("selected"),this.get("allow_null")&&n&&(i.removeClass("selected"),e.prop("checked",!1).trigger("change"),a=!1),this.get("other_choice")&&("other"===a?this.$inputText().prop("disabled",!1):this.$inputText().prop("disabled",!0))}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"range",events:{'input input[type="range"]':"onChange","change input":"onChange"},$input:function(){return this.$('input[type="range"]')},$inputAlt:function(){return this.$('input[type="number"]')},setValue:function(t){this.busy=!0,acf.val(this.$input(),t),acf.val(this.$inputAlt(),this.$input().val(),!0),this.busy=!1},onChange:function(t,e){this.busy||this.setValue(e.val())}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"relationship",events:{"keypress [data-filter]":"onKeypressFilter","change [data-filter]":"onChangeFilter","keyup [data-filter]":"onChangeFilter","click .choices-list .acf-rel-item":"onClickAdd",'click [data-name="remove_item"]':"onClickRemove"},$control:function(){return this.$(".acf-relationship")},$list:function(t){return this.$("."+t+"-list")},$listItems:function(t){return this.$list(t).find(".acf-rel-item")},$listItem:function(t,e){return this.$list(t).find('.acf-rel-item[data-id="'+e+'"]')},getValue:function(){var e=[];return this.$listItems("values").each((function(){e.push(t(this).data("id"))})),!!e.length&&e},newChoice:function(t){return["<li>",'<span data-id="'+t.id+'" class="acf-rel-item">'+t.text+"</span>","</li>"].join("")},newValue:function(t){return["<li>",'<input type="hidden" name="'+this.getInputName()+'[]" value="'+t.id+'" />','<span data-id="'+t.id+'" class="acf-rel-item">'+t.text,'<a href="#" class="acf-icon -minus small dark" data-name="remove_item"></a>',"</span>","</li>"].join("")},initialize:function(){var t=this.proxy(acf.once((function(){this.$list("values").sortable({items:"li",forceHelperSize:!0,forcePlaceholderSize:!0,scroll:!0,update:this.proxy((function(){this.$input().trigger("change")}))}),this.$list("choices").scrollTop(0).on("scroll",this.proxy(this.onScrollChoices)),this.fetch()})));this.$el.one("mouseover",t),this.$el.one("focus","input",t),acf.onceInView(this.$el,t)},onScrollChoices:function(t){if(!this.get("loading")&&this.get("more")){var e=this.$list("choices"),i=Math.ceil(e.scrollTop()),n=Math.ceil(e[0].scrollHeight),a=Math.ceil(e.innerHeight()),r=this.get("paged")||1;i+a>=n&&(this.set("paged",r+1),this.fetch())}},onKeypressFilter:function(t,e){13==t.which&&t.preventDefault()},onChangeFilter:function(t,e){var i=e.val(),n=e.data("filter");this.get(n)!==i&&(this.set(n,i),this.set("paged",1),e.is("select")?this.fetch():this.maybeFetch())},onClickAdd:function(t,e){var i=this.val(),n=parseInt(this.get("max"));if(e.hasClass("disabled"))return!1;if(n>0&&i&&i.length>=n)return this.showNotice({text:acf.__("Maximum values reached ( {max} values )").replace("{max}",n),type:"warning"}),!1;e.addClass("disabled");var a=this.newValue({id:e.data("id"),text:e.html()});this.$list("values").append(a),this.$input().trigger("change")},onClickRemove:function(t,e){t.preventDefault();var i=e.parent(),n=i.parent(),a=i.data("id");n.remove(),this.$listItem("choices",a).removeClass("disabled"),this.$input().trigger("change")},maybeFetch:function(){var t=this.get("timeout");t&&clearTimeout(t),t=this.setTimeout(this.fetch,300),this.set("timeout",t)},getAjaxData:function(){var t=this.$control().data();for(var e in t)t[e]=this.get(e);return t.action="acf/fields/relationship/query",t.field_key=this.get("key"),t=acf.applyFilters("relationship_ajax_data",t,this)},fetch:function(){var e;(e=this.get("xhr"))&&e.abort();var i=this.getAjaxData(),n=this.$list("choices");1==i.paged&&n.html("");var a=t('<li><i class="acf-loading"></i> '+acf.__("Loading")+"</li>");n.append(a),this.set("loading",!0);var r=function(){this.set("loading",!1),a.remove()},o=function(e){if(!e||!e.results||!e.results.length)return this.set("more",!1),void(1==this.get("paged")&&this.$list("choices").append("<li>"+acf.__("No matches found")+"</li>"));this.set("more",e.more);var i=this.walkChoices(e.results),a=t(i),r=this.val();r&&r.length&&r.map((function(t){a.find('.acf-rel-item[data-id="'+t+'"]').addClass("disabled")})),n.append(a);var o=!1,s=!1;n.find(".acf-rel-label").each((function(){var e=t(this),i=e.siblings("ul");if(o&&o.text()==e.text())return s.append(i.children()),void t(this).parent().remove();o=e,s=i}))},e=t.ajax({url:acf.get("ajaxurl"),dataType:"json",type:"post",data:acf.prepareForAjax(i),context:this,success:o,complete:r});this.set("xhr",e)},walkChoices:function(e){var i=function(e){var n="";return t.isArray(e)?e.map((function(t){n+=i(t)})):t.isPlainObject(e)&&(void 0!==e.children?(n+='<li><span class="acf-rel-label">'+e.text+'</span><ul class="acf-bl">',n+=i(e.children),n+="</ul></li>"):n+='<li><span class="acf-rel-item" data-id="'+e.id+'">'+e.text+"</span></li>"),n};return i(e)}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"select",select2:!1,wait:"load",events:{removeField:"onRemove"},$input:function(){return this.$("select")},initialize:function(){var t=this.$input();if(this.inherit(t),this.get("ui")){var e=this.get("ajax_action");e||(e="acf/fields/"+this.get("type")+"/query"),this.select2=acf.newSelect2(t,{field:this,ajax:this.get("ajax"),multiple:this.get("multiple"),placeholder:this.get("placeholder"),allowNull:this.get("allow_null"),ajaxAction:e})}},onRemove:function(){this.select2&&this.select2.destroy()}});acf.registerFieldType(i)}(jQuery),function(t,e){var i="tab",n=acf.Field.extend({type:"tab",wait:"",tabs:!1,tab:!1,findFields:function(){return this.$el.nextUntil(".acf-field-tab",".acf-field")},getFields:function(){return acf.getFields(this.findFields())},findTabs:function(){return this.$el.prevAll(".acf-tab-wrap:first")},findTab:function(){return this.$(".acf-tab-button")},initialize:function(){if(this.$el.is("td"))return this.events={},!1;var t=this.findTabs(),e=this.findTab(),i=acf.parseArgs(e.data(),{endpoint:!1,placement:"",before:this.$el});!t.length||i.endpoint?this.tabs=new r(i):this.tabs=t.data("acf"),this.tab=this.tabs.addTab(e,this)},isActive:function(){return this.tab.isActive()},showFields:function(){this.getFields().map((function(t){t.show(this.cid,"tab"),t.hiddenByTab=!1}),this)},hideFields:function(){this.getFields().map((function(t){t.hide(this.cid,"tab"),t.hiddenByTab=this.tab}),this)},show:function(t){var e=acf.Field.prototype.show.apply(this,arguments);return e&&(this.tab.show(),this.tabs.refresh()),e},hide:function(t){var e=acf.Field.prototype.hide.apply(this,arguments);return e&&(this.tab.hide(),this.isActive()&&this.tabs.reset()),e},enable:function(t){this.getFields().map((function(t){t.enable("tab")}))},disable:function(t){this.getFields().map((function(t){t.disable("tab")}))}});acf.registerFieldType(n);var a=0,r=acf.Model.extend({tabs:[],active:!1,actions:{refresh:"onRefresh"},data:{before:!1,placement:"top",index:0,initialized:!1},setup:function(e){t.extend(this.data,e),this.tabs=[],this.active=!1;var i=this.get("placement"),n=this.get("before"),r=n.parent();"left"==i&&r.hasClass("acf-fields")&&r.addClass("-sidebar"),n.is("tr")?this.$el=t('<tr class="acf-tab-wrap"><td colspan="2"><ul class="acf-hl acf-tab-group"></ul></td></tr>'):this.$el=t('<div class="acf-tab-wrap -'+i+'"><ul class="acf-hl acf-tab-group"></ul></div>'),n.before(this.$el),this.set("index",a,!0),a++},initializeTabs:function(){var t=this.getVisible().shift(),e,i,n=(acf.getPreference("this.tabs")||[])[this.get("index")];this.tabs[n]&&this.tabs[n].isVisible()&&(t=this.tabs[n]),t?this.selectTab(t):this.closeTabs(),this.set("initialized",!0)},getVisible:function(){return this.tabs.filter((function(t){return t.isVisible()}))},getActive:function(){return this.active},setActive:function(t){return this.active=t},hasActive:function(){return!1!==this.active},isActive:function(t){var e=this.getActive();return e&&e.cid===t.cid},closeActive:function(){this.hasActive()&&this.closeTab(this.getActive())},openTab:function(t){this.closeActive(),t.open(),this.setActive(t)},closeTab:function(t){t.close(),this.setActive(!1)},closeTabs:function(){this.tabs.map(this.closeTab,this)},selectTab:function(t){this.tabs.map((function(e){t.cid!==e.cid&&this.closeTab(e)}),this),this.openTab(t)},addTab:function(e,i){var n=t("<li></li>");n.append(e),this.$("ul").append(n);var a=new o({$el:n,field:i,group:this});return this.tabs.push(a),a},reset:function(){return this.closeActive(),this.refresh()},refresh:function(){if(this.hasActive())return!1;var t=this.getVisible().shift();return t&&this.openTab(t),t},onRefresh:function(){if("left"===this.get("placement")){var t=this.$el.parent(),e=this.$el.children("ul"),i=t.is("td")?"height":"min-height",n=e.position().top+e.outerHeight(!0)-1;t.css(i,n)}}}),o=acf.Model.extend({group:!1,field:!1,events:{"click a":"onClick"},index:function(){return this.$el.index()},isVisible:function(){return acf.isVisible(this.$el)},isActive:function(){return this.$el.hasClass("active")},open:function(){this.$el.addClass("active"),this.field.showFields()},close:function(){this.$el.removeClass("active"),this.field.hideFields()},onClick:function(t,e){t.preventDefault(),this.toggle()},toggle:function(){this.isActive()||this.group.openTab(this)}}),s=new acf.Model({priority:50,actions:{prepare:"render",append:"render",unload:"onUnload",invalid_field:"onInvalidField"},findTabs:function(){return t(".acf-tab-wrap")},getTabs:function(){return acf.getInstances(this.findTabs())},render:function(t){this.getTabs().map((function(t){t.get("initialized")||t.initializeTabs()}))},onInvalidField:function(t){this.busy||t.hiddenByTab&&(t.hiddenByTab.toggle(),this.busy=!0,this.setTimeout((function(){this.busy=!1}),100))},onUnload:function(){var t=[];this.getTabs().map((function(e){var i=e.hasActive()?e.getActive().index():0;t.push(i)})),t.length&&acf.setPreference("this.tabs",t)}})}(jQuery),function(t,e){var i=acf.models.SelectField.extend({type:"post_object"});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.models.SelectField.extend({type:"page_link"});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.models.SelectField.extend({type:"user"});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({
type:"taxonomy",data:{ftype:"select"},select2:!1,wait:"load",events:{'click a[data-name="add"]':"onClickAdd",'click input[type="radio"]':"onClickRadio"},$control:function(){return this.$(".acf-taxonomy-field")},$input:function(){return this.getRelatedPrototype().$input.apply(this,arguments)},getRelatedType:function(){var t=this.get("ftype");return"multi_select"==t&&(t="select"),t},getRelatedPrototype:function(){return acf.getFieldType(this.getRelatedType()).prototype},getValue:function(){return this.getRelatedPrototype().getValue.apply(this,arguments)},setValue:function(){return this.getRelatedPrototype().setValue.apply(this,arguments)},initialize:function(){this.getRelatedPrototype().initialize.apply(this,arguments)},onRemove:function(){this.select2&&this.select2.destroy()},onClickAdd:function(e,i){var n=this,a=!1,r=!1,o=!1,s=!1,c=!1,l=!1,u=!1,d=function(){a=acf.newPopup({title:i.attr("title"),loading:!0,width:"300px"});var e={action:"acf/fields/taxonomy/add_term",field_key:n.get("key")};t.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(e),type:"post",dataType:"html",success:f})},f=function(t){a.loading(!1),a.content(t),r=a.$("form"),o=a.$('input[name="term_name"]'),s=a.$('select[name="term_parent"]'),c=a.$(".acf-submit-button"),o.focus(),a.on("submit","form",h)},h=function(e,i){if(e.preventDefault(),e.stopImmediatePropagation(),""===o.val())return o.focus(),!1;acf.startButtonLoading(c);var a={action:"acf/fields/taxonomy/add_term",field_key:n.get("key"),term_name:o.val(),term_parent:s.length?s.val():0};t.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(a),type:"post",dataType:"json",success:p})},p=function(t){acf.stopButtonLoading(c),u&&u.remove(),acf.isAjaxSuccess(t)?(o.val(""),g(t.data),u=acf.newNotice({type:"success",text:acf.getAjaxMessage(t),target:r,timeout:2e3,dismiss:!1})):u=acf.newNotice({type:"error",text:acf.getAjaxError(t),target:r,timeout:2e3,dismiss:!1}),o.focus()},g=function(e){var i=t('<option value="'+e.term_id+'">'+e.term_label+"</option>"),a;e.term_parent?s.children('option[value="'+e.term_parent+'"]').after(i):s.append(i),acf.getFields({type:"taxonomy"}).map((function(t){t.get("taxonomy")==n.get("taxonomy")&&t.appendTerm(e)})),n.selectTerm(e.term_id)};d()},appendTerm:function(t){"select"==this.getRelatedType()?this.appendTermSelect(t):this.appendTermCheckbox(t)},appendTermSelect:function(t){this.select2.addOption({id:t.term_id,text:t.term_label})},appendTermCheckbox:function(e){var i=this.$("[name]:first").attr("name"),n=this.$("ul:first");"checkbox"==this.getRelatedType()&&(i+="[]");var a=t(['<li data-id="'+e.term_id+'">',"<label>",'<input type="'+this.get("ftype")+'" value="'+e.term_id+'" name="'+i+'" /> ',"<span>"+e.term_name+"</span>","</label>","</li>"].join(""));if(e.term_parent){var r=n.find('li[data-id="'+e.term_parent+'"]');(n=r.children("ul")).exists()||(n=t('<ul class="children acf-bl"></ul>'),r.append(n))}n.append(a)},selectTerm:function(t){var e;"select"==this.getRelatedType()?this.select2.selectOption(t):this.$('input[value="'+t+'"]').prop("checked",!0).trigger("change")},onClickRadio:function(t,e){var i=e.parent("label"),n=i.hasClass("selected");this.$(".selected").removeClass("selected"),i.addClass("selected"),this.get("allow_null")&&n&&(i.removeClass("selected"),e.prop("checked",!1).trigger("change"))}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.models.DatePickerField.extend({type:"time_picker",$control:function(){return this.$(".acf-time-picker")},initialize:function(){var t=this.$input(),e=this.$inputText(),i={timeFormat:this.get("time_format"),altField:t,altFieldTimeOnly:!1,altTimeFormat:"HH:mm:ss",showButtonPanel:!0,controlType:"select",oneLine:!0,closeText:acf.get("dateTimePickerL10n").selectText,timeOnly:!0,onClose:function(t,e,i){var n=e.dpDiv.find(".ui-datepicker-close");!t&&n.is(":hover")&&i._updateDateTime()}};i=acf.applyFilters("time_picker_args",i,this),acf.newTimePicker(e,i),acf.doAction("time_picker_init",e,i,this)}});acf.registerFieldType(i),acf.newTimePicker=function(e,i){if(void 0===t.timepicker)return!1;i=i||{},e.timepicker(i),t("body > #ui-datepicker-div").exists()&&t("body > #ui-datepicker-div").wrap('<div class="acf-ui-datepicker" />')}}(jQuery),function(t,e){var i=acf.Field.extend({type:"true_false",events:{"change .acf-switch-input":"onChange","focus .acf-switch-input":"onFocus","blur .acf-switch-input":"onBlur","keypress .acf-switch-input":"onKeypress"},$input:function(){return this.$('input[type="checkbox"]')},$switch:function(){return this.$(".acf-switch")},getValue:function(){return this.$input().prop("checked")?1:0},initialize:function(){this.render()},render:function(){var t=this.$switch();if(t.length){var e=t.children(".acf-switch-on"),i=t.children(".acf-switch-off"),n=Math.max(e.width(),i.width());n&&(e.css("min-width",n),i.css("min-width",n))}},switchOn:function(){this.$input().prop("checked",!0),this.$switch().addClass("-on")},switchOff:function(){this.$input().prop("checked",!1),this.$switch().removeClass("-on")},onChange:function(t,e){e.prop("checked")?this.switchOn():this.switchOff()},onFocus:function(t,e){this.$switch().addClass("-focus")},onBlur:function(t,e){this.$switch().removeClass("-focus")},onKeypress:function(t,e){return 37===t.keyCode?this.switchOff():39===t.keyCode?this.switchOn():void 0}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"url",events:{'keyup input[type="url"]':"onkeyup"},$control:function(){return this.$(".acf-input-wrap")},$input:function(){return this.$('input[type="url"]')},initialize:function(){this.render()},isValid:function(){var t=this.val();return!!t&&(-1!==t.indexOf("://")||0===t.indexOf("//"))},render:function(){this.isValid()?this.$control().addClass("-valid"):this.$control().removeClass("-valid")},onkeyup:function(t,e){this.render()}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=acf.Field.extend({type:"wysiwyg",wait:"load",events:{"mousedown .acf-editor-wrap.delay":"onMousedown",unmountField:"disableEditor",remountField:"enableEditor",removeField:"disableEditor"},$control:function(){return this.$(".acf-editor-wrap")},$input:function(){return this.$("textarea")},getMode:function(){return this.$control().hasClass("tmce-active")?"visual":"text"},initialize:function(){this.$control().hasClass("delay")||this.initializeEditor()},initializeEditor:function(){var t=this.$control(),e=this.$input(),i={tinymce:!0,quicktags:!0,toolbar:this.get("toolbar"),mode:this.getMode(),field:this},n=e.attr("id"),a=acf.uniqueId("acf-editor-"),r=e.data();acf.rename({target:t,search:n,replace:a,destructive:!0}),this.set("id",a,!0),acf.tinymce.initialize(a,i),this.$input().data(r)},onMousedown:function(t){t.preventDefault();var e=this.$control();e.removeClass("delay"),e.find(".acf-editor-toolbar").remove(),this.initializeEditor()},enableEditor:function(){"visual"==this.getMode()&&acf.tinymce.enable(this.get("id"))},disableEditor:function(){acf.tinymce.destroy(this.get("id"))}});acf.registerFieldType(i)}(jQuery),function(t,e){var i=[];acf.Condition=acf.Model.extend({type:"",operator:"==",label:"",choiceType:"input",fieldTypes:[],data:{conditions:!1,field:!1,rule:{}},events:{change:"change",keyup:"change",enableField:"change",disableField:"change"},setup:function(e){t.extend(this.data,e)},getEventTarget:function(t,e){return t||this.get("field").$el},change:function(t,e){this.get("conditions").change(t)},match:function(t,e){return!1},calculate:function(){return this.match(this.get("rule"),this.get("field"))},choices:function(t){return'<input type="text" />'}}),acf.newCondition=function(t,e){var i=e.get("field"),n=i.getField(t.field);if(!i||!n)return!1;var a={rule:t,target:i,conditions:e,field:n},r=n.get("type"),o=t.operator,s,c,l;return new(acf.getConditionTypes({fieldType:r,operator:o})[0]||acf.Condition)(a)};var n=function(t){return acf.strPascalCase(t||"")+"Condition"};acf.registerConditionType=function(t){var e,a=t.prototype.type,r=n(a);acf.models[r]=t,i.push(a)},acf.getConditionType=function(t){var e=n(t);return acf.models[e]||!1},acf.registerConditionForFieldType=function(t,e){var i=acf.getConditionType(t);i&&i.prototype.fieldTypes.push(e)},acf.getConditionTypes=function(t){t=acf.parseArgs(t,{fieldType:"",operator:""});var e=[];return i.map((function(i){var n=acf.getConditionType(i),a=n.prototype.fieldTypes,r=n.prototype.operator;t.fieldType&&-1===a.indexOf(t.fieldType)||t.operator&&r!==t.operator||e.push(n)})),e}}(jQuery),function(t,e){var i="conditional_logic",n=new acf.Model({id:"conditionsManager",priority:20,actions:{new_field:"onNewField"},onNewField:function(t){t.has("conditions")&&t.getConditions().render()}}),a=function(t,e){var i=acf.getFields({key:e,sibling:t.$el,suppressFilters:!0});return i.length||(i=acf.getFields({key:e,parent:t.$el.parent(),suppressFilters:!0})),!!i.length&&i[0]};acf.Field.prototype.getField=function(t){var e=a(this,t);if(e)return e;for(var i=this.parents(),n=0;n<i.length;n++)if(e=a(i[n],t))return e;return!1},acf.Field.prototype.getConditions=function(){return this.conditions||(this.conditions=new o(this)),this.conditions};var r=!1,o=acf.Model.extend({id:"Conditions",data:{field:!1,timeStamp:!1,groups:[]},setup:function(t){this.data.field=t;var e=t.get("conditions");e instanceof Array?e[0]instanceof Array?e.map((function(t,e){this.addRules(t,e)}),this):this.addRules(e):this.addRule(e)},change:function(t){if(this.get("timeStamp")===t.timeStamp)return!1;this.set("timeStamp",t.timeStamp,!0);var e=this.render()},render:function(){return this.calculate()?this.show():this.hide()},show:function(){return this.get("field").showEnable(this.cid,i)},hide:function(){return this.get("field").hideDisable(this.cid,i)},calculate:function(){var t=!1;return this.getGroups().map((function(e){var i;t||e.filter((function(t){return t.calculate()})).length==e.length&&(t=!0)})),t},hasGroups:function(){return null!=this.data.groups},getGroups:function(){return this.data.groups},addGroup:function(){var t=[];return this.data.groups.push(t),t},hasGroup:function(t){return null!=this.data.groups[t]},getGroup:function(t){return this.data.groups[t]},removeGroup:function(t){return this.data.groups[t].delete,this},addRules:function(t,e){t.map((function(t){this.addRule(t,e)}),this)},addRule:function(t,e){var i;e=e||0,i=this.hasGroup(e)?this.getGroup(e):this.addGroup();var n=acf.newCondition(t,this);if(!n)return!1;i.push(n)},hasRule:function(){},getRule:function(t,e){return t=t||0,e=e||0,this.data.groups[e][t]},removeRule:function(){}})}(jQuery),function(t,e){var i=acf.__,n=function(t){return t?""+t:""},a=function(t,e){return n(t).toLowerCase()===n(e).toLowerCase()},r=function(t,e){return parseFloat(t)===parseFloat(e)},o=function(t,e){return parseFloat(t)>parseFloat(e)},s=function(t,e){return parseFloat(t)<parseFloat(e)},c=function(t,e){return(e=e.map((function(t){return n(t)}))).indexOf(t)>-1},l=function(t,e){return n(t).indexOf(n(e))>-1},u=function(t,e){var i=new RegExp(n(e),"gi");return n(t).match(i)},d=acf.Condition.extend({type:"hasValue",operator:"!=empty",label:i("Has any value"),fieldTypes:["text","textarea","number","range","email","url","password","image","file","wysiwyg","oembed","select","checkbox","radio","button_group","link","post_object","page_link","relationship","taxonomy","user","google_map","date_picker","date_time_picker","time_picker","color_picker"],match:function(t,e){return!!e.val()},choices:function(t){return'<input type="text" disabled="" />'}});acf.registerConditionType(d);var f=d.extend({type:"hasNoValue",operator:"==empty",label:i("Has no value"),match:function(t,e){return!d.prototype.match.apply(this,arguments)}});acf.registerConditionType(f);var h=acf.Condition.extend({type:"equalTo",operator:"==",label:i("Value is equal to"),fieldTypes:["text","textarea","number","range","email","url","password"],match:function(e,i){return t.isNumeric(e.value)?r(e.value,i.val()):a(e.value,i.val())},choices:function(t){return'<input type="text" />'}});acf.registerConditionType(h);var p=h.extend({type:"notEqualTo",operator:"!=",label:i("Value is not equal to"),match:function(t,e){return!h.prototype.match.apply(this,arguments)}});acf.registerConditionType(p);var g=acf.Condition.extend({type:"patternMatch",operator:"==pattern",label:i("Value matches pattern"),fieldTypes:["text","textarea","email","url","password","wysiwyg"],match:function(t,e){return u(e.val(),t.value)},choices:function(t){return'<input type="text" placeholder="[a-z0-9]" />'}});acf.registerConditionType(g);var m=acf.Condition.extend({type:"contains",operator:"==contains",label:i("Value contains"),fieldTypes:["text","textarea","number","email","url","password","wysiwyg","oembed","select"],match:function(t,e){return l(e.val(),t.value)},choices:function(t){return'<input type="text" />'}});acf.registerConditionType(m);var v=h.extend({type:"trueFalseEqualTo",choiceType:"select",fieldTypes:["true_false"],choices:function(t){return[{id:1,text:i("Checked")}]}});acf.registerConditionType(v);var y=p.extend({type:"trueFalseNotEqualTo",choiceType:"select",fieldTypes:["true_false"],choices:function(t){return[{id:1,text:i("Checked")}]}});acf.registerConditionType(y);var b=acf.Condition.extend({type:"selectEqualTo",operator:"==",label:i("Value is equal to"),fieldTypes:["select","checkbox","radio","button_group"],match:function(t,e){var i=e.val();return i instanceof Array?c(t.value,i):a(t.value,i)},choices:function(e){var n=[],a=e.$setting("choices textarea").val().split("\n");return e.$input("allow_null").prop("checked")&&n.push({id:"",text:i("Null")}),a.map((function(e){(e=e.split(":"))[1]=e[1]||e[0],n.push({id:t.trim(e[0]),text:t.trim(e[1])})})),n}});acf.registerConditionType(b);var _=b.extend({type:"selectNotEqualTo",operator:"!=",label:i("Value is not equal to"),match:function(t,e){return!b.prototype.match.apply(this,arguments)}});acf.registerConditionType(_);var w=acf.Condition.extend({type:"greaterThan",operator:">",label:i("Value is greater than"),fieldTypes:["number","range"],match:function(t,e){var i=e.val();return i instanceof Array&&(i=i.length),o(i,t.value)},choices:function(t){return'<input type="number" />'}});acf.registerConditionType(w);var x=w.extend({type:"lessThan",operator:"<",label:i("Value is less than"),match:function(t,e){var i=e.val();return i instanceof Array&&(i=i.length),s(i,t.value)},choices:function(t){return'<input type="number" />'}});acf.registerConditionType(x);var $=w.extend({type:"selectionGreaterThan",label:i("Selection is greater than"),fieldTypes:["checkbox","select","post_object","page_link","relationship","taxonomy","user"]});acf.registerConditionType($);var k=x.extend({type:"selectionLessThan",label:i("Selection is less than"),fieldTypes:["checkbox","select","post_object","page_link","relationship","taxonomy","user"]});acf.registerConditionType(k)}(jQuery),function(t,e){acf.newMediaPopup=function(t){var e=null,t=acf.parseArgs(t,{mode:"select",title:"",button:"",type:"",field:!1,allowedTypes:"",library:"all",multiple:!1,attachment:0,autoOpen:!0,open:function(){},select:function(){},close:function(){}});return e="edit"==t.mode?new acf.models.EditMediaPopup(t):new acf.models.SelectMediaPopup(t),t.autoOpen&&setTimeout((function(){e.open()}),1),acf.doAction("new_media_popup",e),e};var i=function(){var e=acf.get("post_id");return t.isNumeric(e)?e:0};acf.getMimeTypes=function(){return this.get("mimeTypes")},acf.getMimeType=function(t){var e=acf.getMimeTypes();if(void 0!==e[t])return e[t];for(var i in e)if(-1!==i.indexOf(t))return e[i];return!1};var n=acf.Model.extend({id:"MediaPopup",data:{},defaults:{},frame:!1,setup:function(e){t.extend(this.data,e)},initialize:function(){var t=this.getFrameOptions();this.addFrameStates(t);var e=wp.media(t);e.acf=this,this.addFrameEvents(e,t),this.frame=e},open:function(){this.frame.open()},close:function(){this.frame.close()},remove:function(){this.frame.detach(),this.frame.remove()},getFrameOptions:function(){var t={title:this.get("title"),multiple:this.get("multiple"),library:{},states:[]};return this.get("type")&&(t.library.type=this.get("type")),"uploadedTo"===this.get("library")&&(t.library.uploadedTo=i()),this.get("attachment")&&(t.library.post__in=[this.get("attachment")]),this.get("button")&&(t.button={text:this.get("button")}),t},addFrameStates:function(t){var e=wp.media.query(t.library);this.get("field")&&acf.isset(e,"mirroring","args")&&(e.mirroring.args._acfuploader=this.get("field")),t.states.push(new wp.media.controller.Library({library:e,multiple:this.get("multiple"),title:this.get("title"),priority:20,filterable:"all",editable:!0,allowLocalEdits:!0})),acf.isset(wp,"media","controller","EditImage")&&t.states.push(new wp.media.controller.EditImage)},addFrameEvents:function(t,e){t.on("open",(function(){this.$el.closest(".media-modal").addClass("acf-media-modal -"+this.acf.get("mode"))}),t),t.on("content:render:edit-image",(function(){var t=this.state().get("image"),e=new wp.media.view.EditImage({model:t,controller:this}).render();this.content.set(e),e.loadEditor()}),t),t.on("select",(function(){var e=t.state().get("selection");e&&e.each((function(e,i){t.acf.get("select").apply(t.acf,[e,i])}))})),t.on("close",(function(){setTimeout((function(){t.acf.get("close").apply(t.acf),t.acf.remove()}),1)}))}});acf.models.SelectMediaPopup=n.extend({id:"SelectMediaPopup",setup:function(t){t.button||(t.button=acf._x("Select","verb")),n.prototype.setup.apply(this,arguments)},addFrameEvents:function(t,e){acf.isset(_wpPluploadSettings,"defaults","multipart_params")&&(_wpPluploadSettings.defaults.multipart_params._acfuploader=this.get("field"),t.on("open",(function(){delete _wpPluploadSettings.defaults.multipart_params._acfuploader}))),t.on("content:activate:browse",(function(){var e=!1;try{e=t.content.get().toolbar}catch(t){return void console.log(t)}t.acf.customizeFilters.apply(t.acf,[e])})),n.prototype.addFrameEvents.apply(this,arguments)},customizeFilters:function(e){var i=e.get("filters"),n;("image"==this.get("type")&&(i.filters.all.text=acf.__("All images"),delete i.filters.audio,delete i.filters.video,delete i.filters.image,t.each(i.filters,(function(t,e){e.props.type=e.props.type||"image"}))),this.get("allowedTypes"))&&this.get("allowedTypes").split(" ").join("").split(".").join("").split(",").map((function(t){var e=acf.getMimeType(t);if(e){var n={text:e,props:{status:null,type:e,uploadedTo:null,orderby:"date",order:"DESC"},priority:20};i.filters[e]=n}}));if("uploadedTo"===this.get("library")){var a=this.frame.options.library.uploadedTo;delete i.filters.unattached,delete i.filters.uploaded,t.each(i.filters,(function(t,e){e.text+=" ("+acf.__("Uploaded to this post")+")",e.props.uploadedTo=a}))}var r=this.get("field"),o;t.each(i.filters,(function(t,e){e.props._acfuploader=r})),e.get("search").model.attributes._acfuploader=r,i.renderFilters&&i.renderFilters()}}),acf.models.EditMediaPopup=n.extend({id:"SelectMediaPopup",setup:function(t){t.button||(t.button=acf._x("Update","verb")),n.prototype.setup.apply(this,arguments)},addFrameEvents:function(t,e){t.on("open",(function(){this.$el.closest(".media-modal").addClass("acf-expanded"),"browse"!=this.content.mode()&&this.content.mode("browse");var e,i=this.state().get("selection"),n=wp.media.attachment(t.acf.get("attachment"));i.add(n)}),t),n.prototype.addFrameEvents.apply(this,arguments)}});var a=new acf.Model({id:"customizePrototypes",wait:"ready",initialize:function(){if(acf.isset(window,"wp","media","view")){var t=i();t&&acf.isset(wp,"media","view","settings","post")&&(wp.media.view.settings.post.id=t),this.customizeAttachmentsButton(),this.customizeAttachmentsRouter(),this.customizeAttachmentFilters(),this.customizeAttachmentCompat(),this.customizeAttachmentLibrary()}},customizeAttachmentsButton:function(){if(acf.isset(wp,"media","view","Button")){var t=wp.media.view.Button;wp.media.view.Button=t.extend({initialize:function(){var t=_.defaults(this.options,this.defaults);this.model=new Backbone.Model(t),this.listenTo(this.model,"change",this.render)}})}},customizeAttachmentsRouter:function(){if(acf.isset(wp,"media","view","Router")){var e=wp.media.view.Router;wp.media.view.Router=e.extend({addExpand:function(){var e=t(['<a href="#" class="acf-expand-details">','<span class="is-closed"><span class="acf-icon -left small grey"></span>'+acf.__("Expand Details")+"</span>",'<span class="is-open"><span class="acf-icon -right small grey"></span>'+acf.__("Collapse Details")+"</span>","</a>"].join(""));e.on("click",(function(e){e.preventDefault();var i=t(this).closest(".media-modal");i.hasClass("acf-expanded")?i.removeClass("acf-expanded"):i.addClass("acf-expanded")})),this.$el.append(e)},initialize:function(){return e.prototype.initialize.apply(this,arguments),this.addExpand(),this}})}},customizeAttachmentFilters:function(){var e;acf.isset(wp,"media","view","AttachmentFilters","All")&&(wp.media.view.AttachmentFilters.All.prototype.renderFilters=function(){this.$el.html(_.chain(this.filters).map((function(e,i){return{el:t("<option></option>").val(i).html(e.text)[0],priority:e.priority||50}}),this).sortBy("priority").pluck("el").value())})},customizeAttachmentCompat:function(){if(acf.isset(wp,"media","view","AttachmentCompat")){var e=wp.media.view.AttachmentCompat,i=!1;wp.media.view.AttachmentCompat=e.extend({render:function(){return this.rendered?this:(e.prototype.render.apply(this,arguments),this.$("#acf-form-data").length?(clearTimeout(i),i=setTimeout(t.proxy((function(){this.rendered=!0,acf.doAction("append",this.$el)}),this),50),this):this)},save:function(t){var e={};t&&t.preventDefault(),e=acf.serializeForAjax(this.$el),this.controller.trigger("attachment:compat:waiting",["waiting"]),this.model.saveCompat(e).always(_.bind(this.postSave,this))}})}},customizeAttachmentLibrary:function(){if(acf.isset(wp,"media","view","Attachment","Library")){var t=wp.media.view.Attachment.Library;wp.media.view.Attachment.Library=t.extend({render:function(){var e=acf.isget(this,"controller","acf"),i=acf.isget(this,"model","attributes");if(e&&i){i.acf_errors&&this.$el.addClass("acf-disabled");var n=e.get("selected");n&&n.indexOf(i.id)>-1&&this.$el.addClass("acf-selected")}return t.prototype.render.apply(this,arguments)},toggleSelection:function(e){var i=this.collection,n=this.options.selection,a=this.model,r=n.single(),o=this.controller,s=acf.isget(this,"model","attributes","acf_errors"),c=o.$el.find(".media-frame-content .media-sidebar");if(c.children(".acf-selection-error").remove(),c.children().removeClass("acf-hidden"),o&&s){var l=acf.isget(this,"model","attributes","filename");return c.children().addClass("acf-hidden"),c.prepend(['<div class="acf-selection-error">','<span class="selection-error-label">'+acf.__("Restricted")+"</span>",'<span class="selection-error-filename">'+l+"</span>",'<span class="selection-error-message">'+s+"</span>","</div>"].join("")),n.reset(),void n.single(a)}return t.prototype.toggleSelection.apply(this,arguments)}})}}})}(jQuery),function(t,e){acf.screen=new acf.Model({active:!0,xhr:!1,timeout:!1,wait:"load",events:{"change #page_template":"onChange","change #parent_id":"onChange","change #post-formats-select":"onChange","change .categorychecklist":"onChange","change .tagsdiv":"onChange",'change .acf-taxonomy-field[data-save="1"]':"onChange","change #product-type":"onChange"},isPost:function(){return"post"===acf.get("screen")},isUser:function(){return"user"===acf.get("screen")},isTaxonomy:function(){return"taxonomy"===acf.get("screen")},isAttachment:function(){return"attachment"===acf.get("screen")},isNavMenu:function(){return"nav_menu"===acf.get("screen")},isWidget:function(){return"widget"===acf.get("screen")},isComment:function(){return"comment"===acf.get("screen")},getPageTemplate:function(){var e=t("#page_template");return e.length?e.val():null},getPageParent:function(e,i){var i;return(i=t("#parent_id")).length?i.val():null},getPageType:function(t,e){return this.getPageParent()?"child":"parent"},getPostType:function(){return t("#post_type").val()},getPostFormat:function(e,i){var i;if((i=t("#post-formats-select input:checked")).length){var n=i.val();return"0"==n?"standard":n}return null},getPostCoreTerms:function(){var e={},i=acf.serialize(t(".categorydiv, .tagsdiv"));for(var n in i.tax_input&&(e=i.tax_input),i.post_category&&(e.category=i.post_category),e)acf.isArray(e[n])||(e[n]=e[n].split(/,[\s]?/));return e},getPostTerms:function(){var t=this.getPostCoreTerms();for(var e in acf.getFields({type:"taxonomy"}).map((function(e){if(e.get("save")){var i=e.val(),n=e.get("taxonomy");i&&(t[n]=t[n]||[],i=acf.isArray(i)?i:[i],t[n]=t[n].concat(i))}})),null!==(productType=this.getProductType())&&(t.product_type=[productType]),t)t[e]=acf.uniqueArray(t[e]);return t},getProductType:function(){var e=t("#product-type");return e.length?e.val():null},check:function(){if("post"===acf.get("screen")){this.xhr&&this.xhr.abort();var e=acf.parseArgs(this.data,{action:"acf/ajax/check_screen",screen:acf.get("screen"),exists:[]});this.isPost()&&(e.post_id=acf.get("post_id")),null!==(postType=this.getPostType())&&(e.post_type=postType),null!==(pageTemplate=this.getPageTemplate())&&(e.page_template=pageTemplate),null!==(pageParent=this.getPageParent())&&(e.page_parent=pageParent),null!==(pageType=this.getPageType())&&(e.page_type=pageType),null!==(postFormat=this.getPostFormat())&&(e.post_format=postFormat),null!==(postTerms=this.getPostTerms())&&(e.post_terms=postTerms),acf.getPostboxes().map((function(t){e.exists.push(t.get("key"))})),e=acf.applyFilters("check_screen_args",e);var i=function(t){acf.isAjaxSuccess(t)&&("post"==acf.get("screen")?this.renderPostScreen(t.data):"user"==acf.get("screen")&&this.renderUserScreen(t.data)),acf.doAction("check_screen_complete",t.data,e)};this.xhr=t.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(e),type:"post",dataType:"json",context:this,success:i})}},onChange:function(t,e){this.setTimeout(this.check,1)},renderPostScreen:function(e){var i=function(e,i){var n=t._data(e[0]).events;for(var a in n)for(var r=0;r<n[a].length;r++)i.on(a,n[a][r].handler)},n=function(e,i){var n=i.indexOf(e);if(-1==n)return!1;for(var a=n-1;a>=0;a--)if(t("#"+i[a]).length)return t("#"+i[a]).after(t("#"+e));for(var a=n+1;a<i.length;a++)if(t("#"+i[a]).length)return t("#"+i[a]).before(t("#"+e));return!1};e.visible=[],e.hidden=[],e.results=e.results.map((function(a,r){var o=acf.getPostbox(a.id);if(acf.isGutenberg()&&"acf_after_title"==a.position&&(a.position="normal"),!o){var s=t(['<div id="'+a.id+'" class="postbox">','<button type="button" class="handlediv" aria-expanded="false">','<span class="screen-reader-text">Toggle panel: '+a.title+"</span>",'<span class="toggle-indicator" aria-hidden="true"></span>',"</button>",'<h2 class="hndle ui-sortable-handle">',"<span>"+a.title+"</span>","</h2>",'<div class="inside">',a.html,"</div>","</div>"].join(""));if(t("#adv-settings").length){var c=t("#adv-settings .metabox-prefs"),l=t(['<label for="'+a.id+'-hide">','<input class="hide-postbox-tog" name="'+a.id+'-hide" type="checkbox" id="'+a.id+'-hide" value="'+a.id+'" checked="checked">'," "+a.title,"</label>"].join(""));i(c.find("input").first(),l.find("input")),c.append(l)}t(".postbox").length&&(i(t(".postbox .handlediv").first(),s.children(".handlediv")),i(t(".postbox .hndle").first(),s.children(".hndle"))),"side"===a.position?t("#"+a.position+"-sortables").append(s):t("#"+a.position+"-sortables").prepend(s);var u=[];if(e.results.map((function(e){a.position===e.position&&t("#"+a.position+"-sortables #"+e.id).length&&u.push(e.id)})),n(a.id,u),e.sorted)for(var d in e.sorted){var u=e.sorted[d].split(",");if(n(a.id,u))break}o=acf.newPostbox(a),acf.doAction("append",s),acf.doAction("append_postbox",o)}return o.showEnable(),e.visible.push(a.id),a})),acf.getPostboxes().map((function(t){-1===e.visible.indexOf(t.get("id"))&&(t.hideDisable(),e.hidden.push(t.get("id")))})),t("#acf-style").html(e.style),acf.doAction("refresh_post_screen",e)},renderUserScreen:function(t){}});var i=new acf.Model({postEdits:{},wait:"load",initialize:function(){var t;acf.isGutenberg()&&(wp.data.subscribe(acf.debounce(this.onChange).bind(this)),acf.screen.getPageTemplate=this.getPageTemplate,acf.screen.getPageParent=this.getPageParent,acf.screen.getPostType=this.getPostType,acf.screen.getPostFormat=this.getPostFormat,acf.screen.getPostCoreTerms=this.getPostCoreTerms,acf.unload.disable(),parseFloat(acf.get("wp_version"))>=5.3&&this.addAction("refresh_post_screen",this.onRefreshPostScreen))},onChange:function(){var t=["template","parent","format"];(wp.data.select("core").getTaxonomies()||[]).map((function(e){t.push(e.rest_base)}));var e=wp.data.select("core/editor").getPostEdits(),i={};t.map((function(t){void 0!==e[t]&&(i[t]=e[t])})),JSON.stringify(i)!==JSON.stringify(this.postEdits)&&(this.postEdits=i,acf.screen.check())},getPageTemplate:function(){return wp.data.select("core/editor").getEditedPostAttribute("template")},getPageParent:function(t,e){return wp.data.select("core/editor").getEditedPostAttribute("parent")},getPostType:function(){return wp.data.select("core/editor").getEditedPostAttribute("type")},getPostFormat:function(t,e){return wp.data.select("core/editor").getEditedPostAttribute("format")},getPostCoreTerms:function(){var t={},e;return(wp.data.select("core").getTaxonomies()||[]).map((function(e){var i=wp.data.select("core/editor").getEditedPostAttribute(e.rest_base);i&&(t[e.slug]=i)})),t},onRefreshPostScreen:function(t){var e=wp.data.select("core/edit-post"),i=wp.data.dispatch("core/edit-post"),n={};e.getActiveMetaBoxLocations().map((function(t){n[t]=e.getMetaBoxesPerLocation(t)}));var a=[];for(var r in n)n[r].map((function(t){a.push(t.id)}));for(var r in t.results.filter((function(t){return-1===a.indexOf(t.id)})).map((function(t,e){var i=t.position;n[i]=n[i]||[],n[i].push({id:t.id,title:t.title})})),n)n[r]=n[r].filter((function(e){return-1===t.hidden.indexOf(e.id)}));i.setAvailableMetaBoxesPerLocation(n)}})}(jQuery),function(t,e){function i(){return acf.isset(window,"jQuery","fn","select2","amd")?4:!!acf.isset(window,"Select2")&&3}acf.newSelect2=function(t,e){if(e=acf.parseArgs(e,{allowNull:!1,placeholder:"",multiple:!1,field:!1,ajax:!1,ajaxAction:"",ajaxData:function(t){return t},ajaxResults:function(t){return t}}),4==i())var n=new a(t,e);else var n=new r(t,e);return acf.doAction("new_select2",n),n};var n=acf.Model.extend({setup:function(e,i){t.extend(this.data,i),this.$el=e},initialize:function(){},selectOption:function(t){var e=this.getOption(t);e.prop("selected")||e.prop("selected",!0).trigger("change")},unselectOption:function(t){var e=this.getOption(t);e.prop("selected")&&e.prop("selected",!1).trigger("change")},getOption:function(t){return this.$('option[value="'+t+'"]')},addOption:function(e){e=acf.parseArgs(e,{id:"",text:"",selected:!1});var i=this.getOption(e.id);return i.length||((i=t("<option></option>")).html(e.text),i.attr("value",e.id),i.prop("selected",e.selected),this.$el.append(i)),i},getValue:function(){var e=[],i=this.$el.find("option:selected");return i.exists()?((i=i.sort((function(t,e){return+t.getAttribute("data-i")-+e.getAttribute("data-i")}))).each((function(){var i=t(this);e.push({$el:i,id:i.attr("value"),text:i.text()})})),e):e},mergeOptions:function(){},getChoices:function(){var e=function(i){var n=[];return i.children().each((function(){var i=t(this);i.is("optgroup")?n.push({text:i.attr("label"),children:e(i)}):n.push({id:i.attr("value"),text:i.text()})})),n};return e(this.$el)},decodeChoices:function(t){var e=function(t){return t.map((function(t){return t.text=acf.decode(t.text),t.children&&(t.children=e(t.children)),t})),t};return e(t)},getAjaxData:function(t){var e={action:this.get("ajaxAction"),s:t.term||"",paged:t.page||1},i=this.get("field");i&&(e.field_key=i.get("key"));var n=this.get("ajaxData");return n&&(e=n.apply(this,[e,t])),e=acf.applyFilters("select2_ajax_data",e,this.data,this.$el,i||!1,this),acf.prepareForAjax(e)},getAjaxResults:function(t,e){(t=acf.parseArgs(t,{results:!1,more:!1})).results&&(t.results=this.decodeChoices(t.results))
;var i=this.get("ajaxResults");return i&&(t=i.apply(this,[t,e])),t=acf.applyFilters("select2_ajax_results",t,e,this)},processAjaxResults:function(e,i){var e;return(e=this.getAjaxResults(e,i)).more&&(e.pagination={more:!0}),setTimeout(t.proxy(this.mergeOptions,this),1),e},destroy:function(){this.$el.data("select2")&&this.$el.select2("destroy"),this.$el.siblings(".select2-container").remove()}}),a=n.extend({initialize:function(){var e=this.$el,i={width:"100%",allowClear:this.get("allowNull"),placeholder:this.get("placeholder"),multiple:this.get("multiple"),data:[],escapeMarkup:function(t){return t}};i.multiple&&this.getValue().map((function(t){t.$el.detach().appendTo(e)})),e.removeData("ajax"),e.removeAttr("data-ajax"),this.get("ajax")&&(i.ajax={url:acf.get("ajaxurl"),delay:250,dataType:"json",type:"post",cache:!1,data:t.proxy(this.getAjaxData,this),processResults:t.proxy(this.processAjaxResults,this)});var n=this.get("field");i=acf.applyFilters("select2_args",i,e,this.data,n||!1,this),e.select2(i);var a=e.next(".select2-container");if(i.multiple){var r=a.find("ul");r.sortable({stop:function(i){r.find(".select2-selection__choice").each((function(){var i;t(t(this).data("data").element).detach().appendTo(e)})),e.trigger("change")}}),e.on("select2:select",this.proxy((function(t){this.getOption(t.params.data.id).detach().appendTo(this.$el)})))}a.addClass("-acf"),acf.doAction("select2_init",e,i,this.data,n||!1,this)},mergeOptions:function(){var e=!1,i=!1;t('.select2-results__option[role="group"]').each((function(){var n=t(this).children("ul"),a=t(this).children("strong");if(i&&i.text()===a.text())return e.append(n.children()),void t(this).remove();e=n,i=a}))}}),r=n.extend({initialize:function(){var e=this.$el,i=this.getValue(),n=this.get("multiple"),a={width:"100%",allowClear:this.get("allowNull"),placeholder:this.get("placeholder"),separator:"||",multiple:this.get("multiple"),data:this.getChoices(),escapeMarkup:function(t){return t},dropdownCss:{"z-index":"999999999"},initSelection:function(t,e){e(n?i:i.shift())}},r=e.siblings("input");r.length||(r=t('<input type="hidden" />'),e.before(r)),inputValue=i.map((function(t){return t.id})).join("||"),r.val(inputValue),a.multiple&&i.map((function(t){t.$el.detach().appendTo(e)})),a.allowClear&&(a.data=a.data.filter((function(t){return""!==t.id}))),e.removeData("ajax"),e.removeAttr("data-ajax"),this.get("ajax")&&(a.ajax={url:acf.get("ajaxurl"),quietMillis:250,dataType:"json",type:"post",cache:!1,data:t.proxy(this.getAjaxData,this),results:t.proxy(this.processAjaxResults,this)});var o=this.get("field");a=acf.applyFilters("select2_args",a,e,this.data,o||!1,this),r.select2(a);var s=r.select2("container"),c=t.proxy(this.getOption,this);if(a.multiple){var l=s.find("ul");l.sortable({stop:function(){l.find(".select2-search-choice").each((function(){var i=t(this).data("select2Data"),n;c(i.id).detach().appendTo(e)})),e.trigger("change")}})}r.on("select2-selecting",(function(i){var n=i.choice,a=c(n.id);a.length||(a=t('<option value="'+n.id+'">'+n.text+"</option>")),a.detach().appendTo(e)})),s.addClass("-acf"),acf.doAction("select2_init",e,a,this.data,o||!1,this),r.on("change",(function(){var t=r.val();t.indexOf("||")&&(t=t.split("||")),e.val(t).trigger("change")})),e.hide()},mergeOptions:function(){var e=!1,i=!1;t("#select2-drop .select2-result-with-children").each((function(){var n=t(this).children("ul"),a=t(this).children(".select2-result-label");if(i&&i.text()===a.text())return i.append(n.children()),void t(this).remove();e=n,i=a}))},getAjaxData:function(t,e){var i={term:t,page:e};return n.prototype.getAjaxData.apply(this,[i])}}),o=new acf.Model({priority:5,wait:"prepare",actions:{duplicate:"onDuplicate"},initialize:function(){var t=acf.get("locale"),e=acf.get("rtl"),n=acf.get("select2L10n"),a=i();return!!n&&(0!==t.indexOf("en")&&void(4==a?this.addTranslations4():3==a&&this.addTranslations3()))},addTranslations4:function(){var t=acf.get("select2L10n"),e=acf.get("locale");e=e.replace("_","-");var i={errorLoading:function(){return t.load_fail},inputTooLong:function(e){var i=e.input.length-e.maximum;return i>1?t.input_too_long_n.replace("%d",i):t.input_too_long_1},inputTooShort:function(e){var i=e.minimum-e.input.length;return i>1?t.input_too_short_n.replace("%d",i):t.input_too_short_1},loadingMore:function(){return t.load_more},maximumSelected:function(e){var i=e.maximum;return i>1?t.selection_too_long_n.replace("%d",i):t.selection_too_long_1},noResults:function(){return t.matches_0},searching:function(){return t.searching}};jQuery.fn.select2.amd.define("select2/i18n/"+e,[],(function(){return i}))},addTranslations3:function(){var e=acf.get("select2L10n"),i=acf.get("locale");i=i.replace("_","-");var n={formatMatches:function(t){return t>1?e.matches_n.replace("%d",t):e.matches_1},formatNoMatches:function(){return e.matches_0},formatAjaxError:function(){return e.load_fail},formatInputTooShort:function(t,i){var n=i-t.length;return n>1?e.input_too_short_n.replace("%d",n):e.input_too_short_1},formatInputTooLong:function(t,i){var n=t.length-i;return n>1?e.input_too_long_n.replace("%d",n):e.input_too_long_1},formatSelectionTooBig:function(t){return t>1?e.selection_too_long_n.replace("%d",t):e.selection_too_long_1},formatLoadMore:function(){return e.load_more},formatSearching:function(){return e.searching}};t.fn.select2.locales=t.fn.select2.locales||{},t.fn.select2.locales[i]=n,t.extend(t.fn.select2.defaults,n)},onDuplicate:function(t,e){e.find(".select2-container").remove()}})}(jQuery),function(t,e){acf.tinymce={defaults:function(){return"undefined"!=typeof tinyMCEPreInit&&{tinymce:tinyMCEPreInit.mceInit.acf_content,quicktags:tinyMCEPreInit.qtInit.acf_content};var t},initialize:function(t,e){(e=acf.parseArgs(e,{tinymce:!0,quicktags:!0,toolbar:"full",mode:"visual",field:!1})).tinymce&&this.initializeTinymce(t,e),e.quicktags&&this.initializeQuicktags(t,e)},initializeTinymce:function(e,i){var n=t("#"+e),a=this.defaults(),r=acf.get("toolbars"),o=i.field||!1,s=o.$el||!1;if("undefined"==typeof tinymce)return!1;if(!a)return!1;if(tinymce.get(e))return this.enable(e);var c=t.extend({},a.tinymce,i.tinymce);c.id=e,c.selector="#"+e;var l=i.toolbar;if(l&&r&&r[l])for(var u=1;u<=4;u++)c["toolbar"+u]=r[l][u]||"";if(c.setup=function(t){t.on("change",(function(e){t.save(),n.trigger("change")})),t.on("mouseup",(function(t){var e=new MouseEvent("mouseup");window.dispatchEvent(e)}))},c.wp_autoresize_on=!1,c.tadv_noautop||(c.wpautop=!0),c=acf.applyFilters("wysiwyg_tinymce_settings",c,e,o),tinyMCEPreInit.mceInit[e]=c,"visual"==i.mode){var d=tinymce.init(c),f=tinymce.get(e);if(!f)return!1;f.acf=i.field,acf.doAction("wysiwyg_tinymce_init",f,f.id,c,o)}},initializeQuicktags:function(e,i){var n=this.defaults();if("undefined"==typeof quicktags)return!1;if(!n)return!1;var a=t.extend({},n.quicktags,i.quicktags);a.id=e;var r=i.field||!1,o=r.$el||!1;a=acf.applyFilters("wysiwyg_quicktags_settings",a,a.id,r),tinyMCEPreInit.qtInit[e]=a;var s=quicktags(a);if(!s)return!1;this.buildQuicktags(s),acf.doAction("wysiwyg_quicktags_init",s,s.id,a,r)},buildQuicktags:function(t){var e,i,n,a,r,t,o,s,c,l,u=",strong,em,link,block,del,ins,img,ul,ol,li,code,more,close,";for(s in e=t.canvas,i=t.name,n=t.settings,r="",a={},c="",l=t.id,n.buttons&&(c=","+n.buttons+","),edButtons)edButtons[s]&&(o=edButtons[s].id,c&&-1!==u.indexOf(","+o+",")&&-1===c.indexOf(","+o+",")||edButtons[s].instance&&edButtons[s].instance!==l||(a[o]=edButtons[s],edButtons[s].html&&(r+=edButtons[s].html(i+"_"))));c&&-1!==c.indexOf(",dfw,")&&(a.dfw=new QTags.DFWButton,r+=a.dfw.html(i+"_")),"rtl"===document.getElementsByTagName("html")[0].dir&&(a.textdirection=new QTags.TextDirectionButton,r+=a.textdirection.html(i+"_")),t.toolbar.innerHTML=r,t.theButtons=a,"undefined"!=typeof jQuery&&jQuery(document).triggerHandler("quicktags-init",[t])},disable:function(t){this.destroyTinymce(t)},remove:function(t){this.destroyTinymce(t)},destroy:function(t){this.destroyTinymce(t)},destroyTinymce:function(t){if("undefined"==typeof tinymce)return!1;var e=tinymce.get(t);return!!e&&(e.save(),e.destroy(),!0)},enable:function(t){this.enableTinymce(t)},enableTinymce:function(t){return"undefined"!=typeof switchEditors&&(void 0!==tinyMCEPreInit.mceInit[t]&&(switchEditors.go(t,"tmce"),!0))}};var i=new acf.Model({priority:5,actions:{prepare:"onPrepare",ready:"onReady"},onPrepare:function(){var e=t("#acf-hidden-wp-editor");e.exists()&&e.appendTo("body")},onReady:function(){acf.isset(window,"wp","oldEditor")&&(wp.editor.autop=wp.oldEditor.autop,wp.editor.removep=wp.oldEditor.removep),acf.isset(window,"tinymce","on")&&tinymce.on("AddEditor",(function(t){var e=t.editor;"acf"===e.id.substr(0,3)&&(e=tinymce.editors.content||e,tinymce.activeEditor=e,wpActiveEditor=e.id)}))}})}(jQuery),function(t,e){var i=acf.Model.extend({id:"Validator",data:{errors:[],notice:null,status:""},events:{"changed:status":"onChangeStatus"},addErrors:function(t){t.map(this.addError,this)},addError:function(t){this.data.errors.push(t)},hasErrors:function(){return this.data.errors.length},clearErrors:function(){return this.data.errors=[]},getErrors:function(){return this.data.errors},getFieldErrors:function(){var t=[],e=[];return this.getErrors().map((function(i){if(i.input){var n=e.indexOf(i.input);n>-1?t[n]=i:(t.push(i),e.push(i.input))}})),t},getGlobalErrors:function(){return this.getErrors().filter((function(t){return!t.input}))},showErrors:function(){if(this.hasErrors()){var e=this.getFieldErrors(),i=this.getGlobalErrors(),n=0,a=!1;e.map((function(t){var e=this.$('[name="'+t.input+'"]').first();if(e.length||(e=this.$('[name^="'+t.input+'"]').first()),e.length){n++;var i=acf.getClosestField(e);i.showError(t.message),a||(a=i.$el)}}),this);var r=acf.__("Validation failed");if(i.map((function(t){r+=". "+t.message})),1==n?r+=". "+acf.__("1 field requires attention"):n>1&&(r+=". "+acf.__("%d fields require attention").replace("%d",n)),this.has("notice"))this.get("notice").update({type:"error",text:r});else{var o=acf.newNotice({type:"error",text:r,target:this.$el});this.set("notice",o)}a||(a=this.get("notice").$el),setTimeout((function(){t("html, body").animate({scrollTop:a.offset().top-t(window).height()/2},500)}),10)}},onChangeStatus:function(t,e,i,n){this.$el.removeClass("is-"+n).addClass("is-"+i)},validate:function(e){if(e=acf.parseArgs(e,{event:!1,reset:!1,loading:function(){},complete:function(){},failure:function(){},success:function(t){t.submit()}}),"valid"==this.get("status"))return!0;if("validating"==this.get("status"))return!1;if(!this.$(".acf-field").length)return!0;if(e.event){var i=t.Event(null,e.event);e.success=function(){acf.enableSubmit(t(i.target)).trigger(i)}}acf.doAction("validation_begin",this.$el),acf.lockForm(this.$el),e.loading(this.$el,this),this.set("status","validating");var n=function(t){if(acf.isAjaxSuccess(t)){var e=acf.applyFilters("validation_complete",t.data,this.$el,this);e.valid||this.addErrors(e.errors)}},a=function(){acf.unlockForm(this.$el),this.hasErrors()?(this.set("status","invalid"),acf.doAction("validation_failure",this.$el,this),this.showErrors(),e.failure(this.$el,this)):(this.set("status","valid"),this.has("notice")&&this.get("notice").update({type:"success",text:acf.__("Validation successful"),timeout:1e3}),acf.doAction("validation_success",this.$el,this),acf.doAction("submit",this.$el),e.success(this.$el,this),acf.lockForm(this.$el),e.reset&&this.reset()),e.complete(this.$el,this),this.clearErrors()},r=acf.serialize(this.$el);return r.action="acf/validate_save_post",t.ajax({url:acf.get("ajaxurl"),data:acf.prepareForAjax(r),type:"post",dataType:"json",context:this,success:n,complete:a}),!1},setup:function(t){this.$el=t},reset:function(){this.set("errors",[]),this.set("notice",null),this.set("status",""),acf.unlockForm(this.$el)}}),n=function(t){var e=t.data("acf");return e||(e=new i(t)),e};acf.validateForm=function(t){return n(t.form).validate(t)},acf.enableSubmit=function(t){return t.removeClass("disabled")},acf.disableSubmit=function(t){return t.addClass("disabled")},acf.showSpinner=function(t){return t.addClass("is-active"),t.css("display","inline-block"),t},acf.hideSpinner=function(t){return t.removeClass("is-active"),t.css("display","none"),t},acf.lockForm=function(t){var e=a(t),i=e.find('.button, [type="submit"]'),n=e.find(".spinner, .acf-spinner");return acf.hideSpinner(n),acf.disableSubmit(i),acf.showSpinner(n.last()),t},acf.unlockForm=function(t){var e=a(t),i=e.find('.button, [type="submit"]'),n=e.find(".spinner, .acf-spinner");return acf.enableSubmit(i),acf.hideSpinner(n),t};var a=function(t){var e,e,e,e;return(e=t.find("#submitdiv")).length?e:(e=t.find("#submitpost")).length?e:(e=t.find("p.submit").last()).length?e:(e=t.find(".acf-form-submit")).length?e:t};acf.validation=new acf.Model({id:"validation",active:!0,wait:"prepare",actions:{ready:"addInputEvents",append:"addInputEvents"},events:{'click input[type="submit"]':"onClickSubmit",'click button[type="submit"]':"onClickSubmit","click #save-post":"onClickSave","submit form#post":"onSubmitPost","submit form":"onSubmit"},initialize:function(){acf.get("validation")||(this.active=!1,this.actions={},this.events={})},enable:function(){this.active=!0},disable:function(){this.active=!1},reset:function(t){n(t).reset()},addInputEvents:function(e){if("safari"!==acf.get("browser")){var i=t(".acf-field [name]",e);i.length&&this.on(i,"invalid","onInvalid")}},onInvalid:function(t,e){t.preventDefault();var i=e.closest("form");i.length&&(n(i).addError({input:e.attr("name"),message:t.target.validationMessage}),i.submit())},onClickSubmit:function(t,e){this.set("originalEvent",t)},onClickSave:function(t,e){this.set("ignore",!0)},onClickSubmitGutenberg:function(e,i){var n;acf.validateForm({form:t("#editor"),event:e,reset:!0,failure:function(t,e){var i=e.get("notice").$el;i.appendTo(".components-notice-list"),i.find(".acf-notice-dismiss").removeClass("small")}})||(e.preventDefault(),e.stopImmediatePropagation())},onSubmitPost:function(e,i){"dopreview"===t("input#wp-preview").val()&&(this.set("ignore",!0),acf.unlockForm(i))},onSubmit:function(t,e){if(!this.active||this.get("ignore")||t.isDefaultPrevented())return this.allowSubmit();var i;acf.validateForm({form:e,event:this.get("originalEvent")})||t.preventDefault()},allowSubmit:function(){return this.set("ignore",!1),this.set("originalEvent",!1),!0}})}(jQuery),function(t,e){var i=new acf.Model({priority:90,initialize:function(){this.refresh=acf.debounce(this.refresh,0)},actions:{new_field:"refresh",show_field:"refresh",hide_field:"refresh",remove_field:"refresh",unmount_field:"refresh",remount_field:"refresh"},refresh:function(){acf.doAction("refresh"),t(window).trigger("acfrefresh")}}),n=new acf.Model({priority:1,actions:{sortstart:"onSortstart",sortstop:"onSortstop"},onSortstart:function(t){acf.doAction("unmount",t)},onSortstop:function(t){acf.doAction("remount",t)}}),a=new acf.Model({actions:{sortstart:"onSortstart"},onSortstart:function(e,i){e.is("tr")&&(i.html('<td style="padding:0;" colspan="'+i.children().length+'"></td>'),e.addClass("acf-sortable-tr-helper"),e.children().each((function(){t(this).width(t(this).width())})),i.height(e.height()+"px"),e.removeClass("acf-sortable-tr-helper"))}}),r=new acf.Model({actions:{after_duplicate:"onAfterDuplicate"},onAfterDuplicate:function(e,i){var n=[];e.find("select").each((function(e){n.push(t(this).val())})),i.find("select").each((function(e){t(this).val(n[e])}))}}),o=new acf.Model({id:"tableHelper",priority:20,actions:{refresh:"renderTables"},renderTables:function(e){var i=this;t(".acf-table:visible").each((function(){i.renderTable(t(this))}))},renderTable:function(e){var i=e.find("> thead > tr:visible > th[data-key]"),n=e.find("> tbody > tr:visible > td[data-key]");if(!i.length||!n.length)return!1;i.each((function(e){var i=t(this),a=i.data("key"),r=n.filter('[data-key="'+a+'"]'),o=r.filter(".acf-hidden");r.removeClass("acf-empty"),r.length===o.length?acf.hide(i):(acf.show(i),o.addClass("acf-empty"))})),i.css("width","auto"),i=i.not(".acf-hidden");var a=100,r=i.length,o;i.filter("[data-width]").each((function(){var e=t(this).data("width");t(this).css("width",e+"%"),a-=e}));var s=i.not("[data-width]");if(s.length){var c=a/s.length;s.css("width",c+"%"),a=0}a>0&&i.last().css("width","auto"),n.filter(".-collapsed-target").each((function(){var e=t(this);e.parent().hasClass("-collapsed")?e.attr("colspan",i.length):e.removeAttr("colspan")}))}}),s=new acf.Model({id:"fieldsHelper",priority:30,actions:{refresh:"renderGroups"},renderGroups:function(){var e=this;t(".acf-fields:visible").each((function(){e.renderGroup(t(this))}))},renderGroup:function(e){var i=0,n=0,a=t(),r=e.children(".acf-field[data-width]:visible");return!!r.length&&(e.hasClass("-left")?(r.removeAttr("data-width"),r.css("width","auto"),!1):(r.removeClass("-r0 -c0").css({"min-height":0}),r.each((function(e){var r=t(this),o=r.position(),s=Math.ceil(o.top),c=Math.ceil(o.left);a.length&&s>i&&(a.css({"min-height":n+"px"}),o=r.position(),s=Math.ceil(o.top),c=Math.ceil(o.left),i=0,n=0,a=t()),acf.get("rtl")&&(c=Math.ceil(r.parent().width()-(o.left+r.outerWidth()))),0==s?r.addClass("-r0"):0==c&&r.addClass("-c0");var l=Math.ceil(r.outerHeight())+1;n=Math.max(n,l),i=Math.max(i,s),a=a.add(r)})),void(a.length&&a.css({"min-height":n+"px"}))))}})}(jQuery),function(t,e){acf.newCompatibility=function(t,e){return(e=e||{}).__proto__=t.__proto__,t.__proto__=e,t.compatibility=e,e},acf.getCompatibility=function(t){return t.compatibility||null};var i=acf.newCompatibility(acf,{l10n:{},o:{},fields:{},update:acf.set,add_action:acf.addAction,remove_action:acf.removeAction,do_action:acf.doAction,add_filter:acf.addFilter,remove_filter:acf.removeFilter,apply_filters:acf.applyFilters,parse_args:acf.parseArgs,disable_el:acf.disable,disable_form:acf.disable,enable_el:acf.enable,enable_form:acf.enable,update_user_setting:acf.updateUserSetting,prepare_for_ajax:acf.prepareForAjax,is_ajax_success:acf.isAjaxSuccess,remove_el:acf.remove,remove_tr:acf.remove,str_replace:acf.strReplace,render_select:acf.renderSelect,get_uniqid:acf.uniqid,serialize_form:acf.serialize,esc_html:acf.strEscape,str_sanitize:acf.strSanitize});i._e=function(t,e){t=t||"";var i=(e=e||"")?t+"."+e:t,n={"image.select":"Select Image","image.edit":"Edit Image","image.update":"Update Image"};if(n[i])return acf.__(n[i]);var a=this.l10n[t]||"";return e&&(a=a[e]||""),a},i.get_selector=function(e){var i=".acf-field";if(!e)return i;if(t.isPlainObject(e)){if(t.isEmptyObject(e))return i;for(var n in e){e=e[n];break}}return i+="-"+e,i=acf.strReplace("_","-",i),i=acf.strReplace("field-field-","field-",i)},i.get_fields=function(t,e,i){var n={is:t||"",parent:e||!1,suppressFilters:i||!1};return n.is&&(n.is=this.get_selector(n.is)),acf.findFields(n)},i.get_field=function(t,e){var i=this.get_fields.apply(this,arguments);return!!i.length&&i.first()},i.get_closest_field=function(t,e){return t.closest(this.get_selector(e))},i.get_field_wrap=function(t){return t.closest(this.get_selector())},i.get_field_key=function(t){return t.data("key")},i.get_field_type=function(t){return t.data("type")},i.get_data=function(t,e){return acf.parseArgs(t.data(),e)},i.maybe_get=function(t,e,i){void 0===i&&(i=null),keys=String(e).split(".");for(var n=0;n<keys.length;n++){if(!t.hasOwnProperty(keys[n]))return i;t=t[keys[n]]}return t};var n=function(t){return t instanceof acf.Field?t.$el:t},a=function(t){return acf.arrayArgs(t).map(n)},r=function(e){return function(){if(arguments.length)var i=a(arguments);else var i=[t(document)];return e.apply(this,i)}};i.add_action=function(t,e,n,a){var o=t.split(" "),s=o.length;if(s>1){for(var c=0;c<s;c++)t=o[c],i.add_action.apply(this,arguments);return this}var e=r(e);return acf.addAction.apply(this,arguments)},i.add_filter=function(t,e,i,n){var e=r(e);return acf.addFilter.apply(this,arguments)},i.model={actions:{},filters:{},events:{},extend:function(e){var i=t.extend({},this,e);return t.each(i.actions,(function(t,e){i._add_action(t,e)})),t.each(i.filters,(function(t,e){i._add_filter(t,e)})),t.each(i.events,(function(t,e){i._add_event(t,e)})),i},_add_action:function(t,e){var i=this,n=t.split(" "),t=n[0]||"",a=n[1]||10;acf.add_action(t,this[e],a,this)},_add_filter:function(t,e){var i=this,n=t.split(" "),t=n[0]||"",a=n[1]||10;acf.add_filter(t,this[e],a,this)},_add_event:function(e,i){var n=this,a=e.indexOf(" "),r=a>0?e.substr(0,a):e,o=a>0?e.substr(a+1):"",s=function(e){e.$el=t(this),acf.field_group&&(e.$field=e.$el.closest(".acf-field-object")),"function"==typeof n.event&&(e=n.event(e)),n[i].apply(n,arguments)};o?t(document).on(r,o,s):t(document).on(r,s)},get:function(t,e){return e=e||null,void 0!==this[t]&&(e=this[t]),e},set:function(t,e){return this[t]=e,"function"==typeof this["_set_"+t]&&this["_set_"+t].apply(this),this}},i.field=acf.model.extend({type:"",o:{},$field:null,_add_action:function(t,e){var i=this;t=t+"_field/type="+i.type,acf.add_action(t,(function(t){i.set("$field",t),i[e].apply(i,arguments)}))},_add_filter:function(t,e){var i=this;t=t+"_field/type="+i.type,acf.add_filter(t,(function(t){i.set("$field",t),i[e].apply(i,arguments)}))},_add_event:function(e,i){var n=this,a=e.substr(0,e.indexOf(" ")),r=e.substr(e.indexOf(" ")+1),o=acf.get_selector(n.type);t(document).on(a,o+" "+r,(function(e){var a=t(this),r=acf.get_closest_field(a,n.type);r.length&&(r.is(n.$field)||n.set("$field",r),e.$el=a,e.$field=r,n[i].apply(n,[e]))}))},_set_$field:function(){"function"==typeof this.focus&&this.focus()},doFocus:function(t){return this.set("$field",t)}});var o=acf.newCompatibility(acf.validation,{remove_error:function(t){acf.getField(t).removeError()},add_warning:function(t,e){acf.getField(t).showNotice({text:e,type:"warning",timeout:1e3})},fetch:acf.validateForm,enableSubmit:acf.enableSubmit,disableSubmit:acf.disableSubmit,showSpinner:acf.showSpinner,hideSpinner:acf.hideSpinner,unlockForm:acf.unlockForm,lockForm:acf.lockForm});i.tooltip={tooltip:function(t,e){var i;return acf.newTooltip({text:t,target:e}).$el},temp:function(t,e){var i=acf.newTooltip({text:t,target:e,timeout:250})},confirm:function(t,e,i,n,a){var r=acf.newTooltip({confirm:!0,text:i,target:t,confirm:function(){e(!0)},cancel:function(){e(!1)}})},confirm_remove:function(t,e){var i=acf.newTooltip({confirmRemove:!0,target:t,confirm:function(){e(!0)},cancel:function(){e(!1)}})}},i.media=new acf.Model({activeFrame:!1,actions:{new_media_popup:"onNewMediaPopup"},frame:function(){return this.activeFrame},onNewMediaPopup:function(t){this.activeFrame=t.frame},popup:function(t){var e;return(t.mime_types&&(t.allowedTypes=t.mime_types),t.id&&(t.attachment=t.id),acf.newMediaPopup(t).frame)}}),i.select2={init:function(t,e,i){return e.allow_null&&(e.allowNull=e.allow_null),e.ajax_action&&(e.ajaxAction=e.ajax_action),i&&(e.field=acf.getField(i)),acf.newSelect2(t,e)},destroy:function(t){return acf.getInstance(t).destroy()}},i.postbox={render:function(t){return t.edit_url&&(t.editLink=t.edit_url),t.edit_title&&(t.editTitle=t.edit_title),acf.newPostbox(t)}},acf.newCompatibility(acf.screen,{update:function(){return this.set.apply(this,arguments)},fetch:acf.screen.check}),i.ajax=acf.screen}(jQuery);PK�
�[Z\D����assets/css/acf-input.cssnu�[���.acf-field,.acf-field .acf-label,.acf-field .acf-input{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;position:relative}.acf-field{margin:15px 0;clear:both}.acf-field p.description{display:block;margin:0;padding:0}.acf-field .acf-label{vertical-align:top;margin:0 0 10px}.acf-field .acf-label label{display:block;font-weight:bold;margin:0 0 3px;padding:0}.acf-field .acf-label:empty{margin-bottom:0}.acf-field .acf-input{vertical-align:top}.acf-field .acf-input>p.description{margin-top:5px}.acf-field .acf-notice{margin:0 0 15px;background:#edf2ff;color:#2183b9;border:none}.acf-field .acf-notice .acf-notice-dismiss{background:transparent;color:inherit}.acf-field .acf-notice .acf-notice-dismiss:hover{background:#fff}.acf-field .acf-notice.-dismiss{padding-right:40px}.acf-field .acf-notice.-error{background:#ffe6e6;color:#d12626}.acf-field .acf-notice.-success{background:#eefbe8;color:#32a23b}.acf-field .acf-notice.-warning{background:#fff3e6;color:#d16226}td.acf-field,tr.acf-field{margin:0}.acf-field[data-width]{float:left;clear:none}.acf-field[data-width]+.acf-field[data-width]{border-left:1px solid #eeeeee}html[dir="rtl"] .acf-field[data-width]{float:right}html[dir="rtl"] .acf-field[data-width]+.acf-field[data-width]{border-left:none;border-right:1px solid #eeeeee}td.acf-field[data-width],tr.acf-field[data-width]{float:none}.acf-field.-c0{clear:both;border-left-width:0 !important}html[dir="rtl"] .acf-field.-c0{border-left-width:1px !important;border-right-width:0 !important}.acf-field.-r0{border-top-width:0 !important}.acf-fields{position:relative}.acf-fields:after{display:block;clear:both;content:""}.acf-fields.-border{border:#ccd0d4 solid 1px;background:#fff}.acf-fields>.acf-field{position:relative;margin:0;padding:15px 12px;border-top:#EEEEEE solid 1px}.acf-fields>.acf-field:first-child{border-top:none;margin-top:0}td.acf-fields{padding:0 !important}.acf-fields.-clear>.acf-field{border:none;padding:0;margin:15px 0}.acf-fields.-clear>.acf-field[data-width]{border:none !important}.acf-fields.-clear>.acf-field>.acf-label{padding:0}.acf-fields.-clear>.acf-field>.acf-input{padding:0}.acf-fields.-left>.acf-field{padding:15px 0}.acf-fields.-left>.acf-field:after{display:block;clear:both;content:""}.acf-fields.-left>.acf-field:before{content:"";display:block;position:absolute;z-index:0;background:#F9F9F9;border-color:#E1E1E1;border-style:solid;border-width:0 1px 0 0;top:0;bottom:0;left:0;width:20%}.acf-fields.-left>.acf-field[data-width]{float:none;width:auto !important;border-left-width:0 !important;border-right-width:0 !important}.acf-fields.-left>.acf-field>.acf-label{float:left;width:20%;margin:0;padding:0 12px}.acf-fields.-left>.acf-field>.acf-input{float:left;width:80%;margin:0;padding:0 12px}html[dir="rtl"] .acf-fields.-left>.acf-field:before{border-width:0 0 0 1px;left:auto;right:0}html[dir="rtl"] .acf-fields.-left>.acf-field>.acf-label{float:right}html[dir="rtl"] .acf-fields.-left>.acf-field>.acf-input{float:right}#side-sortables .acf-fields.-left>.acf-field:before{display:none}#side-sortables .acf-fields.-left>.acf-field>.acf-label{width:100%;margin-bottom:10px}#side-sortables .acf-fields.-left>.acf-field>.acf-input{width:100%}@media screen and (max-width: 640px){.acf-fields.-left>.acf-field:before{display:none}.acf-fields.-left>.acf-field>.acf-label{width:100%;margin-bottom:10px}.acf-fields.-left>.acf-field>.acf-input{width:100%}}.acf-fields.-clear.-left>.acf-field{padding:0;border:none}.acf-fields.-clear.-left>.acf-field:before{display:none}.acf-fields.-clear.-left>.acf-field>.acf-label{padding:0}.acf-fields.-clear.-left>.acf-field>.acf-input{padding:0}.acf-table tr.acf-field>td.acf-label{padding:15px 12px;margin:0;background:#F9F9F9;width:20%}.acf-table tr.acf-field>td.acf-input{padding:15px 12px;margin:0;border-left-color:#E1E1E1}.acf-sortable-tr-helper{position:relative !important;display:table-row !important}.acf-postbox{position:relative}.acf-postbox>.inside{margin:0 !important;padding:0 !important}.acf-postbox>.hndle .acf-hndle-cog{color:#AAAAAA;font-size:16px;line-height:20px;padding:0 2px;float:right;position:relative;display:none}.acf-postbox>.hndle .acf-hndle-cog:hover{color:#777777}.acf-postbox:hover>.hndle .acf-hndle-cog{display:block}.acf-postbox .acf-replace-with-fields{padding:15px;text-align:center}#post-body-content #acf_after_title-sortables{margin:20px 0 -20px}.acf-postbox.seamless{border:0 none;background:transparent;box-shadow:none}.acf-postbox.seamless>.hndle,.acf-postbox.seamless>.handlediv{display:none !important}.acf-postbox.seamless>.inside{display:block !important;margin-left:-12px !important;margin-right:-12px !important}.acf-postbox.seamless>.inside>.acf-field{border-color:transparent}.acf-postbox.seamless>.acf-fields.-left>.acf-field:before{display:none}@media screen and (max-width: 782px){.acf-postbox.seamless>.acf-fields.-left>.acf-field>.acf-label,.acf-postbox.seamless>.acf-fields.-left>.acf-field>.acf-input{padding:0}}.acf-field input[type="text"],.acf-field input[type="password"],.acf-field input[type="date"],.acf-field input[type="datetime"],.acf-field input[type="datetime-local"],.acf-field input[type="email"],.acf-field input[type="month"],.acf-field input[type="number"],.acf-field input[type="search"],.acf-field input[type="tel"],.acf-field input[type="time"],.acf-field input[type="url"],.acf-field input[type="week"],.acf-field textarea,.acf-field select{width:100%;padding:4px 8px;margin:0;box-sizing:border-box;font-size:14px;line-height:1.4}.acf-admin-3-8 .acf-field input[type="text"],.acf-admin-3-8 .acf-field input[type="password"],.acf-admin-3-8 .acf-field input[type="date"],.acf-admin-3-8 .acf-field input[type="datetime"],.acf-admin-3-8 .acf-field input[type="datetime-local"],.acf-admin-3-8 .acf-field input[type="email"],.acf-admin-3-8 .acf-field input[type="month"],.acf-admin-3-8 .acf-field input[type="number"],.acf-admin-3-8 .acf-field input[type="search"],.acf-admin-3-8 .acf-field input[type="tel"],.acf-admin-3-8 .acf-field input[type="time"],.acf-admin-3-8 .acf-field input[type="url"],.acf-admin-3-8 .acf-field input[type="week"],.acf-admin-3-8 .acf-field textarea,.acf-admin-3-8 .acf-field select{padding:3px 5px}.acf-field textarea{resize:vertical}.acf-input-prepend,.acf-input-append,.acf-input-wrap{box-sizing:border-box}.acf-input-prepend,.acf-input-append{font-size:14px;line-height:1.4;padding:4px 8px;background:#f5f5f5;border:#7e8993 solid 1px;min-height:30px}.acf-admin-3-8 .acf-input-prepend,.acf-admin-3-8 .acf-input-append{padding:3px 5px;border-color:#ddd;min-height:28px}.acf-input-prepend{float:left;border-right-width:0;border-radius:3px 0 0 3px}.acf-input-append{float:right;border-left-width:0;border-radius:0 3px 3px 0}.acf-input-wrap{position:relative;overflow:hidden}input.acf-is-prepended{border-radius:0 3px 3px 0 !important}input.acf-is-appended{border-radius:3px 0 0 3px !important}input.acf-is-prepended.acf-is-appended{border-radius:0 !important}html[dir="rtl"] .acf-input-prepend{border-left-width:0;border-right-width:1px;border-radius:0 3px 3px 0;float:right}html[dir="rtl"] .acf-input-append{border-left-width:1px;border-right-width:0;border-radius:3px 0 0 3px;float:left}html[dir="rtl"] input.acf-is-prepended{border-radius:3px 0 0 3px !important}html[dir="rtl"] input.acf-is-appended{border-radius:0 3px 3px 0 !important}html[dir="rtl"] input.acf-is-prepended.acf-is-appended{border-radius:0 !important}.acf-color-picker .wp-color-result{border-color:#7e8993}.acf-admin-3-8 .acf-color-picker .wp-color-result{border-color:#ccd0d4}.acf-color-picker .wp-picker-active{position:relative;z-index:1}.acf-url i{position:absolute;top:4px;left:4px;opacity:0.5;color:#A9A9A9}.acf-url input[type="url"]{padding-left:25px !important}.acf-url.-valid i{opacity:1}.acf-field select{padding:2px}.acf-field select optgroup{padding:5px;background:#fff}.acf-field select option{padding:3px}.acf-field select optgroup option{padding-left:5px}.acf-field select optgroup:nth-child(2n){background:#F9F9F9}.acf-field .select2-input{max-width:200px}.select2-container.-acf .select2-choices{background:#fff;border-color:#ddd;box-shadow:0 1px 2px rgba(0,0,0,0.07) inset;min-height:31px}.select2-container.-acf .select2-choices .select2-search-choice{margin:5px 0 5px 5px;padding:3px 5px 3px 18px;border-color:#bbb;background:#f9f9f9;box-shadow:0 1px 0 rgba(255,255,255,0.25) inset}.select2-container.-acf .select2-choices .select2-search-choice.ui-sortable-helper{background:#5897fb;border-color:#3f87fa;color:#fff;box-shadow:0 0 3px rgba(0,0,0,0.1)}.select2-container.-acf .select2-choices .select2-search-choice.ui-sortable-helper a{visibility:hidden}.select2-container.-acf .select2-choices .select2-search-choice.ui-sortable-placeholder{background-color:#f7f7f7;border-color:#f7f7f7;visibility:visible !important}.select2-container.-acf .select2-choices .select2-search-choice-focus{border-color:#999}.select2-container.-acf .select2-choices .select2-search-field input{height:31px;line-height:22px;margin:0;padding:5px 5px 5px 7px}.select2-container.-acf .select2-choice{border-color:#BBBBBB}.select2-container.-acf .select2-choice .select2-arrow{background:transparent;border-left-color:#DFDFDF;padding-left:1px}.select2-container.-acf .select2-choice .select2-result-description{display:none}.select2-container.-acf.select2-container-active .select2-choices,.select2-container.-acf.select2-dropdown-open .select2-choices{border-color:#5B9DD9;border-radius:3px 3px 0 0}.select2-container.-acf.select2-dropdown-open .select2-choice{background:#fff;border-color:#5B9DD9}html[dir="rtl"] .select2-container.-acf .select2-search-choice-close{left:24px}html[dir="rtl"] .select2-container.-acf .select2-choice>.select2-chosen{margin-left:42px}html[dir="rtl"] .select2-container.-acf .select2-choice .select2-arrow{padding-left:0;padding-right:1px}.select2-drop .select2-search{padding:4px 4px 0}.select2-drop .select2-result .select2-result-description{color:#999;font-size:12px;margin-left:5px}.select2-drop .select2-result.select2-highlighted .select2-result-description{color:#fff;opacity:0.75}.select2-container.-acf li{margin-bottom:0}.select2-container.-acf .select2-selection{border-color:#7e8993}.acf-admin-3-8 .select2-container.-acf .select2-selection{border-color:#aaa}.select2-container.-acf .select2-selection--multiple .select2-search--inline:first-child{float:none}.select2-container.-acf .select2-selection--multiple .select2-search--inline:first-child input{width:100% !important}.select2-container.-acf .select2-selection--multiple .select2-selection__rendered{padding-right:0}.select2-container.-acf .select2-selection--multiple .select2-selection__choice{background-color:#f7f7f7;border-color:#cccccc;max-width:100%;overflow:hidden;word-wrap:normal !important;white-space:normal}.select2-container.-acf .select2-selection--multiple .select2-selection__choice.ui-sortable-helper{background:#5897fb;border-color:#3f87fa;color:#fff;box-shadow:0 0 3px rgba(0,0,0,0.1)}.select2-container.-acf .select2-selection--multiple .select2-selection__choice.ui-sortable-helper span{visibility:hidden}.select2-container.-acf .select2-selection--multiple .select2-selection__choice.ui-sortable-placeholder{background-color:#f7f7f7;border-color:#f7f7f7;visibility:visible !important}.select2-container.-acf .select2-selection--multiple .select2-search__field{box-shadow:none !important;min-height:0}.acf-row .select2-container.-acf .select2-selection--single{overflow:hidden}.acf-row .select2-container.-acf .select2-selection--single .select2-selection__rendered{white-space:normal}.select2-container .select2-dropdown{z-index:900000}.select2-container .select2-dropdown .select2-search__field{line-height:1.4;min-height:0}.acf-link .link-wrap{display:none;border:#ccd0d4 solid 1px;border-radius:3px;padding:5px;line-height:26px;background:#fff;word-wrap:break-word;word-break:break-all}.acf-link .link-wrap .link-title{padding:0 5px}.acf-link.-value .button{display:none}.acf-link.-value .acf-icon.-link-ext{display:none}.acf-link.-value .link-wrap{display:inline-block}.acf-link.-external .acf-icon.-link-ext{display:inline-block}#wp-link-backdrop{z-index:900000 !important}#wp-link-wrap{z-index:900001 !important}ul.acf-radio-list,ul.acf-checkbox-list{background:transparent;position:relative;padding:1px;margin:0}ul.acf-radio-list li,ul.acf-checkbox-list li{font-size:13px;line-height:22px;margin:0;position:relative;word-wrap:break-word}ul.acf-radio-list li label,ul.acf-checkbox-list li label{display:inline}ul.acf-radio-list li input[type="checkbox"],ul.acf-radio-list li input[type="radio"],ul.acf-checkbox-list li input[type="checkbox"],ul.acf-checkbox-list li input[type="radio"]{margin:-1px 4px 0 0;vertical-align:middle}ul.acf-radio-list li input[type="text"],ul.acf-checkbox-list li input[type="text"]{width:auto;vertical-align:middle;margin:2px 0}ul.acf-radio-list li span,ul.acf-checkbox-list li span{float:none}ul.acf-radio-list li i,ul.acf-checkbox-list li i{vertical-align:middle}ul.acf-radio-list.acf-hl li,ul.acf-checkbox-list.acf-hl li{margin-right:20px;clear:none}html[dir="rtl"] ul.acf-radio-list input[type="checkbox"],html[dir="rtl"] ul.acf-radio-list input[type="radio"],html[dir="rtl"] ul.acf-checkbox-list input[type="checkbox"],html[dir="rtl"] ul.acf-checkbox-list input[type="radio"]{margin-left:4px;margin-right:0}.acf-button-group{display:inline-block}.acf-button-group label{display:inline-block;border:#7e8993 solid 1px;position:relative;z-index:1;padding:5px 10px;background:#fff}.acf-button-group label:hover{color:#016087;background:#f3f5f6;border-color:#0071a1;z-index:2}.acf-button-group label.selected{border-color:#007cba;background:#008dd4;color:#fff;z-index:2}.acf-button-group input{display:none !important}.acf-button-group{padding-left:1px;display:inline-flex;flex-direction:row;flex-wrap:nowrap}.acf-button-group label{margin:0 0 0 -1px;flex:1;text-align:center;white-space:nowrap}.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}.acf-button-group.-vertical{padding-left:0;padding-top:1px;flex-direction:column}.acf-button-group.-vertical label{margin:-1px 0 0 0}.acf-button-group.-vertical label:first-child{border-radius:3px 3px 0 0}.acf-button-group.-vertical label:last-child{border-radius:0 0 3px 3px}.acf-button-group.-vertical label:only-child{border-radius:3px}.acf-admin-3-8 .acf-button-group label{border-color:#ccd0d4}.acf-admin-3-8 .acf-button-group label:hover{border-color:#0071a1}.acf-admin-3-8 .acf-button-group label.selected{border-color:#007cba}.acf-checkbox-list .button{margin:10px 0 0}.acf-switch{display:inline-block;border-radius:5px;cursor:pointer;position:relative;background:#f5f5f5;height:30px;vertical-align:middle;border:#7e8993 solid 1px;-webkit-transition:background 0.25s ease;-moz-transition:background 0.25s ease;-o-transition:background 0.25s ease;transition:background 0.25s ease}.acf-switch span{display:inline-block;float:left;text-align:center;font-size:13px;line-height:22px;padding:4px 10px;min-width:15px}.acf-switch span i{vertical-align:middle}.acf-switch .acf-switch-on{color:#fff;text-shadow:#007cba 0 1px 0}.acf-switch .acf-switch-slider{position:absolute;top:2px;left:2px;bottom:2px;right:50%;z-index:1;background:#fff;border-radius:3px;border:#7e8993 solid 1px;-webkit-transition:all 0.25s ease;-moz-transition:all 0.25s ease;-o-transition:all 0.25s ease;transition:all 0.25s ease;transition-property:left, right}.acf-switch:hover,.acf-switch.-focus{border-color:#0071a1;background:#f3f5f6;color:#016087}.acf-switch:hover .acf-switch-slider,.acf-switch.-focus .acf-switch-slider{border-color:#0071a1}.acf-switch.-on{background:#0d99d5;border-color:#007cba}.acf-switch.-on .acf-switch-slider{left:50%;right:2px;border-color:#007cba}.acf-switch.-on:hover{border-color:#007cba}.acf-switch+span{margin-left:6px}.acf-admin-3-8 .acf-switch{border-color:#ccd0d4}.acf-admin-3-8 .acf-switch .acf-switch-slider{border-color:#ccd0d4}.acf-admin-3-8 .acf-switch:hover,.acf-admin-3-8 .acf-switch.-focus{border-color:#0071a1}.acf-admin-3-8 .acf-switch:hover .acf-switch-slider,.acf-admin-3-8 .acf-switch.-focus .acf-switch-slider{border-color:#0071a1}.acf-admin-3-8 .acf-switch.-on{border-color:#007cba}.acf-admin-3-8 .acf-switch.-on .acf-switch-slider{border-color:#007cba}.acf-admin-3-8 .acf-switch.-on:hover{border-color:#007cba}.acf-switch-input{opacity:0;position:absolute;margin:0}.compat-item .acf-true-false .message{float:none;padding:0;vertical-align:middle}.acf-google-map{position:relative;border:#ccd0d4 solid 1px;background:#fff}.acf-google-map .title{position:relative;border-bottom:#ccd0d4 solid 1px}.acf-google-map .title .search{margin:0;font-size:14px;line-height:30px;height:40px;padding:5px 10px;border:0 none;box-shadow:none;border-radius:0;font-family:inherit;cursor:text}.acf-google-map .title .acf-loading{position:absolute;top:10px;right:11px;display:none}.acf-google-map .title .acf-icon:active{display:inline-block !important}.acf-google-map .canvas{height:400px}.acf-google-map:hover .title .acf-actions{display:block}.acf-google-map .title .acf-icon.-location{display:inline-block}.acf-google-map .title .acf-icon.-cancel,.acf-google-map .title .acf-icon.-search{display:none}.acf-google-map.-value .title .search{font-weight:bold}.acf-google-map.-value .title .acf-icon.-location{display:none}.acf-google-map.-value .title .acf-icon.-cancel{display:inline-block}.acf-google-map.-searching .title .acf-icon.-location{display:none}.acf-google-map.-searching .title .acf-icon.-cancel,.acf-google-map.-searching .title .acf-icon.-search{display:inline-block}.acf-google-map.-searching .title .acf-actions{display:block}.acf-google-map.-searching .title .search{font-weight:normal !important}.acf-google-map.-loading .title a{display:none !important}.acf-google-map.-loading .title i{display:inline-block}.pac-container{border-width:1px 0;box-shadow:none}.pac-container:after{display:none}.pac-container .pac-item:first-child{border-top:0 none}.pac-container .pac-item{padding:5px 10px;cursor:pointer}html[dir="rtl"] .pac-container .pac-item{text-align:right}.acf-relationship{background:#fff;border:#ccd0d4 solid 1px}.acf-relationship .filters{border-bottom:#ccd0d4 solid 1px;background:#fff}.acf-relationship .filters:after{display:block;clear:both;content:""}.acf-relationship .filters .filter{margin:0;padding:0;float:left;width:100%}.acf-relationship .filters .filter span{display:block;padding:7px 7px 7px 0}.acf-relationship .filters .filter:first-child span{padding-left:7px}.acf-relationship .filters .filter input,.acf-relationship .filters .filter select{height:28px;line-height:1;padding:2px;width:100%;margin:0;float:none}.acf-relationship .filters .filter input:focus,.acf-relationship .filters .filter input:active,.acf-relationship .filters .filter select:focus,.acf-relationship .filters .filter select:active{outline:none;box-shadow:none}.acf-relationship .filters .filter input{border-color:transparent;box-shadow:none}.acf-relationship .filters.-f2 .filter{width:50%}.acf-relationship .filters.-f3 .filter{width:25%}.acf-relationship .filters.-f3 .filter.-search{width:50%}.acf-relationship .list{margin:0;padding:5px;height:160px;overflow:auto}.acf-relationship .list .acf-rel-label,.acf-relationship .list .acf-rel-item,.acf-relationship .list p{padding:5px 7px;margin:0;display:block;position:relative;min-height:18px}.acf-relationship .list .acf-rel-label{font-weight:bold}.acf-relationship .list .acf-rel-item{cursor:pointer}.acf-relationship .list .acf-rel-item b{text-decoration:underline;font-weight:normal}.acf-relationship .list .acf-rel-item .thumbnail{background:#e0e0e0;width:22px;height:22px;float:left;margin:-2px 5px 0 0}.acf-relationship .list .acf-rel-item .thumbnail img{max-width:22px;max-height:22px;margin:0 auto;display:block}.acf-relationship .list .acf-rel-item .thumbnail.-icon{background:#fff}.acf-relationship .list .acf-rel-item .thumbnail.-icon img{max-height:20px;margin-top:1px}.acf-relationship .list .acf-rel-item:hover{background:#3875D7;color:#fff}.acf-relationship .list .acf-rel-item:hover .thumbnail{background:#a2bfec}.acf-relationship .list .acf-rel-item:hover .thumbnail.-icon{background:#fff}.acf-relationship .list .acf-rel-item.disabled{opacity:0.5}.acf-relationship .list .acf-rel-item.disabled:hover{background:transparent;color:#333;cursor:default}.acf-relationship .list .acf-rel-item.disabled:hover .thumbnail{background:#e0e0e0}.acf-relationship .list .acf-rel-item.disabled:hover .thumbnail.-icon{background:#fff}.acf-relationship .list ul{padding-bottom:5px}.acf-relationship .list ul .acf-rel-label,.acf-relationship .list ul .acf-rel-item,.acf-relationship .list ul p{padding-left:20px}.acf-relationship .selection{position:relative}.acf-relationship .selection:after{display:block;clear:both;content:""}.acf-relationship .selection .values,.acf-relationship .selection .choices{width:50%;background:#fff;float:left}.acf-relationship .selection .choices{background:#F9F9F9}.acf-relationship .selection .choices .list{border-right:#DFDFDF solid 1px}.acf-relationship .selection .values .acf-icon{position:absolute;top:4px;right:7px;display:none}html[dir="rtl"] .acf-relationship .selection .values .acf-icon{right:auto;left:7px}.acf-relationship .selection .values .acf-rel-item:hover .acf-icon{display:block}.acf-relationship .selection .values .acf-rel-item{cursor:move}.acf-relationship .selection .values .acf-rel-item b{text-decoration:none}.menu-item .acf-relationship ul{width:auto}.menu-item .acf-relationship li{display:block}.acf-editor-wrap.delay .acf-editor-toolbar{content:"";display:block;background:#f5f5f5;border-bottom:#dddddd solid 1px;color:#555d66;padding:10px}.acf-editor-wrap.delay .wp-editor-area{padding:10px;border:none;color:inherit !important}.acf-editor-wrap iframe{min-height:200px}.acf-editor-wrap .wp-editor-container{border:1px solid #ccd0d4;box-shadow:none !important}.acf-editor-wrap .wp-editor-tabs{box-sizing:content-box}.acf-editor-wrap .wp-switch-editor{border-color:#ccd0d4;border-bottom-color:transparent}#mce_fullscreen_container{z-index:900000 !important}.acf-field-tab{display:none !important}.hidden-by-tab{display:none !important}.acf-tab-wrap{clear:both;z-index:1}.acf-tab-group{border-bottom:#ccc solid 1px;padding:10px 10px 0}.acf-tab-group li{margin:0 0.5em 0 0}.acf-tab-group li a{padding:5px 10px;display:block;color:#555;font-size:14px;font-weight:600;line-height:24px;border:#ccc solid 1px;border-bottom:0 none;text-decoration:none;background:#e5e5e5;transition:none}.acf-tab-group li a:hover{background:#FFF}.acf-tab-group li a:focus{outline:none;box-shadow:none}.acf-tab-group li a:empty{display:none}html[dir="rtl"] .acf-tab-group li{margin:0 0 0 0.5em}.acf-tab-group li.active a{background:#F1F1F1;color:#000;padding-bottom:6px;margin-bottom:-1px;position:relative;z-index:1}.acf-fields>.acf-tab-wrap{background:#F9F9F9}.acf-fields>.acf-tab-wrap .acf-tab-group{position:relative;border-top:#ccd0d4 solid 1px;border-bottom:#ccd0d4 solid 1px;z-index:2;margin-bottom:-1px}.acf-fields>.acf-tab-wrap .acf-tab-group li a{background:#f1f1f1;border-color:#ccd0d4}.acf-fields>.acf-tab-wrap .acf-tab-group li a:hover{background:#FFF}.acf-fields>.acf-tab-wrap .acf-tab-group li.active a{background:#FFFFFF}.acf-admin-3-8 .acf-fields>.acf-tab-wrap .acf-tab-group{border-color:#dfdfdf}.acf-fields>.acf-tab-wrap:first-child .acf-tab-group{border-top:none}.acf-fields.-left>.acf-tab-wrap .acf-tab-group{padding-left:20%}@media screen and (max-width: 640px){.acf-fields.-left>.acf-tab-wrap .acf-tab-group{padding-left:10px}}html[dir="rtl"] .acf-fields.-left>.acf-tab-wrap .acf-tab-group{padding-left:0;padding-right:20%}@media screen and (max-width: 850px){html[dir="rtl"] .acf-fields.-left>.acf-tab-wrap .acf-tab-group{padding-right:10px}}.acf-tab-wrap.-left .acf-tab-group{position:absolute;left:0;width:20%;border:0 none;padding:0 !important;margin:1px 0 0}.acf-tab-wrap.-left .acf-tab-group li{float:none;margin:-1px 0 0}.acf-tab-wrap.-left .acf-tab-group li a{border:1px solid #ededed;font-size:13px;line-height:18px;color:#0073aa;padding:10px;margin:0;font-weight:normal;border-width:1px 0;border-radius:0;background:transparent}.acf-tab-wrap.-left .acf-tab-group li a:hover{color:#00a0d2}.acf-tab-wrap.-left .acf-tab-group li.active a{border-color:#DFDFDF;color:#000;margin-right:-1px;background:#fff}html[dir="rtl"] .acf-tab-wrap.-left .acf-tab-group{left:auto;right:0}html[dir="rtl"] .acf-tab-wrap.-left .acf-tab-group li.active a{margin-right:0;margin-left:-1px}.acf-field+.acf-tab-wrap.-left:before{content:"";display:block;position:relative;z-index:1;height:10px;border-top:#DFDFDF solid 1px;border-bottom:#DFDFDF solid 1px;margin-bottom:-1px}.acf-tab-wrap.-left:first-child .acf-tab-group li:first-child a{border-top:none}.acf-fields.-sidebar{padding:0 0 0 20% !important;position:relative}.acf-fields.-sidebar:before{content:"";display:block;position:absolute;top:0;left:0;width:20%;bottom:0;border-right:#DFDFDF solid 1px;background:#F9F9F9;z-index:1}html[dir="rtl"] .acf-fields.-sidebar{padding:0 20% 0 0 !important}html[dir="rtl"] .acf-fields.-sidebar:before{border-left:#DFDFDF solid 1px;border-right-width:0;left:auto;right:0}.acf-fields.-sidebar.-left{padding:0 0 0 180px !important}html[dir="rtl"] .acf-fields.-sidebar.-left{padding:0 180px 0 0 !important}.acf-fields.-sidebar.-left:before{background:#F1F1F1;border-color:#dfdfdf;width:180px}.acf-fields.-sidebar.-left>.acf-tab-wrap.-left .acf-tab-group{width:180px}.acf-fields.-sidebar.-left>.acf-tab-wrap.-left .acf-tab-group li a{border-color:#e4e4e4}.acf-fields.-sidebar.-left>.acf-tab-wrap.-left .acf-tab-group li.active a{background:#F9F9F9}.acf-fields.-sidebar>.acf-field-tab+.acf-field{border-top:none}.acf-fields.-clear>.acf-tab-wrap{background:transparent}.acf-fields.-clear>.acf-tab-wrap .acf-tab-group{margin-top:0;border-top:none;padding-left:0;padding-right:0}.acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a{background:#e5e5e5}.acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a:hover{background:#fff}.acf-fields.-clear>.acf-tab-wrap .acf-tab-group li.active a{background:#f1f1f1}.acf-postbox.seamless>.acf-fields.-sidebar{margin-left:0 !important}.acf-postbox.seamless>.acf-fields.-sidebar:before{background:transparent}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap{background:transparent;margin-bottom:10px;padding-left:12px;padding-right:12px}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap .acf-tab-group{border-top:0 none;border-color:#ccd0d4}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap .acf-tab-group li a{background:#e5e5e5;border-color:#ccd0d4}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap .acf-tab-group li a:hover{background:#fff}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap .acf-tab-group li.active a{background:#f1f1f1}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap.-left:before{border-top:none;height:auto}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap.-left .acf-tab-group{margin-bottom:0}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap.-left .acf-tab-group li a{border-width:1px 0 1px 1px !important;border-color:#cccccc;background:#e5e5e5}.acf-postbox.seamless>.acf-fields>.acf-tab-wrap.-left .acf-tab-group li.active a{background:#f1f1f1}.menu-edit .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a,.widget .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a{background:#f1f1f1}.menu-edit .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a:hover,.menu-edit .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li.active a,.widget .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li a:hover,.widget .acf-fields.-clear>.acf-tab-wrap .acf-tab-group li.active a{background:#fff}.compat-item .acf-tab-wrap td{display:block}.acf-gallery-side .acf-tab-wrap{border-top:0 none !important}.acf-gallery-side .acf-tab-wrap .acf-tab-group{margin:10px 0 !important;padding:0 !important}.acf-gallery-side .acf-tab-group li.active a{background:#F9F9F9 !important}.widget .acf-tab-group{border-bottom-color:#e8e8e8}.widget .acf-tab-group li a{background:#F1F1F1}.widget .acf-tab-group li.active a{background:#fff}.media-modal.acf-expanded .compat-attachment-fields>tbody>tr.acf-tab-wrap .acf-tab-group{padding-left:23%;border-bottom-color:#DDDDDD}.form-table>tbody>tr.acf-tab-wrap .acf-tab-group{padding:0 5px 0 210px}html[dir="rtl"] .form-table>tbody>tr.acf-tab-wrap .acf-tab-group{padding:0 210px 0 5px}.acf-oembed{position:relative;border:#ccd0d4 solid 1px;background:#fff}.acf-oembed .title{position:relative;border-bottom:#ccd0d4 solid 1px;padding:5px 10px}.acf-oembed .title .input-search{margin:0;font-size:14px;line-height:30px;height:30px;padding:0;border:0 none;box-shadow:none;border-radius:0;font-family:inherit;cursor:text}.acf-oembed .title .acf-actions{padding:6px}.acf-oembed .canvas{position:relative;min-height:250px;background:#F9F9F9}.acf-oembed .canvas .canvas-media{position:relative;z-index:1}.acf-oembed .canvas iframe{display:block;margin:0;padding:0;width:100%}.acf-oembed .canvas .acf-icon.-picture{position:absolute;top:50%;left:50%;transform:translate(-50%, -50%);z-index:0;height:42px;width:42px;font-size:42px;color:#999}.acf-oembed .canvas .acf-loading-overlay{background:rgba(255,255,255,0.9)}.acf-oembed .canvas .canvas-error{position:absolute;top:50%;left:0%;right:0%;margin:-9px 0 0 0;text-align:center;display:none}.acf-oembed .canvas .canvas-error p{padding:8px;margin:0;display:inline}.acf-oembed.has-value .canvas{min-height:50px}.acf-oembed.has-value .input-search{font-weight:bold}.acf-oembed.has-value .title:hover .acf-actions{display:block}.acf-image-uploader{position:relative}.acf-image-uploader:after{display:block;clear:both;content:""}.acf-image-uploader p{margin:0}.acf-image-uploader .image-wrap{position:relative;float:left}.acf-image-uploader .image-wrap img{max-width:100%;width:auto;height:auto;display:block;min-width:30px;min-height:30px;background:#f1f1f1;margin:0;padding:0}.acf-image-uploader .image-wrap img[src$=".svg"]{min-height:100px;min-width:100px}.acf-image-uploader .image-wrap:hover .acf-actions{display:block}.acf-image-uploader input.button{width:auto}html[dir="rtl"] .acf-image-uploader .image-wrap{float:right}.acf-file-uploader{position:relative}.acf-file-uploader p{margin:0}.acf-file-uploader .file-wrap{border:#ccd0d4 solid 1px;min-height:84px;position:relative;background:#fff}.acf-file-uploader .file-icon{position:absolute;top:0;left:0;bottom:0;padding:10px;background:#F1F1F1;border-right:#d5d9dd solid 1px}.acf-file-uploader .file-icon img{display:block;padding:0;margin:0;max-width:48px}.acf-file-uploader .file-info{padding:10px;margin-left:69px}.acf-file-uploader .file-info p{margin:0 0 2px;font-size:13px;line-height:1.4em;word-break:break-all}.acf-file-uploader .file-info a{text-decoration:none}.acf-file-uploader:hover .acf-actions{display:block}html[dir="rtl"] .acf-file-uploader .file-icon{left:auto;right:0;border-left:#E5E5E5 solid 1px;border-right:none}html[dir="rtl"] .acf-file-uploader .file-info{margin-right:69px;margin-left:0}.acf-ui-datepicker .ui-datepicker{z-index:900000 !important}.acf-ui-datepicker .ui-datepicker .ui-widget-header a{cursor:pointer;transition:none}.acf-ui-datepicker .ui-state-highlight.ui-state-hover{border:1px solid #98b7e8 !important;background:#98b7e8 !important;font-weight:normal !important;color:#ffffff !important}.acf-ui-datepicker .ui-state-highlight.ui-state-active{border:1px solid #3875d7 !important;background:#3875d7 !important;font-weight:normal !important;color:#ffffff !important}.acf-field-separator .acf-label{margin-bottom:0}.acf-field-separator .acf-label label{font-weight:normal}.acf-field-separator .acf-input{display:none}.acf-fields>.acf-field-separator{background:#f9f9f9;border-bottom:1px solid #dfdfdf;border-top:1px solid #dfdfdf;margin-bottom:-1px;z-index:2}.acf-taxonomy-field{position:relative}.acf-taxonomy-field .categorychecklist-holder{border:#ccd0d4 solid 1px;border-radius:3px;max-height:200px;overflow:auto}.acf-taxonomy-field .acf-checkbox-list{margin:0;padding:10px}.acf-taxonomy-field .acf-checkbox-list ul.children{padding-left:18px}.acf-taxonomy-field:hover .acf-actions{display:block}.acf-taxonomy-field[data-ftype="select"] .acf-actions{padding:0;margin:-9px}.acf-range-wrap .acf-append,.acf-range-wrap .acf-prepend{display:inline-block;vertical-align:middle;line-height:28px;margin:0 7px 0 0}.acf-range-wrap .acf-append{margin:0 0 0 7px}.acf-range-wrap input[type="range"]{display:inline-block;padding:0;margin:0;vertical-align:middle;height:28px}.acf-range-wrap input[type="range"]:focus{outline:none}.acf-range-wrap input[type="number"]{display:inline-block;min-width:3em;margin-left:10px;vertical-align:middle}html[dir="rtl"] .acf-range-wrap input[type="number"]{margin-right:10px;margin-left:0}html[dir="rtl"] .acf-range-wrap .acf-append{margin:0 7px 0 0}html[dir="rtl"] .acf-range-wrap .acf-prepend{margin:0 0 0 7px}.acf-accordion{margin:-1px 0;padding:0;background:#fff;border-top:1px solid #d5d9dd;border-bottom:1px solid #d5d9dd;z-index:1}.acf-accordion .acf-accordion-title{margin:0;padding:12px;font-weight:bold;cursor:pointer;font-size:inherit;font-size:13px;line-height:1.4em}.acf-accordion .acf-accordion-title:hover{background:#f3f4f5}.acf-accordion .acf-accordion-title label{margin:0;padding:0;font-size:13px;line-height:1.4em}.acf-accordion .acf-accordion-title p{font-weight:normal}.acf-accordion .acf-accordion-title .acf-accordion-icon{float:right}.acf-accordion .acf-accordion-content{margin:0;padding:0 12px 12px;display:none}.acf-accordion.-open>.acf-accordion-content{display:block}.acf-field.acf-accordion{margin:-1px 0;padding:0 !important;border-color:#d5d9dd}.acf-field.acf-accordion .acf-label.acf-accordion-title{padding:12px;width:auto;float:none;width:auto}.acf-field.acf-accordion .acf-input.acf-accordion-content{padding:0;float:none;width:auto}.acf-field.acf-accordion .acf-input.acf-accordion-content>.acf-fields{border-top:#eee solid 1px}.acf-field.acf-accordion .acf-input.acf-accordion-content>.acf-fields.-clear{padding:0 12px 15px}.acf-fields.-left>.acf-field.acf-accordion:before{display:none}.acf-fields.-left>.acf-field.acf-accordion .acf-accordion-title{width:auto;margin:0 !important;padding:12px;float:none !important}.acf-fields.-left>.acf-field.acf-accordion .acf-accordion-content{padding:0 !important}.acf-fields.-clear>.acf-field.acf-accordion{border:#cccccc solid 1px;background:transparent}.acf-fields.-clear>.acf-field.acf-accordion+.acf-field.acf-accordion{margin-top:-16px}tr.acf-field.acf-accordion{background:transparent}tr.acf-field.acf-accordion>.acf-input{padding:0 !important;border:#cccccc solid 1px}tr.acf-field.acf-accordion .acf-accordion-content{padding:0 12px 12px}#addtag div.acf-field.error{border:0 none;padding:8px 0}#addtag>.acf-field.acf-accordion{padding-right:0;margin-right:5%}#addtag>.acf-field.acf-accordion+p.submit{margin-top:0}tr.acf-accordion{margin:15px 0 !important}tr.acf-accordion+tr.acf-accordion{margin-top:-16px !important}.acf-postbox.seamless>.acf-fields>.acf-accordion{margin-left:12px;margin-right:12px;border:#ccd0d4 solid 1px}.widget .widget-content>.acf-field.acf-accordion{border:#dfdfdf solid 1px;margin-bottom:10px}.widget .widget-content>.acf-field.acf-accordion .acf-accordion-title{margin-bottom:0}.widget .widget-content>.acf-field.acf-accordion+.acf-field.acf-accordion{margin-top:-11px}.media-modal .compat-attachment-fields .acf-field.acf-accordion+.acf-field.acf-accordion{margin-top:-1px}.media-modal .compat-attachment-fields .acf-field.acf-accordion>.acf-input{width:100%}.media-modal .compat-attachment-fields .acf-field.acf-accordion .compat-attachment-fields>tbody>tr>td{padding-bottom:5px}.form-table>tbody>.acf-field>.acf-label{padding:20px 10px 20px 0;width:210px}html[dir="rtl"] .form-table>tbody>.acf-field>.acf-label{padding:20px 0 20px 10px}.form-table>tbody>.acf-field>.acf-label label{font-size:14px;color:#23282d}.form-table>tbody>.acf-field>.acf-input{padding:15px 10px}html[dir="rtl"] .form-table>tbody>.acf-field>.acf-input{padding:15px 10px 15px 5%}.form-table>tbody>.acf-tab-wrap td{padding:15px 5% 15px 0}html[dir="rtl"] .form-table>tbody>.acf-tab-wrap td{padding:15px 0 15px 5%}.form-table>tbody .form-table th.acf-th{width:auto}#your-profile .acf-field input[type="text"],#your-profile .acf-field input[type="password"],#your-profile .acf-field input[type="number"],#your-profile .acf-field input[type="search"],#your-profile .acf-field input[type="email"],#your-profile .acf-field input[type="url"],#your-profile .acf-field select,#createuser .acf-field input[type="text"],#createuser .acf-field input[type="password"],#createuser .acf-field input[type="number"],#createuser .acf-field input[type="search"],#createuser .acf-field input[type="email"],#createuser .acf-field input[type="url"],#createuser .acf-field select{max-width:25em}#your-profile .acf-field textarea,#createuser .acf-field textarea{max-width:500px}#your-profile .acf-field .acf-field input[type="text"],#your-profile .acf-field .acf-field input[type="password"],#your-profile .acf-field .acf-field input[type="number"],#your-profile .acf-field .acf-field input[type="search"],#your-profile .acf-field .acf-field input[type="email"],#your-profile .acf-field .acf-field input[type="url"],#your-profile .acf-field .acf-field textarea,#your-profile .acf-field .acf-field select,#createuser .acf-field .acf-field input[type="text"],#createuser .acf-field .acf-field input[type="password"],#createuser .acf-field .acf-field input[type="number"],#createuser .acf-field .acf-field input[type="search"],#createuser .acf-field .acf-field input[type="email"],#createuser .acf-field .acf-field input[type="url"],#createuser .acf-field .acf-field textarea,#createuser .acf-field .acf-field select{max-width:none}#registerform h2{margin:1em 0}#registerform .acf-field{margin-top:0}#registerform .acf-field .acf-label{margin-bottom:0}#registerform .acf-field .acf-label label{font-weight:normal;line-height:1.5}#registerform p.submit{text-align:right}#acf-term-fields{padding-right:5%}#acf-term-fields>.acf-field>.acf-label{margin:0}#acf-term-fields>.acf-field>.acf-label label{font-size:12px;font-weight:normal}p.submit .spinner,p.submit .acf-spinner{vertical-align:top;float:none;margin:4px 4px 0}#edittag .acf-fields.-left>.acf-field{padding-left:220px}#edittag .acf-fields.-left>.acf-field:before{width:209px}#edittag .acf-fields.-left>.acf-field>.acf-label{width:220px;margin-left:-220px;padding:0 10px}#edittag .acf-fields.-left>.acf-field>.acf-input{padding:0}#edittag>.acf-fields.-left{width:96%}#edittag>.acf-fields.-left>.acf-field>.acf-label{padding-left:0}.editcomment td:first-child{white-space:nowrap;width:131px}#widgets-right .widget .acf-field .description{padding-left:0;padding-right:0}.acf-widget-fields>.acf-field .acf-label{margin-bottom:5px}.acf-widget-fields>.acf-field .acf-label label{font-weight:normal;margin:0}.acf-menu-settings{border-top:1px solid #eee;margin-top:2em}.acf-menu-settings.-seamless{border-top:none;margin-top:15px}.acf-menu-settings.-seamless>h2{display:none}.acf-menu-settings .list li{display:block;margin-bottom:0}.acf-menu-item-fields{margin-right:10px;float:left}#post .compat-attachment-fields .compat-field-acf-form-data{display:none}#post .compat-attachment-fields,#post .compat-attachment-fields>tbody,#post .compat-attachment-fields>tbody>tr,#post .compat-attachment-fields>tbody>tr>th,#post .compat-attachment-fields>tbody>tr>td{display:block}#post .compat-attachment-fields>tbody>.acf-field{margin:15px 0}#post .compat-attachment-fields>tbody>.acf-field>.acf-label{margin:0}#post .compat-attachment-fields>tbody>.acf-field>.acf-label label{margin:0;padding:0}#post .compat-attachment-fields>tbody>.acf-field>.acf-label label p{margin:0 0 3px !important}#post .compat-attachment-fields>tbody>.acf-field>.acf-input{margin:0}.media-modal .compat-attachment-fields td.acf-input table{display:table;table-layout:auto}.media-modal .compat-attachment-fields td.acf-input table tbody{display:table-row-group}.media-modal .compat-attachment-fields td.acf-input table tr{display:table-row}.media-modal .compat-attachment-fields td.acf-input table td,.media-modal .compat-attachment-fields td.acf-input table th{display:table-cell}.media-modal .compat-attachment-fields>tbody>.acf-field{margin:5px 0}.media-modal .compat-attachment-fields>tbody>.acf-field>.acf-label{min-width:30%;margin:0;padding:0;float:left;text-align:right;display:block;float:left}.media-modal .compat-attachment-fields>tbody>.acf-field>.acf-label>label{padding-top:6px;margin:0;color:#666666;font-weight:400;line-height:16px}.media-modal .compat-attachment-fields>tbody>.acf-field>.acf-input{width:65%;margin:0;padding:0;float:right;display:block}.media-modal .compat-attachment-fields>tbody>.acf-field p.description{margin:0}.acf-selection-error{background:#ffebe8;border:1px solid #c00;border-radius:3px;padding:8px;margin:20px 0 0}.acf-selection-error .selection-error-label{background:#CC0000;border-radius:3px;color:#fff;font-weight:bold;margin-right:8px;padding:2px 4px}.acf-selection-error .selection-error-message{color:#b44;display:block;padding-top:8px;word-wrap:break-word;white-space:pre-wrap}.media-modal .attachment.acf-disabled .thumbnail{opacity:0.25 !important}.media-modal .attachment.acf-disabled .attachment-preview:before{background:rgba(0,0,0,0.15);z-index:1;position:relative}.media-modal .compat-field-acf-form-data,.media-modal .compat-field-acf-blank{display:none !important}.media-modal .upload-error-message{white-space:pre-wrap}.media-modal .acf-required{padding:0 !important;margin:0 !important;float:none !important;color:#f00 !important}.media-modal .media-sidebar .compat-item{padding-bottom:20px}@media (max-width: 900px){.media-modal .setting span,.media-modal .compat-attachment-fields>tbody>.acf-field>.acf-label{width:98%;float:none;text-align:left;min-height:0;padding:0}.media-modal .setting input,.media-modal .setting textarea,.media-modal .compat-attachment-fields>tbody>.acf-field>.acf-input{float:none;height:auto;max-width:none;width:98%}}.media-modal .acf-expand-details{float:right;padding:1px 10px;margin-right:6px;height:18px;line-height:18px;color:#AAAAAA;font-size:12px}.media-modal .acf-expand-details:focus,.media-modal .acf-expand-details:active{outline:0 none;box-shadow:none;color:#AAAAAA}.media-modal .acf-expand-details:hover{color:#666666 !important}.media-modal .acf-expand-details span{display:block;float:left}.media-modal .acf-expand-details .acf-icon{margin:0 4px 0 0}.media-modal .acf-expand-details:hover .acf-icon{border-color:#AAAAAA}.media-modal .acf-expand-details .is-open{display:none}.media-modal .acf-expand-details .is-closed{display:block}@media (max-width: 640px){.media-modal .acf-expand-details{display:none}}.media-modal.acf-expanded .acf-expand-details .is-open{display:block}.media-modal.acf-expanded .acf-expand-details .is-closed{display:none}.media-modal.acf-expanded .attachments-browser .media-toolbar,.media-modal.acf-expanded .attachments-browser .attachments{right:740px}.media-modal.acf-expanded .media-sidebar{width:708px}.media-modal.acf-expanded .media-sidebar .attachment-info .thumbnail{float:left;max-height:none}.media-modal.acf-expanded .media-sidebar .attachment-info .thumbnail img{max-width:100%;max-height:200px}.media-modal.acf-expanded .media-sidebar .attachment-info .details{float:right}.media-modal.acf-expanded .media-sidebar .attachment-info .thumbnail,.media-modal.acf-expanded .media-sidebar .attachment-details .setting .name,.media-modal.acf-expanded .media-sidebar .compat-attachment-fields>tbody>.acf-field>.acf-label{min-width:20%;margin-right:0}.media-modal.acf-expanded .media-sidebar .attachment-info .details,.media-modal.acf-expanded .media-sidebar .attachment-details .setting input,.media-modal.acf-expanded .media-sidebar .attachment-details .setting textarea,.media-modal.acf-expanded .media-sidebar .attachment-details .setting+.description,.media-modal.acf-expanded .media-sidebar .compat-attachment-fields>tbody>.acf-field>.acf-input{min-width:77%}@media (max-width: 900px){.media-modal.acf-expanded .attachments-browser .media-toolbar{display:none}.media-modal.acf-expanded .attachments{display:none}.media-modal.acf-expanded .media-sidebar{width:auto;max-width:none !important;bottom:0 !important}.media-modal.acf-expanded .media-sidebar .attachment-info .thumbnail{min-width:0;max-width:none;width:30%}.media-modal.acf-expanded .media-sidebar .attachment-info .details{min-width:0;max-width:none;width:67%}}@media (max-width: 640px){.media-modal.acf-expanded .media-sidebar .attachment-info .thumbnail,.media-modal.acf-expanded .media-sidebar .attachment-info .details{width:100%}}.acf-media-modal .media-embed .setting.align,.acf-media-modal .media-embed .setting.link-to{display:none}.acf-media-modal.-edit{left:15%;right:15%;top:100px;bottom:100px}.acf-media-modal.-edit .media-frame-menu,.acf-media-modal.-edit .media-frame-router,.acf-media-modal.-edit .media-frame-content .attachments,.acf-media-modal.-edit .media-frame-content .media-toolbar{display:none}.acf-media-modal.-edit .media-frame-title,.acf-media-modal.-edit .media-frame-content,.acf-media-modal.-edit .media-frame-toolbar,.acf-media-modal.-edit .media-sidebar{width:auto;left:0;right:0}.acf-media-modal.-edit .media-frame-content{top:50px}.acf-media-modal.-edit .media-frame-title{border-bottom:1px solid #DFDFDF;box-shadow:0 4px 4px -4px rgba(0,0,0,0.1)}.acf-media-modal.-edit .media-sidebar{padding:0 16px}.acf-media-modal.-edit .media-sidebar .attachment-details{overflow:visible}.acf-media-modal.-edit .media-sidebar .attachment-details>h3,.acf-media-modal.-edit .media-sidebar .attachment-details>h2{display:none}.acf-media-modal.-edit .media-sidebar .attachment-details .attachment-info{background:#fff;border-bottom:#dddddd solid 1px;padding:16px;margin:0 -16px 16px}.acf-media-modal.-edit .media-sidebar .attachment-details .thumbnail{margin:0 16px 0 0}.acf-media-modal.-edit .media-sidebar .attachment-details .setting{margin:0 0 5px}.acf-media-modal.-edit .media-sidebar .attachment-details .setting span{margin:0}.acf-media-modal.-edit .media-sidebar .compat-attachment-fields>tbody>.acf-field{margin:0 0 5px}.acf-media-modal.-edit .media-sidebar .compat-attachment-fields>tbody>.acf-field p.description{margin-top:3px}.acf-media-modal.-edit .media-sidebar .media-types-required-info{display:none}@media (max-width: 900px){.acf-media-modal.-edit{top:30px;right:30px;bottom:30px;left:30px}}@media (max-width: 640px){.acf-media-modal.-edit{top:0;right:0;bottom:0;left:0}}@media (max-width: 480px){.acf-media-modal.-edit .media-frame-content{top:40px}}.acf-temp-remove{position:relative;opacity:1;-webkit-transition:all 0.25s ease;-moz-transition:all 0.25s ease;-o-transition:all 0.25s ease;transition:all 0.25s ease;overflow:hidden}.acf-temp-remove:after{display:block;content:"";position:absolute;top:0;left:0;right:0;bottom:0;z-index:99}.hidden-by-conditional-logic{display:none !important}.hidden-by-conditional-logic.appear-empty{display:table-cell !important}.hidden-by-conditional-logic.appear-empty .acf-input{display:none !important}.acf-postbox.acf-hidden{display:none !important}#editor .edit-post-layout__metaboxes{padding:0}#editor .postbox{color:#444}#editor .postbox .handlediv{color:#191e23 !important;height:46px;width:auto;padding:0 14px 0 5px;position:relative;z-index:2}#editor .postbox .hndle{color:#191e23 !important;font-size:13px;line-height:normal;padding:15px}#editor .postbox .hndle:hover{background:#f2f4f5}#editor .postbox .hndle .acf-hndle-cog{line-height:16px}#editor .postbox .handlediv .toggle-indicator{color:inherit}#editor .postbox .handlediv .toggle-indicator:before{content:"\f343";font-size:18px;width:auto}#editor .postbox.closed .handlediv .toggle-indicator:before{content:"\f347"}
PK�
�[��1�rrassets/css/acf-dark.cssnu�[���.acf-box{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-box .title,.acf-box .footer{border-color:#23282d}.acf-box h2{color:#bbc8d4}.acf-box table,.acf-box tbody,.acf-box tr{background:transparent !important}.acf-thead{color:#bbc8d4;border-color:#191f25}.acf-tfoot{background-color:#2d3136;border-color:#23282d}.acf-table.-clear,.acf-table.-clear tr{background:transparent !important}.acf-loading-overlay{background:rgba(0,0,0,0.5)}.acf-fields>.acf-field{border-color:#23282d}.acf-fields.-left>.acf-field:before{background:rgba(0,0,0,0.1);border-color:#23282d}.acf-fields.-border{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-field[data-width]+.acf-field[data-width]{border-color:#23282d}.acf-input-prepend,.acf-input-append{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-fields>.acf-tab-wrap{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-fields>.acf-tab-wrap .acf-tab-group{background-color:#2d3136;border-color:#23282d}.acf-fields>.acf-tab-wrap .acf-tab-group li a{background-color:#2d3136;border-color:#23282d}.acf-fields>.acf-tab-wrap .acf-tab-group li a:hover{background-color:#2d3136;border-color:#23282d;color:#bbc8d4}.acf-fields>.acf-tab-wrap .acf-tab-group li.active a{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-fields.-sidebar:before{background-color:#2d3136;border-color:#23282d}.acf-fields.-sidebar.-left:before{background-color:#2d3136;border-color:#23282d;background:#23282d}.acf-fields.-sidebar.-left>.acf-tab-wrap.-left .acf-tab-group li a{background-color:#2d3136;border-color:#23282d}.acf-fields.-sidebar.-left>.acf-tab-wrap.-left .acf-tab-group li.active a{background-color:#2d3136;border-color:#23282d}.acf-file-uploader .show-if-value{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-file-uploader .show-if-value .file-icon{background-color:#2d3136;border-color:#23282d}.acf-oembed{background-color:#2d3136;border-color:#23282d}.acf-oembed .title{background-color:#50626f;border-color:#191f25;color:#fff}.acf-gallery{background-color:#2d3136;border-color:#23282d}.acf-gallery .acf-gallery-main{background:#23282d}.acf-gallery .acf-gallery-attachment .margin{background-color:#2d3136;border-color:#23282d}.acf-gallery .acf-gallery-side{background-color:#2d3136;border-color:#23282d}.acf-gallery .acf-gallery-side .acf-gallery-side-info{background-color:#2d3136;border-color:#23282d}.acf-gallery .acf-gallery-toolbar{background-color:#2d3136;border-color:#23282d}.acf-button-group label:not(.selected){background-color:#2d3136;border-color:#23282d}.acf-switch:not(.-on){background-color:#2d3136;border-color:#23282d}.acf-switch:not(.-on) .acf-switch-slider{background-color:#50626f;border-color:#191f25;color:#fff}.acf-link .link-wrap{background-color:#2d3136;border-color:#23282d}.acf-relationship .filters{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-relationship .selection{background-color:#2d3136;border-color:#23282d}.acf-relationship .selection .choices,.acf-relationship .selection .choices-list,.acf-relationship .selection .values{background-color:#2d3136;border-color:#23282d}.acf-taxonomy-field .categorychecklist-holder{background-color:#2d3136;border-color:#23282d}.acf-google-map{background-color:#2d3136;border-color:#23282d}.acf-google-map .title{background-color:#50626f;border-color:#191f25;color:#fff}.acf-accordion{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-field.acf-accordion .acf-accordion-content>.acf-fields{border-color:#191f25}.acf-flexible-content .layout{background-color:#32373c;border-color:#191f25;color:#bbc8d4}.acf-flexible-content .layout .acf-fc-layout-handle{background-color:#2d3136;border-color:#23282d}.acf-flexible-content .layout .acf-fc-layout-handle .acf-fc-layout-order{background-color:#32373c;border-color:#191f25;color:#bbc8d4}#wpbody .acf-table{background-color:#2d3136;border-color:#23282d}#wpbody .acf-table>tbody>tr,#wpbody .acf-table>thead>tr{background:transparent}#wpbody .acf-table>tbody>tr>td,#wpbody .acf-table>tbody>tr>th,#wpbody .acf-table>thead>tr>td,#wpbody .acf-table>thead>tr>th{border-color:#191f25}.acf-field select optgroup,.acf-field select optgroup:nth-child(2n){background:#50626f}#acf-field-group-fields .acf-field-list-wrap{background-color:#32373c;border-color:#191f25;color:#bbc8d4}#acf-field-group-fields .acf-field-list .no-fields-message{background-color:#32373c;border-color:#191f25;color:#bbc8d4}#acf-field-group-fields .acf-field-object{background-color:#32373c;border-color:#191f25;color:#bbc8d4;border-color:#23282d}#acf-field-group-fields .acf-field-object table,#acf-field-group-fields .acf-field-object tbody,#acf-field-group-fields .acf-field-object tr,#acf-field-group-fields .acf-field-object td,#acf-field-group-fields .acf-field-object th{background:transparent;border-color:#23282d}#acf-field-group-fields .acf-field-object .acf-field .acf-label{background-color:#2d3136;border-color:#23282d}#acf-field-group-fields .acf-field-object.ui-sortable-helper{border-color:#191f25;box-shadow:none}#acf-field-group-fields .acf-field-object.ui-sortable-placeholder{background-color:#2d3136;border-color:#23282d;box-shadow:none}#acf-field-group-fields .acf-field-object+.acf-field-object-tab::before,#acf-field-group-fields .acf-field-object+.acf-field-object-accordion::before{background-color:#2d3136;border-color:#23282d}.acf-meta-box-wrap .acf-fields{background-color:#50626f;border-color:#191f25;color:#fff;background:transparent}
PK�
�[�D��assets/css/acf-field-group.cssnu�[���#acf-field-group-fields>.inside,#acf-field-group-locations>.inside,#acf-field-group-options>.inside{padding:0;margin:0}#minor-publishing-actions,#misc-publishing-actions #visibility,#misc-publishing-actions .edit-timestamp{display:none}#minor-publishing{border-bottom:0 none}#misc-pub-section{border-bottom:0 none}#misc-publishing-actions .misc-pub-section{border-bottom-color:#F5F5F5}#acf-field-group-fields{border:0 none;box-shadow:none}#acf-field-group-fields>.handlediv,#acf-field-group-fields>.hndle{display:none}#acf-field-group-fields a{text-decoration:none}#acf-field-group-fields a:active,#acf-field-group-fields a:focus{outline:none;box-shadow:none}#acf-field-group-fields .li-field-order{width:20%}#acf-field-group-fields .li-field-label{width:30%}#acf-field-group-fields .li-field-name{width:25%}#acf-field-group-fields .li-field-type{width:25%}#acf-field-group-fields .li-field-key{display:none}#acf-field-group-fields.show-field-keys .li-field-label,#acf-field-group-fields.show-field-keys .li-field-name,#acf-field-group-fields.show-field-keys .li-field-type,#acf-field-group-fields.show-field-keys .li-field-key{width:20%}#acf-field-group-fields.show-field-keys .li-field-key{display:block}#acf-field-group-fields .acf-field-list-wrap{border:#ccd0d4 solid 1px}#acf-field-group-fields .acf-field-list{background:#f5f5f5;margin-top:-1px}#acf-field-group-fields .acf-field-list .no-fields-message{padding:15px 15px;background:#fff;display:none}#acf-field-group-fields .acf-field-list.-empty .no-fields-message{display:block}.acf-admin-3-8 #acf-field-group-fields .acf-field-list-wrap{border-color:#dfdfdf}.acf-field-object{border-top:#eee solid 1px;background:#fff}.acf-field-object.ui-sortable-helper{border-top-color:#fff;box-shadow:0 0 0 1px #DFDFDF,0 1px 4px rgba(0,0,0,0.1)}.acf-field-object.ui-sortable-placeholder{box-shadow:0 -1px 0 0 #DFDFDF;visibility:visible !important;background:#F9F9F9;border-top-color:transparent;min-height:54px}.acf-field-object.ui-sortable-placeholder:after,.acf-field-object.ui-sortable-placeholder:before{visibility:hidden}.acf-field-object>.meta{display:none}.acf-field-object>.handle a{-webkit-transition:none;-moz-transition:none;-o-transition:none;transition:none}.acf-field-object>.handle li{padding-top:10px;padding-bottom:10px;word-wrap:break-word}.acf-field-object>.handle .acf-icon{margin:1px 0 0;cursor:move;background:transparent;float:left;height:28px;line-height:28px;width:28px;font-size:13px;color:#444;position:relative;z-index:1}.acf-field-object>.handle strong{display:block;padding-bottom:6px;font-size:14px;line-height:14px;min-height:14px}.acf-field-object>.handle .row-options{visibility:hidden}.acf-field-object>.handle .row-options a{margin-right:4px}.acf-field-object>.handle .row-options a.delete-field{color:#a00}.acf-field-object>.handle .row-options a.delete-field:hover{color:#f00}.acf-field-object.open+.acf-field-object{border-top-color:#E1E1E1}.acf-field-object.open>.handle{background:#2a9bd9;border:#2696d3 solid 1px;text-shadow:#268FBB 0 1px 0;color:#fff;position:relative;margin:-1px -1px 0 -1px}.acf-field-object.open>.handle a{color:#fff !important}.acf-field-object.open>.handle a:hover{text-decoration:underline !important}.acf-field-object.open>.handle .acf-icon{border-color:#fff;color:#fff}.acf-field-object.open>.handle .acf-required{color:#fff}.acf-field-object:hover>.handle .row-options,.acf-field-object.-hover>.handle .row-options{visibility:visible}.acf-field-object>.settings{display:none;width:100%}.acf-field-object>.settings>.acf-table{border:none}.acf-field-object .rule-groups{margin-top:20px}.rule-groups h4{margin:3px 0}.rule-groups .rule-group{margin:0 0 5px}.rule-groups .rule-group h4{margin:0 0 3px}.rule-groups .rule-group td.param{width:35%}.rule-groups .rule-group td.operator{width:20%}.rule-groups .rule-group td.add{width:40px}.rule-groups .rule-group td.remove{width:28px;vertical-align:middle}.rule-groups .rule-group td.remove a{visibility:hidden}.rule-groups .rule-group tr:hover td.remove a{visibility:visible}.rule-groups .rule-group:first-child tr:first-child td.remove a{visibility:hidden !important}.rule-groups .rule-group select:empty{background:#f8f8f8}#acf-field-group-options tr[data-name="hide_on_screen"] li{float:left;width:33%}@media (max-width: 1100px){#acf-field-group-options tr[data-name="hide_on_screen"] li{width:50%}}table.conditional-logic-rules{background:transparent;border:0 none;border-radius:0}table.conditional-logic-rules tbody td{background:transparent;border:0 none !important;padding:5px 2px !important}.acf-field-object-tab .acf-field-setting-name,.acf-field-object-accordion .acf-field-setting-name,.acf-field-object-tab .acf-field-setting-instructions,.acf-field-object-accordion .acf-field-setting-instructions,.acf-field-object-tab .acf-field-setting-required,.acf-field-object-accordion .acf-field-setting-required,.acf-field-object-tab .acf-field-setting-warning,.acf-field-object-accordion .acf-field-setting-warning,.acf-field-object-tab .acf-field-setting-wrapper,.acf-field-object-accordion .acf-field-setting-wrapper{display:none}.acf-field-object-tab .li-field-name,.acf-field-object-accordion .li-field-name{visibility:hidden}.acf-field-object+.acf-field-object-tab:before,.acf-field-object+.acf-field-object-accordion:before{display:block;content:"";height:5px;width:100%;background:#f5f5f5;border-top:#e1e1e1 solid 1px;border-bottom:#e1e1e1 solid 1px;margin-top:-1px}.acf-admin-3-8 .acf-field-object+.acf-field-object-tab:before,.acf-admin-3-8 .acf-field-object+.acf-field-object-accordion:before{border-color:#E5E5E5}.acf-field-object-tab p:first-child,.acf-field-object-accordion p:first-child{margin:0.5em 0}.acf-field-object-accordion .acf-field-setting-instructions{display:table-row}.acf-field-object-message tr[data-name="name"],.acf-field-object-message tr[data-name="instructions"],.acf-field-object-message tr[data-name="required"]{display:none !important}.acf-field-object-message .li-field-name{visibility:hidden}.acf-field-object-message textarea{height:175px !important}.acf-field-object-separator tr[data-name="name"],.acf-field-object-separator tr[data-name="instructions"],.acf-field-object-separator tr[data-name="required"]{display:none !important}.acf-field-object-date-picker .acf-radio-list li,.acf-field-object-time-picker .acf-radio-list li,.acf-field-object-date-time-picker .acf-radio-list li{line-height:25px}.acf-field-object-date-picker .acf-radio-list span,.acf-field-object-time-picker .acf-radio-list span,.acf-field-object-date-time-picker .acf-radio-list span{display:inline-block;min-width:10em}.acf-field-object-date-picker .acf-radio-list input[type="text"],.acf-field-object-time-picker .acf-radio-list input[type="text"],.acf-field-object-date-time-picker .acf-radio-list input[type="text"]{width:100px}.acf-field-object-date-time-picker .acf-radio-list span{min-width:15em}.acf-field-object-date-time-picker .acf-radio-list input[type="text"]{width:200px}#slugdiv .inside{padding:12px;margin:0}#slugdiv input[type="text"]{width:100%;height:28px;font-size:14px}html[dir="rtl"] .acf-field-object.open>.handle{margin:-1px -1px 0}html[dir="rtl"] .acf-field-object.open>.handle .acf-icon{float:right}html[dir="rtl"] .acf-field-object.open>.handle .li-field-order{padding-left:0 !important;padding-right:15px !important}@media only screen and (max-width: 850px){tr.acf-field,td.acf-label,td.acf-input{display:block !important;width:auto !important;border:0 none !important}tr.acf-field{border-top:#ededed solid 1px !important;margin-bottom:0 !important}td.acf-label{background:transparent !important;padding-bottom:0 !important}}
PK�
�[b��L�Lassets/css/acf-global.cssnu�[���.acf-hl{padding:0;margin:0;list-style:none;display:block;position:relative}.acf-hl>li{float:left;display:block;margin:0;padding:0}.acf-hl>li.acf-fr{float:right}.acf-hl:before,.acf-hl:after,.acf-bl:before,.acf-bl:after,.acf-cf:before,.acf-cf:after{content:"";display:block;line-height:0}.acf-hl:after,.acf-bl:after,.acf-cf:after{clear:both}.acf-bl{padding:0;margin:0;list-style:none;display:block;position:relative}.acf-bl>li{display:block;margin:0;padding:0;float:none}.acf-hidden{display:none !important}.acf-empty{display:table-cell !important}.acf-empty *{display:none !important}.acf-fl{float:left}.acf-fr{float:right}.acf-fn{float:none}.acf-al{text-align:left}.acf-ar{text-align:right}.acf-ac{text-align:center}.acf-loading,.acf-spinner{display:inline-block;height:20px;width:20px;vertical-align:text-top;background:transparent url(../images/spinner.gif) no-repeat 50% 50%}.acf-spinner{display:none}.acf-spinner.is-active{display:inline-block}.spinner.is-active{display:inline-block}.acf-required{color:#f00}.acf-soh .acf-soh-target{-webkit-transition:opacity 0.25s 0s ease-in-out, visibility 0s linear 0.25s;-moz-transition:opacity 0.25s 0s ease-in-out, visibility 0s linear 0.25s;-o-transition:opacity 0.25s 0s ease-in-out, visibility 0s linear 0.25s;transition:opacity 0.25s 0s ease-in-out, visibility 0s linear 0.25s;visibility:hidden;opacity:0}.acf-soh:hover .acf-soh-target{-webkit-transition-delay:0s;-moz-transition-delay:0s;-o-transition-delay:0s;transition-delay:0s;visibility:visible;opacity:1}.show-if-value{display:none}.hide-if-value{display:block}.has-value .show-if-value{display:block}.has-value .hide-if-value{display:none}.select2-search-choice-close{-webkit-transition:none;-moz-transition:none;-o-transition:none;transition:none}.acf-tooltip{background:#2F353E;border-radius:5px;color:#fff;padding:5px 10px;position:absolute;font-size:12px;line-height:1.4em;z-index:900000}.acf-tooltip:before{border:solid;border-color:transparent;border-width:6px;content:"";position:absolute}.acf-tooltip.top{margin-top:-8px}.acf-tooltip.top:before{top:100%;left:50%;margin-left:-6px;border-top-color:#2F353E;border-bottom-width:0}.acf-tooltip.right{margin-left:8px}.acf-tooltip.right:before{top:50%;margin-top:-6px;right:100%;border-right-color:#2F353E;border-left-width:0}.acf-tooltip.bottom{margin-top:8px}.acf-tooltip.bottom:before{bottom:100%;left:50%;margin-left:-6px;border-bottom-color:#2F353E;border-top-width:0}.acf-tooltip.left{margin-left:-8px}.acf-tooltip.left:before{top:50%;margin-top:-6px;left:100%;border-left-color:#2F353E;border-right-width:0}.acf-tooltip .acf-overlay{z-index:-1}.acf-tooltip.-confirm{z-index:900001}.acf-tooltip.-confirm a{text-decoration:none;color:#9ea3a8}.acf-tooltip.-confirm a:hover{text-decoration:underline}.acf-tooltip.-confirm a[data-event="confirm"]{color:#F55E4F}.acf-overlay{position:fixed;top:0;bottom:0;left:0;right:0;cursor:default}.acf-tooltip-target{position:relative;z-index:900002}.acf-loading-overlay{position:absolute;top:0;bottom:0;left:0;right:0;cursor:default;z-index:99;background:rgba(249,249,249,0.5)}.acf-loading-overlay i{position:absolute;top:50%;left:50%;transform:translate(-50%, -50%)}@font-face{font-family:'acf';src:url("../font/acf.eot?57601716");src:url("../font/acf.eot?57601716#iefix") format("embedded-opentype"),url("../font/acf.woff2?57601716") format("woff2"),url("../font/acf.woff?57601716") format("woff"),url("../font/acf.ttf?57601716") format("truetype"),url("../font/acf.svg?57601716#acf") format("svg");font-weight:normal;font-style:normal}.acf-icon:before{font-family:"acf";font-style:normal;font-weight:normal;speak:none;display:inline-block;text-decoration:inherit;width:1em;text-align:center;font-variant:normal;text-transform:none;line-height:1em;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;position:relative}.acf-icon.-plus:before{content:'\e800'}.acf-icon.-minus:before{content:'\e801'}.acf-icon.-cancel:before{content:'\e802'}.acf-icon.-pencil:before{content:'\e803';top:-1px}.acf-icon.-location:before{content:'\e804'}.acf-icon.-down:before{content:'\e805';top:1px}.acf-icon.-left:before{content:'\e806';left:-1px}.acf-icon.-right:before{content:'\e807';left:1px}.acf-icon.-up:before{content:'\e808';top:-1px}.acf-icon.-sync:before{content:'\e809'}.acf-icon.-globe:before{content:'\e80a'}.acf-icon.-picture:before{content:'\e80b'}.acf-icon.-check:before{content:'\e80c'}.acf-icon.-dot-3:before{content:'\e80d'}.acf-icon.-arrow-combo:before{content:'\e80e'}.acf-icon.-arrow-up:before{content:'\e810';top:-1px}.acf-icon.-arrow-down:before{content:'\e80f';top:1px}.acf-icon.-search:before{content:'\e811'}.acf-icon.-link-ext:before{content:'\f08e'}.acf-icon.-collapse:before{content:'\e810';top:-1px}.-collapsed .acf-icon.-collapse:before{content:'\e80f';top:1px}.acf-icon{display:inline-block;height:26px;width:26px;border:transparent solid 1px;border-radius:100%;font-size:16px;line-height:26px;text-align:center;text-decoration:none;vertical-align:top;box-sizing:content-box}span.acf-icon{color:#999;border-color:#BBB;background-color:#fff}a.acf-icon{color:#555d66;border-color:#b5bcc2;background-color:#fff;position:relative;overflow:hidden;transition:none}a.acf-icon.-clear{color:#444;background:transparent;border:none}a.acf-icon.light{border:none;padding:1px;background:#F5F5F5;color:#23282d}a.acf-icon:hover{border-color:transparent;background:#2a9bd9;color:#fff}a.acf-icon:active{color:#fff;background-color:#238cc6}a.acf-icon:active,a.acf-icon:focus{outline:none;box-shadow:none}a.acf-icon.-minus:hover,a.acf-icon.-cancel:hover{background-color:#F55E4F}a.acf-icon.-minus:active,a.acf-icon.-cancel:active{background-color:#f44837}.acf-icon.-pencil{font-size:15px}.acf-icon.-location{font-size:18px}.acf-icon.small,.acf-icon.-small{width:18px;height:18px;line-height:18px;font-size:14px}.acf-icon.dark{border-color:transparent;background:#23282D;color:#eee}a.acf-icon.dark:hover{border-color:transparent;background:#191E23;color:#00b9eb}a.acf-icon.-minus.dark:hover,a.acf-icon.-cancel.dark:hover{color:#D54E21}.acf-icon.grey{border-color:transparent;background:#b4b9be;color:#fff}a.acf-icon.grey:hover{border-color:transparent;background:#00A0D2;color:#fff}a.acf-icon.-minus.grey:hover,a.acf-icon.-cancel.grey:hover{background:#32373C}.acf-icon.red{border-color:transparent;background-color:#F55E4F;color:#fff}.acf-icon.yellow{border-color:transparent;background-color:#FDBC40;color:#fff}.acf-icon.logo{width:150px;height:150px;background:#5EE8BF;border:0 none;position:absolute;right:0;top:0}.acf-box{background:#FFFFFF;border:1px solid #ccd0d4;position:relative;box-shadow:0 1px 1px rgba(0,0,0,0.04)}.acf-box .title{border-bottom:1px solid #ccd0d4;margin:0;padding:15px}.acf-box .title h3{font-size:14px;line-height:1em;margin:0;padding:0}.acf-box .inner{padding:15px}.acf-box h2{color:#333333;font-size:26px;line-height:1.25em;margin:0.25em 0 0.75em;padding:0}.acf-box h3{margin:1.5em 0 0}.acf-box p{margin-top:0.5em}.acf-box a{text-decoration:none}.acf-box i.dashicons-external{margin-top:-1px}.acf-box .footer{border-top:1px solid #ccd0d4;padding:12px;font-size:13px;line-height:1.5}.acf-box .footer p{margin:0}.acf-admin-3-8 .acf-box{border-color:#E5E5E5}.acf-admin-3-8 .acf-box .title,.acf-admin-3-8 .acf-box .footer{border-color:#E5E5E5}.acf-notice{position:relative;display:block;color:#fff;margin:5px 0 15px;padding:3px 12px;background:#2a9bd9;border-left:#2183b9 solid 4px}.acf-notice p{font-size:13px;line-height:1.5;margin:0.5em 0;text-shadow:none;color:inherit}.acf-notice a.acf-notice-dismiss{position:absolute;border-color:transparent;top:9px;right:12px;color:#fff;background:rgba(0,0,0,0.1)}.acf-notice a.acf-notice-dismiss:hover{background:rgba(0,0,0,0.2)}.acf-notice.-dismiss{padding-right:40px}.acf-notice.-error{background:#F55E4F;border-color:#f33b28}.acf-notice.-success{background:#46b450;border-color:#3b9743}.acf-notice.-warning{background:#fd8d3b;border-color:#fd7613}.acf-table{border:#ccd0d4 solid 1px;background:#fff;border-spacing:0;border-radius:0;table-layout:auto;padding:0;margin:0;width:100%;clear:both;box-sizing:content-box}.acf-table>tbody>tr>th,.acf-table>tbody>tr>td,.acf-table>thead>tr>th,.acf-table>thead>tr>td{padding:8px;vertical-align:top;background:#fff;text-align:left;border-style:solid;font-weight:normal}.acf-table>tbody>tr>th,.acf-table>thead>tr>th{position:relative;color:#333333}.acf-table>thead>tr>th{border-color:#d5d9dd;border-width:0 0 1px 1px}.acf-table>thead>tr>th:first-child{border-left-width:0}.acf-table>tbody>tr{z-index:1}.acf-table>tbody>tr>td{border-color:#eee;border-width:1px 0 0 1px}.acf-table>tbody>tr>td:first-child{border-left-width:0}.acf-table>tbody>tr:first-child>td{border-top-width:0}.acf-table.-clear{border:0 none}.acf-table.-clear>tbody>tr>td,.acf-table.-clear>tbody>tr>th,.acf-table.-clear>thead>tr>td,.acf-table.-clear>thead>tr>th{border:0 none;padding:4px}.acf-remove-element{-webkit-transition:all 0.25s ease-out;-moz-transition:all 0.25s ease-out;-o-transition:all 0.25s ease-out;transition:all 0.25s ease-out;transform:translate(50px, 0);opacity:0}.acf-fade-up{-webkit-transition:all 0.25s ease-out;-moz-transition:all 0.25s ease-out;-o-transition:all 0.25s ease-out;transition:all 0.25s ease-out;transform:translate(0, -10px);opacity:0}#acf-field-group-wrap .tablenav,#acf-field-group-wrap p.search-box{display:none}#acf-field-group-wrap .wp-list-table .column-acf-fg-description,#acf-field-group-wrap .wp-list-table .column-acf-fg-description:before{display:none !important}#acf-field-group-wrap .wp-list-table .column-acf-fg-count{width:10%}#acf-field-group-wrap .wp-list-table .column-acf-fg-status{width:10%}#acf-field-group-wrap .tablenav.bottom{display:block}#acf-field-group-wrap .acf-description{font-weight:normal;font-size:13px;color:#999;margin-left:7px;font-style:italic}#acf-field-group-wrap .subsubsub{margin-bottom:3px}#acf-field-group-wrap .subsubsub ul{margin:0}#acf-field-group-wrap .subsubsub+.subsubsub{margin-top:0}#acf-field-group-wrap .subsubsub a:focus{box-shadow:none}.acf-columns-2{margin-right:300px;clear:both}.acf-columns-2:after{display:block;clear:both;content:""}html[dir="rtl"] .acf-columns-2{margin-right:0;margin-left:300px}.acf-columns-2 .acf-column-1{float:left;width:100%}html[dir="rtl"] .acf-columns-2 .acf-column-1{float:right}.acf-columns-2 .acf-column-2{float:right;margin-right:-300px;width:280px}html[dir="rtl"] .acf-columns-2 .acf-column-2{float:left;margin-right:0;margin-left:-300px}#acf-field-group-wrap .search-box:after{display:block;content:"";height:5px}.acf-clear{clear:both}@media screen and (max-width: 782px){#acf-field-group-wrap #the-list .acf-icon:after{content:attr(title);position:absolute;margin-left:5px;font-size:13px;line-height:18px;font-style:normal;color:#444}}.acf-thead,.acf-tbody,.acf-tfoot{width:100%;padding:0;margin:0}.acf-thead>li,.acf-tbody>li,.acf-tfoot>li{box-sizing:border-box;padding:8px 12px;font-size:12px;line-height:14px}.acf-thead{border-bottom:#ccd0d4 solid 1px;color:#23282d}.acf-thead>li{font-size:14px;line-height:1.4;font-weight:bold}.acf-admin-3-8 .acf-thead{border-color:#dfdfdf}.acf-tfoot{background:#f5f5f5;border-top:#d5d9dd solid 1px}.acf-settings-wrap #poststuff{padding-top:15px}.acf-settings-wrap .acf-box{margin:20px 0}.acf-settings-wrap table{margin:0}.acf-settings-wrap table .button{vertical-align:middle}#acf-popup{position:fixed;z-index:900000;top:0;left:0;right:0;bottom:0;text-align:center}#acf-popup .bg{position:absolute;top:0;left:0;right:0;bottom:0;z-index:0;background:rgba(0,0,0,0.25)}#acf-popup:before{content:'';display:inline-block;height:100%;vertical-align:middle}#acf-popup .acf-popup-box{display:inline-block;vertical-align:middle;z-index:1;min-width:300px;min-height:160px;border-color:#aaaaaa;box-shadow:0 5px 30px -5px rgba(0,0,0,0.25);text-align:left}html[dir="rtl"] #acf-popup .acf-popup-box{text-align:right}#acf-popup .acf-popup-box .title{min-height:15px;line-height:15px}#acf-popup .acf-popup-box .title .acf-icon{position:absolute;top:10px;right:10px}html[dir="rtl"] #acf-popup .acf-popup-box .title .acf-icon{right:auto;left:10px}#acf-popup .acf-popup-box .inner{min-height:50px;padding:0;margin:15px}#acf-popup .acf-popup-box .loading{position:absolute;top:45px;left:0;right:0;bottom:0;z-index:2;background:rgba(0,0,0,0.1);display:none}#acf-popup .acf-popup-box .loading i{position:absolute;top:50%;left:50%;transform:translate(-50%, -50%)}.acf-submit{margin-bottom:0;line-height:28px}.acf-submit span{float:right;color:#999}.acf-submit span.-error{color:#dd4232}.acf-submit .button{margin-right:5px}#acf-upgrade-notice{position:relative;background:#fff;border-left:4px solid #00a0d2;padding:20px}#acf-upgrade-notice:after{display:block;clear:both;content:""}#acf-upgrade-notice .col-content{float:left;width:55%;padding-left:90px}#acf-upgrade-notice .col-actions{float:right;text-align:center;padding:10px}#acf-upgrade-notice img{float:left;width:70px;height:70px;margin:0 0 0 -90px}#acf-upgrade-notice h2{font-size:16px;margin:2px 0 6.5px}#acf-upgrade-notice p{padding:0;margin:0}#acf-upgrade-notice .button:before{margin-top:11px}@media screen and (max-width: 640px){#acf-upgrade-notice .col-content,#acf-upgrade-notice .col-actions{float:none;padding-left:90px;width:auto;text-align:left}}.acf-wrap h1{margin-top:0;padding-top:20px}.acf-wrap .about-text{margin-top:0.5em;min-height:50px}.acf-wrap .about-headline-callout{font-size:2.4em;font-weight:300;line-height:1.3;margin:1.1em 0 0.2em;text-align:center}.acf-wrap .feature-section{padding:40px 0}.acf-wrap .feature-section h2{margin-top:20px}.acf-wrap .changelog{list-style:disc;padding-left:15px}.acf-wrap .changelog li{margin:0 0 0.75em}.acf-wrap .acf-three-col{display:flex;flex-wrap:wrap;justify-content:space-between}.acf-wrap .acf-three-col>div{flex:1;align-self:flex-start;min-width:31%;max-width:31%}@media screen and (max-width: 880px){.acf-wrap .acf-three-col>div{min-width:48%}}@media screen and (max-width: 640px){.acf-wrap .acf-three-col>div{min-width:100%}}.acf-wrap .acf-three-col h3 .badge{display:inline-block;vertical-align:top;border-radius:5px;background:#fc9700;color:#fff;font-weight:normal;font-size:12px;padding:2px 5px}.acf-wrap .acf-three-col img+h3{margin-top:0.5em}.acf-hl[data-cols]{margin-left:-10px;margin-right:-10px}.acf-hl[data-cols]>li{padding:0 10px;-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.acf-hl[data-cols="2"]>li{width:50%}.acf-hl[data-cols="3"]>li{width:33.333%}.acf-hl[data-cols="4"]>li{width:25%}@media screen and (max-width: 640px){.acf-hl[data-cols]{margin-left:0;margin-right:0;margin-top:-10px}.acf-hl[data-cols]>li{width:100% !important;padding:10px 0 0}}.acf-actions{text-align:right;z-index:1}.acf-actions a{margin-left:4px}.acf-actions.-hover{position:absolute;display:none;top:0;right:0;padding:5px}html[dir="rtl"] .acf-actions a{margin-left:0;margin-right:4px}html[dir="rtl"] .acf-actions.-hover{right:auto;left:0}ul.acf-actions li{float:right;margin-left:4px}.acf-plugin-upgrade-notice{font-weight:normal;color:#fff;background:#d54d21;padding:1em;margin:9px 0}.acf-plugin-upgrade-notice:before{content:"\f348";display:inline-block;font:400 18px/1 dashicons;speak:none;margin:0 8px 0 -2px;-webkit-font-smoothing:antialiased;-moz-osx-font-smoothing:grayscale;vertical-align:top}.acf-plugin-upgrade-notice h4{display:none}.acf-plugin-upgrade-notice ul,.acf-plugin-upgrade-notice li{display:inline;color:inherit;list-style:none}.acf-plugin-upgrade-notice li:after{content:'. ';display:inline}html[dir="rtl"] .acf-fl{float:right}html[dir="rtl"] .acf-fr{float:left}html[dir="rtl"] .acf-hl>li{float:right}html[dir="rtl"] .acf-hl>li.acf-fr{float:left}html[dir="rtl"] .acf-icon.logo{left:0;right:auto}html[dir="rtl"] .acf-table thead th{text-align:right;border-right-width:1px;border-left-width:0px}html[dir="rtl"] .acf-table>tbody>tr>td{text-align:right;border-right-width:1px;border-left-width:0px}html[dir="rtl"] .acf-table>thead>tr>th:first-child,html[dir="rtl"] .acf-table>tbody>tr>td:first-child{border-right-width:0}html[dir="rtl"] .acf-table>tbody>tr>td.order+td{border-right-color:#e1e1e1}.acf-postbox-columns{position:relative;margin-top:-11px;margin-bottom:-12px;margin-left:-12px;margin-right:268px}.acf-postbox-columns:after{display:block;clear:both;content:""}.acf-postbox-columns .acf-postbox-main,.acf-postbox-columns .acf-postbox-side{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box;padding:0 12px 12px}.acf-postbox-columns .acf-postbox-main{float:left;width:100%}.acf-postbox-columns .acf-postbox-side{float:right;width:280px;margin-right:-280px}.acf-postbox-columns .acf-postbox-side:before{content:"";display:block;position:absolute;width:1px;height:100%;top:0;right:0;background:#d5d9dd}.acf-admin-3-8 .acf-postbox-columns .acf-postbox-side:before{background:#dfdfdf}@media only screen and (max-width: 850px){.acf-postbox-columns{margin:0}.acf-postbox-columns .acf-postbox-main,.acf-postbox-columns .acf-postbox-side{float:none;width:auto;margin:0;padding:0}.acf-postbox-columns .acf-postbox-side{margin-top:1em}.acf-postbox-columns .acf-postbox-side:before{display:none}}.acf-panel{margin-top:-1px;border-top:1px solid #d5d9dd;border-bottom:1px solid #d5d9dd}.acf-panel .acf-panel-title{margin:0;padding:12px;font-weight:bold;cursor:pointer;font-size:inherit}.acf-panel .acf-panel-title i{float:right}.acf-panel .acf-panel-inside{margin:0;padding:0 12px 12px;display:none}.acf-panel.-open .acf-panel-inside{display:block}.postbox .acf-panel{margin-left:-12px;margin-right:-12px}.acf-panel .acf-field{margin:20px 0 0}.acf-panel .acf-field .acf-label label{color:#555d66;font-weight:normal}.acf-panel .acf-field:first-child{margin-top:0}.acf-admin-3-8 .acf-panel{border-color:#dfdfdf}#acf-admin-tools .notice{margin-top:10px}.acf-meta-box-wrap{margin-top:10px}.acf-meta-box-wrap .postbox{-webkit-box-sizing:border-box;-moz-box-sizing:border-box;box-sizing:border-box}.acf-meta-box-wrap .postbox .inside{margin-bottom:0}.acf-meta-box-wrap .postbox .hndle{font-size:14px;padding:8px 12px;margin:0;line-height:1.4;position:relative;z-index:1}.acf-meta-box-wrap .postbox .handlediv{display:none}.acf-meta-box-wrap .acf-fields{border:#ebebeb solid 1px;background:#fafafa;border-radius:3px}.acf-meta-box-wrap.-grid{margin-left:8px;margin-right:8px}.acf-meta-box-wrap.-grid .postbox{float:left;clear:left;width:50%;margin:0 0 16px}.acf-meta-box-wrap.-grid .postbox:nth-child(odd){margin-left:-8px}.acf-meta-box-wrap.-grid .postbox:nth-child(even){float:right;clear:right;margin-right:-8px}@media only screen and (max-width: 850px){.acf-meta-box-wrap.-grid{margin-left:0;margin-right:0}.acf-meta-box-wrap.-grid .postbox{margin-left:0 !important;margin-right:0 !important;width:100%}}#acf-admin-tool-export p{max-width:800px}#acf-admin-tool-export ul{column-width:200px}#acf-admin-tool-export .acf-postbox-side .button{margin:0;width:100%}#acf-admin-tool-export textarea{display:block;width:100%;min-height:500px;background:#fafafa;box-shadow:none;padding:7px;border-radius:3px}#acf-admin-tool-export .acf-panel-selection .acf-label{display:none}@media only screen and (-webkit-min-device-pixel-ratio: 2), only screen and (min--moz-device-pixel-ratio: 2), only screen and (-o-min-device-pixel-ratio: 2 / 1), only screen and (min-device-pixel-ratio: 2), only screen and (min-resolution: 192dpi), only screen and (min-resolution: 2dppx){.acf-loading,.acf-spinner{background-image:url(../images/spinner@2x.gif);background-size:20px 20px}}@media only screen and (max-width: 850px){.acf-columns-2{margin-right:0}.acf-columns-2 .acf-column-1,.acf-columns-2 .acf-column-2{float:none;width:auto;margin:0}}
PK�
�[y	T�D�D assets/inc/select2/4/select2.cssnu�[���.select2-container {
  box-sizing: border-box;
  display: inline-block;
  margin: 0;
  position: relative;
  vertical-align: middle; }
  .select2-container .select2-selection--single {
    box-sizing: border-box;
    cursor: pointer;
    display: block;
    height: 28px;
    user-select: none;
    -webkit-user-select: none; }
    .select2-container .select2-selection--single .select2-selection__rendered {
      display: block;
      padding-left: 8px;
      padding-right: 20px;
      overflow: hidden;
      text-overflow: ellipsis;
      white-space: nowrap; }
    .select2-container .select2-selection--single .select2-selection__clear {
      position: relative; }
  .select2-container[dir="rtl"] .select2-selection--single .select2-selection__rendered {
    padding-right: 8px;
    padding-left: 20px; }
  .select2-container .select2-selection--multiple {
    box-sizing: border-box;
    cursor: pointer;
    display: block;
    min-height: 32px;
    user-select: none;
    -webkit-user-select: none; }
    .select2-container .select2-selection--multiple .select2-selection__rendered {
      display: inline-block;
      overflow: hidden;
      padding-left: 8px;
      text-overflow: ellipsis;
      white-space: nowrap; }
  .select2-container .select2-search--inline {
    float: left; }
    .select2-container .select2-search--inline .select2-search__field {
      box-sizing: border-box;
      border: none;
      font-size: 100%;
      margin-top: 5px;
      padding: 0; }
      .select2-container .select2-search--inline .select2-search__field::-webkit-search-cancel-button {
        -webkit-appearance: none; }

.select2-dropdown {
  background-color: white;
  border: 1px solid #aaa;
  border-radius: 4px;
  box-sizing: border-box;
  display: block;
  position: absolute;
  left: -100000px;
  width: 100%;
  z-index: 1051; }

.select2-results {
  display: block; }

.select2-results__options {
  list-style: none;
  margin: 0;
  padding: 0; }

.select2-results__option {
  padding: 6px;
  user-select: none;
  -webkit-user-select: none; }
  .select2-results__option[aria-selected] {
    cursor: pointer; }

.select2-container--open .select2-dropdown {
  left: 0; }

.select2-container--open .select2-dropdown--above {
  border-bottom: none;
  border-bottom-left-radius: 0;
  border-bottom-right-radius: 0; }

.select2-container--open .select2-dropdown--below {
  border-top: none;
  border-top-left-radius: 0;
  border-top-right-radius: 0; }

.select2-search--dropdown {
  display: block;
  padding: 4px; }
  .select2-search--dropdown .select2-search__field {
    padding: 4px;
    width: 100%;
    box-sizing: border-box; }
    .select2-search--dropdown .select2-search__field::-webkit-search-cancel-button {
      -webkit-appearance: none; }
  .select2-search--dropdown.select2-search--hide {
    display: none; }

.select2-close-mask {
  border: 0;
  margin: 0;
  padding: 0;
  display: block;
  position: fixed;
  left: 0;
  top: 0;
  min-height: 100%;
  min-width: 100%;
  height: auto;
  width: auto;
  opacity: 0;
  z-index: 99;
  background-color: #fff;
  filter: alpha(opacity=0); }

.select2-hidden-accessible {
  border: 0 !important;
  clip: rect(0 0 0 0) !important;
  height: 1px !important;
  margin: -1px !important;
  overflow: hidden !important;
  padding: 0 !important;
  position: absolute !important;
  width: 1px !important; }

.select2-container--default .select2-selection--single {
  background-color: #fff;
  border: 1px solid #aaa;
  border-radius: 4px; }
  .select2-container--default .select2-selection--single .select2-selection__rendered {
    color: #444;
    line-height: 28px; }
  .select2-container--default .select2-selection--single .select2-selection__clear {
    cursor: pointer;
    float: right;
    font-weight: bold; }
  .select2-container--default .select2-selection--single .select2-selection__placeholder {
    color: #999; }
  .select2-container--default .select2-selection--single .select2-selection__arrow {
    height: 26px;
    position: absolute;
    top: 1px;
    right: 1px;
    width: 20px; }
    .select2-container--default .select2-selection--single .select2-selection__arrow b {
      border-color: #888 transparent transparent transparent;
      border-style: solid;
      border-width: 5px 4px 0 4px;
      height: 0;
      left: 50%;
      margin-left: -4px;
      margin-top: -2px;
      position: absolute;
      top: 50%;
      width: 0; }

.select2-container--default[dir="rtl"] .select2-selection--single .select2-selection__clear {
  float: left; }

.select2-container--default[dir="rtl"] .select2-selection--single .select2-selection__arrow {
  left: 1px;
  right: auto; }

.select2-container--default.select2-container--disabled .select2-selection--single {
  background-color: #eee;
  cursor: default; }
  .select2-container--default.select2-container--disabled .select2-selection--single .select2-selection__clear {
    display: none; }

.select2-container--default.select2-container--open .select2-selection--single .select2-selection__arrow b {
  border-color: transparent transparent #888 transparent;
  border-width: 0 4px 5px 4px; }

.select2-container--default .select2-selection--multiple {
  background-color: white;
  border: 1px solid #aaa;
  border-radius: 4px;
  cursor: text; }
  .select2-container--default .select2-selection--multiple .select2-selection__rendered {
    box-sizing: border-box;
    list-style: none;
    margin: 0;
    padding: 0 5px;
    width: 100%; }
    .select2-container--default .select2-selection--multiple .select2-selection__rendered li {
      list-style: none; }
  .select2-container--default .select2-selection--multiple .select2-selection__placeholder {
    color: #999;
    margin-top: 5px;
    float: left; }
  .select2-container--default .select2-selection--multiple .select2-selection__clear {
    cursor: pointer;
    float: right;
    font-weight: bold;
    margin-top: 5px;
    margin-right: 10px; }
  .select2-container--default .select2-selection--multiple .select2-selection__choice {
    background-color: #e4e4e4;
    border: 1px solid #aaa;
    border-radius: 4px;
    cursor: default;
    float: left;
    margin-right: 5px;
    margin-top: 5px;
    padding: 0 5px; }
  .select2-container--default .select2-selection--multiple .select2-selection__choice__remove {
    color: #999;
    cursor: pointer;
    display: inline-block;
    font-weight: bold;
    margin-right: 2px; }
    .select2-container--default .select2-selection--multiple .select2-selection__choice__remove:hover {
      color: #333; }

.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice, .select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__placeholder, .select2-container--default[dir="rtl"] .select2-selection--multiple .select2-search--inline {
  float: right; }

.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice {
  margin-left: 5px;
  margin-right: auto; }

.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice__remove {
  margin-left: 2px;
  margin-right: auto; }

.select2-container--default.select2-container--focus .select2-selection--multiple {
  border: solid black 1px;
  outline: 0; }

.select2-container--default.select2-container--disabled .select2-selection--multiple {
  background-color: #eee;
  cursor: default; }

.select2-container--default.select2-container--disabled .select2-selection__choice__remove {
  display: none; }

.select2-container--default.select2-container--open.select2-container--above .select2-selection--single, .select2-container--default.select2-container--open.select2-container--above .select2-selection--multiple {
  border-top-left-radius: 0;
  border-top-right-radius: 0; }

.select2-container--default.select2-container--open.select2-container--below .select2-selection--single, .select2-container--default.select2-container--open.select2-container--below .select2-selection--multiple {
  border-bottom-left-radius: 0;
  border-bottom-right-radius: 0; }

.select2-container--default .select2-search--dropdown .select2-search__field {
  border: 1px solid #aaa; }

.select2-container--default .select2-search--inline .select2-search__field {
  background: transparent;
  border: none;
  outline: 0;
  box-shadow: none;
  -webkit-appearance: textfield; }

.select2-container--default .select2-results > .select2-results__options {
  max-height: 200px;
  overflow-y: auto; }

.select2-container--default .select2-results__option[role=group] {
  padding: 0; }

.select2-container--default .select2-results__option[aria-disabled=true] {
  color: #999; }

.select2-container--default .select2-results__option[aria-selected=true] {
  background-color: #ddd; }

.select2-container--default .select2-results__option .select2-results__option {
  padding-left: 1em; }
  .select2-container--default .select2-results__option .select2-results__option .select2-results__group {
    padding-left: 0; }
  .select2-container--default .select2-results__option .select2-results__option .select2-results__option {
    margin-left: -1em;
    padding-left: 2em; }
    .select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option {
      margin-left: -2em;
      padding-left: 3em; }
      .select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option {
        margin-left: -3em;
        padding-left: 4em; }
        .select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option {
          margin-left: -4em;
          padding-left: 5em; }
          .select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option {
            margin-left: -5em;
            padding-left: 6em; }

.select2-container--default .select2-results__option--highlighted[aria-selected] {
  background-color: #5897fb;
  color: white; }

.select2-container--default .select2-results__group {
  cursor: default;
  display: block;
  padding: 6px; }

.select2-container--classic .select2-selection--single {
  background-color: #f7f7f7;
  border: 1px solid #aaa;
  border-radius: 4px;
  outline: 0;
  background-image: -webkit-linear-gradient(top, white 50%, #eeeeee 100%);
  background-image: -o-linear-gradient(top, white 50%, #eeeeee 100%);
  background-image: linear-gradient(to bottom, white 50%, #eeeeee 100%);
  background-repeat: repeat-x;
  filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFFFFFFF', endColorstr='#FFEEEEEE', GradientType=0); }
  .select2-container--classic .select2-selection--single:focus {
    border: 1px solid #5897fb; }
  .select2-container--classic .select2-selection--single .select2-selection__rendered {
    color: #444;
    line-height: 28px; }
  .select2-container--classic .select2-selection--single .select2-selection__clear {
    cursor: pointer;
    float: right;
    font-weight: bold;
    margin-right: 10px; }
  .select2-container--classic .select2-selection--single .select2-selection__placeholder {
    color: #999; }
  .select2-container--classic .select2-selection--single .select2-selection__arrow {
    background-color: #ddd;
    border: none;
    border-left: 1px solid #aaa;
    border-top-right-radius: 4px;
    border-bottom-right-radius: 4px;
    height: 26px;
    position: absolute;
    top: 1px;
    right: 1px;
    width: 20px;
    background-image: -webkit-linear-gradient(top, #eeeeee 50%, #cccccc 100%);
    background-image: -o-linear-gradient(top, #eeeeee 50%, #cccccc 100%);
    background-image: linear-gradient(to bottom, #eeeeee 50%, #cccccc 100%);
    background-repeat: repeat-x;
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFEEEEEE', endColorstr='#FFCCCCCC', GradientType=0); }
    .select2-container--classic .select2-selection--single .select2-selection__arrow b {
      border-color: #888 transparent transparent transparent;
      border-style: solid;
      border-width: 5px 4px 0 4px;
      height: 0;
      left: 50%;
      margin-left: -4px;
      margin-top: -2px;
      position: absolute;
      top: 50%;
      width: 0; }

.select2-container--classic[dir="rtl"] .select2-selection--single .select2-selection__clear {
  float: left; }

.select2-container--classic[dir="rtl"] .select2-selection--single .select2-selection__arrow {
  border: none;
  border-right: 1px solid #aaa;
  border-radius: 0;
  border-top-left-radius: 4px;
  border-bottom-left-radius: 4px;
  left: 1px;
  right: auto; }

.select2-container--classic.select2-container--open .select2-selection--single {
  border: 1px solid #5897fb; }
  .select2-container--classic.select2-container--open .select2-selection--single .select2-selection__arrow {
    background: transparent;
    border: none; }
    .select2-container--classic.select2-container--open .select2-selection--single .select2-selection__arrow b {
      border-color: transparent transparent #888 transparent;
      border-width: 0 4px 5px 4px; }

.select2-container--classic.select2-container--open.select2-container--above .select2-selection--single {
  border-top: none;
  border-top-left-radius: 0;
  border-top-right-radius: 0;
  background-image: -webkit-linear-gradient(top, white 0%, #eeeeee 50%);
  background-image: -o-linear-gradient(top, white 0%, #eeeeee 50%);
  background-image: linear-gradient(to bottom, white 0%, #eeeeee 50%);
  background-repeat: repeat-x;
  filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFFFFFFF', endColorstr='#FFEEEEEE', GradientType=0); }

.select2-container--classic.select2-container--open.select2-container--below .select2-selection--single {
  border-bottom: none;
  border-bottom-left-radius: 0;
  border-bottom-right-radius: 0;
  background-image: -webkit-linear-gradient(top, #eeeeee 50%, white 100%);
  background-image: -o-linear-gradient(top, #eeeeee 50%, white 100%);
  background-image: linear-gradient(to bottom, #eeeeee 50%, white 100%);
  background-repeat: repeat-x;
  filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFEEEEEE', endColorstr='#FFFFFFFF', GradientType=0); }

.select2-container--classic .select2-selection--multiple {
  background-color: white;
  border: 1px solid #aaa;
  border-radius: 4px;
  cursor: text;
  outline: 0; }
  .select2-container--classic .select2-selection--multiple:focus {
    border: 1px solid #5897fb; }
  .select2-container--classic .select2-selection--multiple .select2-selection__rendered {
    list-style: none;
    margin: 0;
    padding: 0 5px; }
  .select2-container--classic .select2-selection--multiple .select2-selection__clear {
    display: none; }
  .select2-container--classic .select2-selection--multiple .select2-selection__choice {
    background-color: #e4e4e4;
    border: 1px solid #aaa;
    border-radius: 4px;
    cursor: default;
    float: left;
    margin-right: 5px;
    margin-top: 5px;
    padding: 0 5px; }
  .select2-container--classic .select2-selection--multiple .select2-selection__choice__remove {
    color: #888;
    cursor: pointer;
    display: inline-block;
    font-weight: bold;
    margin-right: 2px; }
    .select2-container--classic .select2-selection--multiple .select2-selection__choice__remove:hover {
      color: #555; }

.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice {
  float: right; }

.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice {
  margin-left: 5px;
  margin-right: auto; }

.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice__remove {
  margin-left: 2px;
  margin-right: auto; }

.select2-container--classic.select2-container--open .select2-selection--multiple {
  border: 1px solid #5897fb; }

.select2-container--classic.select2-container--open.select2-container--above .select2-selection--multiple {
  border-top: none;
  border-top-left-radius: 0;
  border-top-right-radius: 0; }

.select2-container--classic.select2-container--open.select2-container--below .select2-selection--multiple {
  border-bottom: none;
  border-bottom-left-radius: 0;
  border-bottom-right-radius: 0; }

.select2-container--classic .select2-search--dropdown .select2-search__field {
  border: 1px solid #aaa;
  outline: 0; }

.select2-container--classic .select2-search--inline .select2-search__field {
  outline: 0;
  box-shadow: none; }

.select2-container--classic .select2-dropdown {
  background-color: white;
  border: 1px solid transparent; }

.select2-container--classic .select2-dropdown--above {
  border-bottom: none; }

.select2-container--classic .select2-dropdown--below {
  border-top: none; }

.select2-container--classic .select2-results > .select2-results__options {
  max-height: 200px;
  overflow-y: auto; }

.select2-container--classic .select2-results__option[role=group] {
  padding: 0; }

.select2-container--classic .select2-results__option[aria-disabled=true] {
  color: grey; }

.select2-container--classic .select2-results__option--highlighted[aria-selected] {
  background-color: #3875d7;
  color: white; }

.select2-container--classic .select2-results__group {
  cursor: default;
  display: block;
  padding: 6px; }

.select2-container--classic.select2-container--open .select2-dropdown {
  border-color: #5897fb; }
PK�
�[&T�R(x(x$assets/inc/select2/4/select2.full.jsnu�[���/*!
 * Select2 4.0.3
 * https://select2.github.io
 *
 * Released under the MIT license
 * https://github.com/select2/select2/blob/master/LICENSE.md
 */
(function (factory) {
  if (typeof define === 'function' && define.amd) {
    // AMD. Register as an anonymous module.
    define(['jquery'], factory);
  } else if (typeof exports === 'object') {
    // Node/CommonJS
    factory(require('jquery'));
  } else {
    // Browser globals
    factory(jQuery);
  }
}(function (jQuery) {
  // This is needed so we can catch the AMD loader configuration and use it
  // The inner file should be wrapped (by `banner.start.js`) in a function that
  // returns the AMD loader references.
  var S2 =
(function () {
  // Restore the Select2 AMD loader so it can be used
  // Needed mostly in the language files, where the loader is not inserted
  if (jQuery && jQuery.fn && jQuery.fn.select2 && jQuery.fn.select2.amd) {
    var S2 = jQuery.fn.select2.amd;
  }
var S2;(function () { if (!S2 || !S2.requirejs) {
if (!S2) { S2 = {}; } else { require = S2; }
/**
 * @license almond 0.3.1 Copyright (c) 2011-2014, The Dojo Foundation All Rights Reserved.
 * Available via the MIT or new BSD license.
 * see: http://github.com/jrburke/almond for details
 */
//Going sloppy to avoid 'use strict' string cost, but strict practices should
//be followed.
/*jslint sloppy: true */
/*global setTimeout: false */

var requirejs, require, define;
(function (undef) {
    var main, req, makeMap, handlers,
        defined = {},
        waiting = {},
        config = {},
        defining = {},
        hasOwn = Object.prototype.hasOwnProperty,
        aps = [].slice,
        jsSuffixRegExp = /\.js$/;

    function hasProp(obj, prop) {
        return hasOwn.call(obj, prop);
    }

    /**
     * Given a relative module name, like ./something, normalize it to
     * a real name that can be mapped to a path.
     * @param {String} name the relative name
     * @param {String} baseName a real name that the name arg is relative
     * to.
     * @returns {String} normalized name
     */
    function normalize(name, baseName) {
        var nameParts, nameSegment, mapValue, foundMap, lastIndex,
            foundI, foundStarMap, starI, i, j, part,
            baseParts = baseName && baseName.split("/"),
            map = config.map,
            starMap = (map && map['*']) || {};

        //Adjust any relative paths.
        if (name && name.charAt(0) === ".") {
            //If have a base name, try to normalize against it,
            //otherwise, assume it is a top-level require that will
            //be relative to baseUrl in the end.
            if (baseName) {
                name = name.split('/');
                lastIndex = name.length - 1;

                // Node .js allowance:
                if (config.nodeIdCompat && jsSuffixRegExp.test(name[lastIndex])) {
                    name[lastIndex] = name[lastIndex].replace(jsSuffixRegExp, '');
                }

                //Lop off the last part of baseParts, so that . matches the
                //"directory" and not name of the baseName's module. For instance,
                //baseName of "one/two/three", maps to "one/two/three.js", but we
                //want the directory, "one/two" for this normalization.
                name = baseParts.slice(0, baseParts.length - 1).concat(name);

                //start trimDots
                for (i = 0; i < name.length; i += 1) {
                    part = name[i];
                    if (part === ".") {
                        name.splice(i, 1);
                        i -= 1;
                    } else if (part === "..") {
                        if (i === 1 && (name[2] === '..' || name[0] === '..')) {
                            //End of the line. Keep at least one non-dot
                            //path segment at the front so it can be mapped
                            //correctly to disk. Otherwise, there is likely
                            //no path mapping for a path starting with '..'.
                            //This can still fail, but catches the most reasonable
                            //uses of ..
                            break;
                        } else if (i > 0) {
                            name.splice(i - 1, 2);
                            i -= 2;
                        }
                    }
                }
                //end trimDots

                name = name.join("/");
            } else if (name.indexOf('./') === 0) {
                // No baseName, so this is ID is resolved relative
                // to baseUrl, pull off the leading dot.
                name = name.substring(2);
            }
        }

        //Apply map config if available.
        if ((baseParts || starMap) && map) {
            nameParts = name.split('/');

            for (i = nameParts.length; i > 0; i -= 1) {
                nameSegment = nameParts.slice(0, i).join("/");

                if (baseParts) {
                    //Find the longest baseName segment match in the config.
                    //So, do joins on the biggest to smallest lengths of baseParts.
                    for (j = baseParts.length; j > 0; j -= 1) {
                        mapValue = map[baseParts.slice(0, j).join('/')];

                        //baseName segment has  config, find if it has one for
                        //this name.
                        if (mapValue) {
                            mapValue = mapValue[nameSegment];
                            if (mapValue) {
                                //Match, update name to the new value.
                                foundMap = mapValue;
                                foundI = i;
                                break;
                            }
                        }
                    }
                }

                if (foundMap) {
                    break;
                }

                //Check for a star map match, but just hold on to it,
                //if there is a shorter segment match later in a matching
                //config, then favor over this star map.
                if (!foundStarMap && starMap && starMap[nameSegment]) {
                    foundStarMap = starMap[nameSegment];
                    starI = i;
                }
            }

            if (!foundMap && foundStarMap) {
                foundMap = foundStarMap;
                foundI = starI;
            }

            if (foundMap) {
                nameParts.splice(0, foundI, foundMap);
                name = nameParts.join('/');
            }
        }

        return name;
    }

    function makeRequire(relName, forceSync) {
        return function () {
            //A version of a require function that passes a moduleName
            //value for items that may need to
            //look up paths relative to the moduleName
            var args = aps.call(arguments, 0);

            //If first arg is not require('string'), and there is only
            //one arg, it is the array form without a callback. Insert
            //a null so that the following concat is correct.
            if (typeof args[0] !== 'string' && args.length === 1) {
                args.push(null);
            }
            return req.apply(undef, args.concat([relName, forceSync]));
        };
    }

    function makeNormalize(relName) {
        return function (name) {
            return normalize(name, relName);
        };
    }

    function makeLoad(depName) {
        return function (value) {
            defined[depName] = value;
        };
    }

    function callDep(name) {
        if (hasProp(waiting, name)) {
            var args = waiting[name];
            delete waiting[name];
            defining[name] = true;
            main.apply(undef, args);
        }

        if (!hasProp(defined, name) && !hasProp(defining, name)) {
            throw new Error('No ' + name);
        }
        return defined[name];
    }

    //Turns a plugin!resource to [plugin, resource]
    //with the plugin being undefined if the name
    //did not have a plugin prefix.
    function splitPrefix(name) {
        var prefix,
            index = name ? name.indexOf('!') : -1;
        if (index > -1) {
            prefix = name.substring(0, index);
            name = name.substring(index + 1, name.length);
        }
        return [prefix, name];
    }

    /**
     * Makes a name map, normalizing the name, and using a plugin
     * for normalization if necessary. Grabs a ref to plugin
     * too, as an optimization.
     */
    makeMap = function (name, relName) {
        var plugin,
            parts = splitPrefix(name),
            prefix = parts[0];

        name = parts[1];

        if (prefix) {
            prefix = normalize(prefix, relName);
            plugin = callDep(prefix);
        }

        //Normalize according
        if (prefix) {
            if (plugin && plugin.normalize) {
                name = plugin.normalize(name, makeNormalize(relName));
            } else {
                name = normalize(name, relName);
            }
        } else {
            name = normalize(name, relName);
            parts = splitPrefix(name);
            prefix = parts[0];
            name = parts[1];
            if (prefix) {
                plugin = callDep(prefix);
            }
        }

        //Using ridiculous property names for space reasons
        return {
            f: prefix ? prefix + '!' + name : name, //fullName
            n: name,
            pr: prefix,
            p: plugin
        };
    };

    function makeConfig(name) {
        return function () {
            return (config && config.config && config.config[name]) || {};
        };
    }

    handlers = {
        require: function (name) {
            return makeRequire(name);
        },
        exports: function (name) {
            var e = defined[name];
            if (typeof e !== 'undefined') {
                return e;
            } else {
                return (defined[name] = {});
            }
        },
        module: function (name) {
            return {
                id: name,
                uri: '',
                exports: defined[name],
                config: makeConfig(name)
            };
        }
    };

    main = function (name, deps, callback, relName) {
        var cjsModule, depName, ret, map, i,
            args = [],
            callbackType = typeof callback,
            usingExports;

        //Use name if no relName
        relName = relName || name;

        //Call the callback to define the module, if necessary.
        if (callbackType === 'undefined' || callbackType === 'function') {
            //Pull out the defined dependencies and pass the ordered
            //values to the callback.
            //Default to [require, exports, module] if no deps
            deps = !deps.length && callback.length ? ['require', 'exports', 'module'] : deps;
            for (i = 0; i < deps.length; i += 1) {
                map = makeMap(deps[i], relName);
                depName = map.f;

                //Fast path CommonJS standard dependencies.
                if (depName === "require") {
                    args[i] = handlers.require(name);
                } else if (depName === "exports") {
                    //CommonJS module spec 1.1
                    args[i] = handlers.exports(name);
                    usingExports = true;
                } else if (depName === "module") {
                    //CommonJS module spec 1.1
                    cjsModule = args[i] = handlers.module(name);
                } else if (hasProp(defined, depName) ||
                           hasProp(waiting, depName) ||
                           hasProp(defining, depName)) {
                    args[i] = callDep(depName);
                } else if (map.p) {
                    map.p.load(map.n, makeRequire(relName, true), makeLoad(depName), {});
                    args[i] = defined[depName];
                } else {
                    throw new Error(name + ' missing ' + depName);
                }
            }

            ret = callback ? callback.apply(defined[name], args) : undefined;

            if (name) {
                //If setting exports via "module" is in play,
                //favor that over return value and exports. After that,
                //favor a non-undefined return value over exports use.
                if (cjsModule && cjsModule.exports !== undef &&
                        cjsModule.exports !== defined[name]) {
                    defined[name] = cjsModule.exports;
                } else if (ret !== undef || !usingExports) {
                    //Use the return value from the function.
                    defined[name] = ret;
                }
            }
        } else if (name) {
            //May just be an object definition for the module. Only
            //worry about defining if have a module name.
            defined[name] = callback;
        }
    };

    requirejs = require = req = function (deps, callback, relName, forceSync, alt) {
        if (typeof deps === "string") {
            if (handlers[deps]) {
                //callback in this case is really relName
                return handlers[deps](callback);
            }
            //Just return the module wanted. In this scenario, the
            //deps arg is the module name, and second arg (if passed)
            //is just the relName.
            //Normalize module name, if it contains . or ..
            return callDep(makeMap(deps, callback).f);
        } else if (!deps.splice) {
            //deps is a config object, not an array.
            config = deps;
            if (config.deps) {
                req(config.deps, config.callback);
            }
            if (!callback) {
                return;
            }

            if (callback.splice) {
                //callback is an array, which means it is a dependency list.
                //Adjust args if there are dependencies
                deps = callback;
                callback = relName;
                relName = null;
            } else {
                deps = undef;
            }
        }

        //Support require(['a'])
        callback = callback || function () {};

        //If relName is a function, it is an errback handler,
        //so remove it.
        if (typeof relName === 'function') {
            relName = forceSync;
            forceSync = alt;
        }

        //Simulate async callback;
        if (forceSync) {
            main(undef, deps, callback, relName);
        } else {
            //Using a non-zero value because of concern for what old browsers
            //do, and latest browsers "upgrade" to 4 if lower value is used:
            //http://www.whatwg.org/specs/web-apps/current-work/multipage/timers.html#dom-windowtimers-settimeout:
            //If want a value immediately, use require('id') instead -- something
            //that works in almond on the global level, but not guaranteed and
            //unlikely to work in other AMD implementations.
            setTimeout(function () {
                main(undef, deps, callback, relName);
            }, 4);
        }

        return req;
    };

    /**
     * Just drops the config on the floor, but returns req in case
     * the config return value is used.
     */
    req.config = function (cfg) {
        return req(cfg);
    };

    /**
     * Expose module registry for debugging and tooling
     */
    requirejs._defined = defined;

    define = function (name, deps, callback) {
        if (typeof name !== 'string') {
            throw new Error('See almond README: incorrect module build, no module name');
        }

        //This module may not have dependencies
        if (!deps.splice) {
            //deps is not an array, so probably means
            //an object literal or factory function for
            //the value. Adjust args.
            callback = deps;
            deps = [];
        }

        if (!hasProp(defined, name) && !hasProp(waiting, name)) {
            waiting[name] = [name, deps, callback];
        }
    };

    define.amd = {
        jQuery: true
    };
}());

S2.requirejs = requirejs;S2.require = require;S2.define = define;
}
}());
S2.define("almond", function(){});

/* global jQuery:false, $:false */
S2.define('jquery',[],function () {
  var _$ = jQuery || $;

  if (_$ == null && console && console.error) {
    console.error(
      'Select2: An instance of jQuery or a jQuery-compatible library was not ' +
      'found. Make sure that you are including jQuery before Select2 on your ' +
      'web page.'
    );
  }

  return _$;
});

S2.define('select2/utils',[
  'jquery'
], function ($) {
  var Utils = {};

  Utils.Extend = function (ChildClass, SuperClass) {
    var __hasProp = {}.hasOwnProperty;

    function BaseConstructor () {
      this.constructor = ChildClass;
    }

    for (var key in SuperClass) {
      if (__hasProp.call(SuperClass, key)) {
        ChildClass[key] = SuperClass[key];
      }
    }

    BaseConstructor.prototype = SuperClass.prototype;
    ChildClass.prototype = new BaseConstructor();
    ChildClass.__super__ = SuperClass.prototype;

    return ChildClass;
  };

  function getMethods (theClass) {
    var proto = theClass.prototype;

    var methods = [];

    for (var methodName in proto) {
      var m = proto[methodName];

      if (typeof m !== 'function') {
        continue;
      }

      if (methodName === 'constructor') {
        continue;
      }

      methods.push(methodName);
    }

    return methods;
  }

  Utils.Decorate = function (SuperClass, DecoratorClass) {
    var decoratedMethods = getMethods(DecoratorClass);
    var superMethods = getMethods(SuperClass);

    function DecoratedClass () {
      var unshift = Array.prototype.unshift;

      var argCount = DecoratorClass.prototype.constructor.length;

      var calledConstructor = SuperClass.prototype.constructor;

      if (argCount > 0) {
        unshift.call(arguments, SuperClass.prototype.constructor);

        calledConstructor = DecoratorClass.prototype.constructor;
      }

      calledConstructor.apply(this, arguments);
    }

    DecoratorClass.displayName = SuperClass.displayName;

    function ctr () {
      this.constructor = DecoratedClass;
    }

    DecoratedClass.prototype = new ctr();

    for (var m = 0; m < superMethods.length; m++) {
        var superMethod = superMethods[m];

        DecoratedClass.prototype[superMethod] =
          SuperClass.prototype[superMethod];
    }

    var calledMethod = function (methodName) {
      // Stub out the original method if it's not decorating an actual method
      var originalMethod = function () {};

      if (methodName in DecoratedClass.prototype) {
        originalMethod = DecoratedClass.prototype[methodName];
      }

      var decoratedMethod = DecoratorClass.prototype[methodName];

      return function () {
        var unshift = Array.prototype.unshift;

        unshift.call(arguments, originalMethod);

        return decoratedMethod.apply(this, arguments);
      };
    };

    for (var d = 0; d < decoratedMethods.length; d++) {
      var decoratedMethod = decoratedMethods[d];

      DecoratedClass.prototype[decoratedMethod] = calledMethod(decoratedMethod);
    }

    return DecoratedClass;
  };

  var Observable = function () {
    this.listeners = {};
  };

  Observable.prototype.on = function (event, callback) {
    this.listeners = this.listeners || {};

    if (event in this.listeners) {
      this.listeners[event].push(callback);
    } else {
      this.listeners[event] = [callback];
    }
  };

  Observable.prototype.trigger = function (event) {
    var slice = Array.prototype.slice;
    var params = slice.call(arguments, 1);

    this.listeners = this.listeners || {};

    // Params should always come in as an array
    if (params == null) {
      params = [];
    }

    // If there are no arguments to the event, use a temporary object
    if (params.length === 0) {
      params.push({});
    }

    // Set the `_type` of the first object to the event
    params[0]._type = event;

    if (event in this.listeners) {
      this.invoke(this.listeners[event], slice.call(arguments, 1));
    }

    if ('*' in this.listeners) {
      this.invoke(this.listeners['*'], arguments);
    }
  };

  Observable.prototype.invoke = function (listeners, params) {
    for (var i = 0, len = listeners.length; i < len; i++) {
      listeners[i].apply(this, params);
    }
  };

  Utils.Observable = Observable;

  Utils.generateChars = function (length) {
    var chars = '';

    for (var i = 0; i < length; i++) {
      var randomChar = Math.floor(Math.random() * 36);
      chars += randomChar.toString(36);
    }

    return chars;
  };

  Utils.bind = function (func, context) {
    return function () {
      func.apply(context, arguments);
    };
  };

  Utils._convertData = function (data) {
    for (var originalKey in data) {
      var keys = originalKey.split('-');

      var dataLevel = data;

      if (keys.length === 1) {
        continue;
      }

      for (var k = 0; k < keys.length; k++) {
        var key = keys[k];

        // Lowercase the first letter
        // By default, dash-separated becomes camelCase
        key = key.substring(0, 1).toLowerCase() + key.substring(1);

        if (!(key in dataLevel)) {
          dataLevel[key] = {};
        }

        if (k == keys.length - 1) {
          dataLevel[key] = data[originalKey];
        }

        dataLevel = dataLevel[key];
      }

      delete data[originalKey];
    }

    return data;
  };

  Utils.hasScroll = function (index, el) {
    // Adapted from the function created by @ShadowScripter
    // and adapted by @BillBarry on the Stack Exchange Code Review website.
    // The original code can be found at
    // http://codereview.stackexchange.com/q/13338
    // and was designed to be used with the Sizzle selector engine.

    var $el = $(el);
    var overflowX = el.style.overflowX;
    var overflowY = el.style.overflowY;

    //Check both x and y declarations
    if (overflowX === overflowY &&
        (overflowY === 'hidden' || overflowY === 'visible')) {
      return false;
    }

    if (overflowX === 'scroll' || overflowY === 'scroll') {
      return true;
    }

    return ($el.innerHeight() < el.scrollHeight ||
      $el.innerWidth() < el.scrollWidth);
  };

  Utils.escapeMarkup = function (markup) {
    var replaceMap = {
      '\\': '&#92;',
      '&': '&amp;',
      '<': '&lt;',
      '>': '&gt;',
      '"': '&quot;',
      '\'': '&#39;',
      '/': '&#47;'
    };

    // Do not try to escape the markup if it's not a string
    if (typeof markup !== 'string') {
      return markup;
    }

    return String(markup).replace(/[&<>"'\/\\]/g, function (match) {
      return replaceMap[match];
    });
  };

  // Append an array of jQuery nodes to a given element.
  Utils.appendMany = function ($element, $nodes) {
    // jQuery 1.7.x does not support $.fn.append() with an array
    // Fall back to a jQuery object collection using $.fn.add()
    if ($.fn.jquery.substr(0, 3) === '1.7') {
      var $jqNodes = $();

      $.map($nodes, function (node) {
        $jqNodes = $jqNodes.add(node);
      });

      $nodes = $jqNodes;
    }

    $element.append($nodes);
  };

  return Utils;
});

S2.define('select2/results',[
  'jquery',
  './utils'
], function ($, Utils) {
  function Results ($element, options, dataAdapter) {
    this.$element = $element;
    this.data = dataAdapter;
    this.options = options;

    Results.__super__.constructor.call(this);
  }

  Utils.Extend(Results, Utils.Observable);

  Results.prototype.render = function () {
    var $results = $(
      '<ul class="select2-results__options" role="tree"></ul>'
    );

    if (this.options.get('multiple')) {
      $results.attr('aria-multiselectable', 'true');
    }

    this.$results = $results;

    return $results;
  };

  Results.prototype.clear = function () {
    this.$results.empty();
  };

  Results.prototype.displayMessage = function (params) {
    var escapeMarkup = this.options.get('escapeMarkup');

    this.clear();
    this.hideLoading();

    var $message = $(
      '<li role="treeitem" aria-live="assertive"' +
      ' class="select2-results__option"></li>'
    );

    var message = this.options.get('translations').get(params.message);

    $message.append(
      escapeMarkup(
        message(params.args)
      )
    );

    $message[0].className += ' select2-results__message';

    this.$results.append($message);
  };

  Results.prototype.hideMessages = function () {
    this.$results.find('.select2-results__message').remove();
  };

  Results.prototype.append = function (data) {
    this.hideLoading();

    var $options = [];

    if (data.results == null || data.results.length === 0) {
      if (this.$results.children().length === 0) {
        this.trigger('results:message', {
          message: 'noResults'
        });
      }

      return;
    }

    data.results = this.sort(data.results);

    for (var d = 0; d < data.results.length; d++) {
      var item = data.results[d];

      var $option = this.option(item);

      $options.push($option);
    }

    this.$results.append($options);
  };

  Results.prototype.position = function ($results, $dropdown) {
    var $resultsContainer = $dropdown.find('.select2-results');
    $resultsContainer.append($results);
  };

  Results.prototype.sort = function (data) {
    var sorter = this.options.get('sorter');

    return sorter(data);
  };

  Results.prototype.highlightFirstItem = function () {
    var $options = this.$results
      .find('.select2-results__option[aria-selected]');

    var $selected = $options.filter('[aria-selected=true]');

    // Check if there are any selected options
    if ($selected.length > 0) {
      // If there are selected options, highlight the first
      $selected.first().trigger('mouseenter');
    } else {
      // If there are no selected options, highlight the first option
      // in the dropdown
      $options.first().trigger('mouseenter');
    }

    this.ensureHighlightVisible();
  };

  Results.prototype.setClasses = function () {
    var self = this;

    this.data.current(function (selected) {
      var selectedIds = $.map(selected, function (s) {
        return s.id.toString();
      });

      var $options = self.$results
        .find('.select2-results__option[aria-selected]');

      $options.each(function () {
        var $option = $(this);

        var item = $.data(this, 'data');

        // id needs to be converted to a string when comparing
        var id = '' + item.id;

        if ((item.element != null && item.element.selected) ||
            (item.element == null && $.inArray(id, selectedIds) > -1)) {
          $option.attr('aria-selected', 'true');
        } else {
          $option.attr('aria-selected', 'false');
        }
      });

    });
  };

  Results.prototype.showLoading = function (params) {
    this.hideLoading();

    var loadingMore = this.options.get('translations').get('searching');

    var loading = {
      disabled: true,
      loading: true,
      text: loadingMore(params)
    };
    var $loading = this.option(loading);
    $loading.className += ' loading-results';

    this.$results.prepend($loading);
  };

  Results.prototype.hideLoading = function () {
    this.$results.find('.loading-results').remove();
  };

  Results.prototype.option = function (data) {
    var option = document.createElement('li');
    option.className = 'select2-results__option';

    var attrs = {
      'role': 'treeitem',
      'aria-selected': 'false'
    };

    if (data.disabled) {
      delete attrs['aria-selected'];
      attrs['aria-disabled'] = 'true';
    }

    if (data.id == null) {
      delete attrs['aria-selected'];
    }

    if (data._resultId != null) {
      option.id = data._resultId;
    }

    if (data.title) {
      option.title = data.title;
    }

    if (data.children) {
      attrs.role = 'group';
      attrs['aria-label'] = data.text;
      delete attrs['aria-selected'];
    }

    for (var attr in attrs) {
      var val = attrs[attr];

      option.setAttribute(attr, val);
    }

    if (data.children) {
      var $option = $(option);

      var label = document.createElement('strong');
      label.className = 'select2-results__group';

      var $label = $(label);
      this.template(data, label);

      var $children = [];

      for (var c = 0; c < data.children.length; c++) {
        var child = data.children[c];

        var $child = this.option(child);

        $children.push($child);
      }

      var $childrenContainer = $('<ul></ul>', {
        'class': 'select2-results__options select2-results__options--nested'
      });

      $childrenContainer.append($children);

      $option.append(label);
      $option.append($childrenContainer);
    } else {
      this.template(data, option);
    }

    $.data(option, 'data', data);

    return option;
  };

  Results.prototype.bind = function (container, $container) {
    var self = this;

    var id = container.id + '-results';

    this.$results.attr('id', id);

    container.on('results:all', function (params) {
      self.clear();
      self.append(params.data);

      if (container.isOpen()) {
        self.setClasses();
        self.highlightFirstItem();
      }
    });

    container.on('results:append', function (params) {
      self.append(params.data);

      if (container.isOpen()) {
        self.setClasses();
      }
    });

    container.on('query', function (params) {
      self.hideMessages();
      self.showLoading(params);
    });

    container.on('select', function () {
      if (!container.isOpen()) {
        return;
      }

      self.setClasses();
      self.highlightFirstItem();
    });

    container.on('unselect', function () {
      if (!container.isOpen()) {
        return;
      }

      self.setClasses();
      self.highlightFirstItem();
    });

    container.on('open', function () {
      // When the dropdown is open, aria-expended="true"
      self.$results.attr('aria-expanded', 'true');
      self.$results.attr('aria-hidden', 'false');

      self.setClasses();
      self.ensureHighlightVisible();
    });

    container.on('close', function () {
      // When the dropdown is closed, aria-expended="false"
      self.$results.attr('aria-expanded', 'false');
      self.$results.attr('aria-hidden', 'true');
      self.$results.removeAttr('aria-activedescendant');
    });

    container.on('results:toggle', function () {
      var $highlighted = self.getHighlightedResults();

      if ($highlighted.length === 0) {
        return;
      }

      $highlighted.trigger('mouseup');
    });

    container.on('results:select', function () {
      var $highlighted = self.getHighlightedResults();

      if ($highlighted.length === 0) {
        return;
      }

      var data = $highlighted.data('data');

      if ($highlighted.attr('aria-selected') == 'true') {
        self.trigger('close', {});
      } else {
        self.trigger('select', {
          data: data
        });
      }
    });

    container.on('results:previous', function () {
      var $highlighted = self.getHighlightedResults();

      var $options = self.$results.find('[aria-selected]');

      var currentIndex = $options.index($highlighted);

      // If we are already at te top, don't move further
      if (currentIndex === 0) {
        return;
      }

      var nextIndex = currentIndex - 1;

      // If none are highlighted, highlight the first
      if ($highlighted.length === 0) {
        nextIndex = 0;
      }

      var $next = $options.eq(nextIndex);

      $next.trigger('mouseenter');

      var currentOffset = self.$results.offset().top;
      var nextTop = $next.offset().top;
      var nextOffset = self.$results.scrollTop() + (nextTop - currentOffset);

      if (nextIndex === 0) {
        self.$results.scrollTop(0);
      } else if (nextTop - currentOffset < 0) {
        self.$results.scrollTop(nextOffset);
      }
    });

    container.on('results:next', function () {
      var $highlighted = self.getHighlightedResults();

      var $options = self.$results.find('[aria-selected]');

      var currentIndex = $options.index($highlighted);

      var nextIndex = currentIndex + 1;

      // If we are at the last option, stay there
      if (nextIndex >= $options.length) {
        return;
      }

      var $next = $options.eq(nextIndex);

      $next.trigger('mouseenter');

      var currentOffset = self.$results.offset().top +
        self.$results.outerHeight(false);
      var nextBottom = $next.offset().top + $next.outerHeight(false);
      var nextOffset = self.$results.scrollTop() + nextBottom - currentOffset;

      if (nextIndex === 0) {
        self.$results.scrollTop(0);
      } else if (nextBottom > currentOffset) {
        self.$results.scrollTop(nextOffset);
      }
    });

    container.on('results:focus', function (params) {
      params.element.addClass('select2-results__option--highlighted');
    });

    container.on('results:message', function (params) {
      self.displayMessage(params);
    });

    if ($.fn.mousewheel) {
      this.$results.on('mousewheel', function (e) {
        var top = self.$results.scrollTop();

        var bottom = self.$results.get(0).scrollHeight - top + e.deltaY;

        var isAtTop = e.deltaY > 0 && top - e.deltaY <= 0;
        var isAtBottom = e.deltaY < 0 && bottom <= self.$results.height();

        if (isAtTop) {
          self.$results.scrollTop(0);

          e.preventDefault();
          e.stopPropagation();
        } else if (isAtBottom) {
          self.$results.scrollTop(
            self.$results.get(0).scrollHeight - self.$results.height()
          );

          e.preventDefault();
          e.stopPropagation();
        }
      });
    }

    this.$results.on('mouseup', '.select2-results__option[aria-selected]',
      function (evt) {
      var $this = $(this);

      var data = $this.data('data');

      if ($this.attr('aria-selected') === 'true') {
        if (self.options.get('multiple')) {
          self.trigger('unselect', {
            originalEvent: evt,
            data: data
          });
        } else {
          self.trigger('close', {});
        }

        return;
      }

      self.trigger('select', {
        originalEvent: evt,
        data: data
      });
    });

    this.$results.on('mouseenter', '.select2-results__option[aria-selected]',
      function (evt) {
      var data = $(this).data('data');

      self.getHighlightedResults()
          .removeClass('select2-results__option--highlighted');

      self.trigger('results:focus', {
        data: data,
        element: $(this)
      });
    });
  };

  Results.prototype.getHighlightedResults = function () {
    var $highlighted = this.$results
    .find('.select2-results__option--highlighted');

    return $highlighted;
  };

  Results.prototype.destroy = function () {
    this.$results.remove();
  };

  Results.prototype.ensureHighlightVisible = function () {
    var $highlighted = this.getHighlightedResults();

    if ($highlighted.length === 0) {
      return;
    }

    var $options = this.$results.find('[aria-selected]');

    var currentIndex = $options.index($highlighted);

    var currentOffset = this.$results.offset().top;
    var nextTop = $highlighted.offset().top;
    var nextOffset = this.$results.scrollTop() + (nextTop - currentOffset);

    var offsetDelta = nextTop - currentOffset;
    nextOffset -= $highlighted.outerHeight(false) * 2;

    if (currentIndex <= 2) {
      this.$results.scrollTop(0);
    } else if (offsetDelta > this.$results.outerHeight() || offsetDelta < 0) {
      this.$results.scrollTop(nextOffset);
    }
  };

  Results.prototype.template = function (result, container) {
    var template = this.options.get('templateResult');
    var escapeMarkup = this.options.get('escapeMarkup');

    var content = template(result, container);

    if (content == null) {
      container.style.display = 'none';
    } else if (typeof content === 'string') {
      container.innerHTML = escapeMarkup(content);
    } else {
      $(container).append(content);
    }
  };

  return Results;
});

S2.define('select2/keys',[

], function () {
  var KEYS = {
    BACKSPACE: 8,
    TAB: 9,
    ENTER: 13,
    SHIFT: 16,
    CTRL: 17,
    ALT: 18,
    ESC: 27,
    SPACE: 32,
    PAGE_UP: 33,
    PAGE_DOWN: 34,
    END: 35,
    HOME: 36,
    LEFT: 37,
    UP: 38,
    RIGHT: 39,
    DOWN: 40,
    DELETE: 46
  };

  return KEYS;
});

S2.define('select2/selection/base',[
  'jquery',
  '../utils',
  '../keys'
], function ($, Utils, KEYS) {
  function BaseSelection ($element, options) {
    this.$element = $element;
    this.options = options;

    BaseSelection.__super__.constructor.call(this);
  }

  Utils.Extend(BaseSelection, Utils.Observable);

  BaseSelection.prototype.render = function () {
    var $selection = $(
      '<span class="select2-selection" role="combobox" ' +
      ' aria-haspopup="true" aria-expanded="false">' +
      '</span>'
    );

    this._tabindex = 0;

    if (this.$element.data('old-tabindex') != null) {
      this._tabindex = this.$element.data('old-tabindex');
    } else if (this.$element.attr('tabindex') != null) {
      this._tabindex = this.$element.attr('tabindex');
    }

    $selection.attr('title', this.$element.attr('title'));
    $selection.attr('tabindex', this._tabindex);

    this.$selection = $selection;

    return $selection;
  };

  BaseSelection.prototype.bind = function (container, $container) {
    var self = this;

    var id = container.id + '-container';
    var resultsId = container.id + '-results';

    this.container = container;

    this.$selection.on('focus', function (evt) {
      self.trigger('focus', evt);
    });

    this.$selection.on('blur', function (evt) {
      self._handleBlur(evt);
    });

    this.$selection.on('keydown', function (evt) {
      self.trigger('keypress', evt);

      if (evt.which === KEYS.SPACE) {
        evt.preventDefault();
      }
    });

    container.on('results:focus', function (params) {
      self.$selection.attr('aria-activedescendant', params.data._resultId);
    });

    container.on('selection:update', function (params) {
      self.update(params.data);
    });

    container.on('open', function () {
      // When the dropdown is open, aria-expanded="true"
      self.$selection.attr('aria-expanded', 'true');
      self.$selection.attr('aria-owns', resultsId);

      self._attachCloseHandler(container);
    });

    container.on('close', function () {
      // When the dropdown is closed, aria-expanded="false"
      self.$selection.attr('aria-expanded', 'false');
      self.$selection.removeAttr('aria-activedescendant');
      self.$selection.removeAttr('aria-owns');

      self.$selection.focus();

      self._detachCloseHandler(container);
    });

    container.on('enable', function () {
      self.$selection.attr('tabindex', self._tabindex);
    });

    container.on('disable', function () {
      self.$selection.attr('tabindex', '-1');
    });
  };

  BaseSelection.prototype._handleBlur = function (evt) {
    var self = this;

    // This needs to be delayed as the active element is the body when the tab
    // key is pressed, possibly along with others.
    window.setTimeout(function () {
      // Don't trigger `blur` if the focus is still in the selection
      if (
        (document.activeElement == self.$selection[0]) ||
        ($.contains(self.$selection[0], document.activeElement))
      ) {
        return;
      }

      self.trigger('blur', evt);
    }, 1);
  };

  BaseSelection.prototype._attachCloseHandler = function (container) {
    var self = this;

    $(document.body).on('mousedown.select2.' + container.id, function (e) {
      var $target = $(e.target);

      var $select = $target.closest('.select2');

      var $all = $('.select2.select2-container--open');

      $all.each(function () {
        var $this = $(this);

        if (this == $select[0]) {
          return;
        }

        var $element = $this.data('element');

        $element.select2('close');
      });
    });
  };

  BaseSelection.prototype._detachCloseHandler = function (container) {
    $(document.body).off('mousedown.select2.' + container.id);
  };

  BaseSelection.prototype.position = function ($selection, $container) {
    var $selectionContainer = $container.find('.selection');
    $selectionContainer.append($selection);
  };

  BaseSelection.prototype.destroy = function () {
    this._detachCloseHandler(this.container);
  };

  BaseSelection.prototype.update = function (data) {
    throw new Error('The `update` method must be defined in child classes.');
  };

  return BaseSelection;
});

S2.define('select2/selection/single',[
  'jquery',
  './base',
  '../utils',
  '../keys'
], function ($, BaseSelection, Utils, KEYS) {
  function SingleSelection () {
    SingleSelection.__super__.constructor.apply(this, arguments);
  }

  Utils.Extend(SingleSelection, BaseSelection);

  SingleSelection.prototype.render = function () {
    var $selection = SingleSelection.__super__.render.call(this);

    $selection.addClass('select2-selection--single');

    $selection.html(
      '<span class="select2-selection__rendered"></span>' +
      '<span class="select2-selection__arrow" role="presentation">' +
        '<b role="presentation"></b>' +
      '</span>'
    );

    return $selection;
  };

  SingleSelection.prototype.bind = function (container, $container) {
    var self = this;

    SingleSelection.__super__.bind.apply(this, arguments);

    var id = container.id + '-container';

    this.$selection.find('.select2-selection__rendered').attr('id', id);
    this.$selection.attr('aria-labelledby', id);

    this.$selection.on('mousedown', function (evt) {
      // Only respond to left clicks
      if (evt.which !== 1) {
        return;
      }

      self.trigger('toggle', {
        originalEvent: evt
      });
    });

    this.$selection.on('focus', function (evt) {
      // User focuses on the container
    });

    this.$selection.on('blur', function (evt) {
      // User exits the container
    });

    container.on('focus', function (evt) {
      if (!container.isOpen()) {
        self.$selection.focus();
      }
    });

    container.on('selection:update', function (params) {
      self.update(params.data);
    });
  };

  SingleSelection.prototype.clear = function () {
    this.$selection.find('.select2-selection__rendered').empty();
  };

  SingleSelection.prototype.display = function (data, container) {
    var template = this.options.get('templateSelection');
    var escapeMarkup = this.options.get('escapeMarkup');

    return escapeMarkup(template(data, container));
  };

  SingleSelection.prototype.selectionContainer = function () {
    return $('<span></span>');
  };

  SingleSelection.prototype.update = function (data) {
    if (data.length === 0) {
      this.clear();
      return;
    }

    var selection = data[0];

    var $rendered = this.$selection.find('.select2-selection__rendered');
    var formatted = this.display(selection, $rendered);

    $rendered.empty().append(formatted);
    $rendered.prop('title', selection.title || selection.text);
  };

  return SingleSelection;
});

S2.define('select2/selection/multiple',[
  'jquery',
  './base',
  '../utils'
], function ($, BaseSelection, Utils) {
  function MultipleSelection ($element, options) {
    MultipleSelection.__super__.constructor.apply(this, arguments);
  }

  Utils.Extend(MultipleSelection, BaseSelection);

  MultipleSelection.prototype.render = function () {
    var $selection = MultipleSelection.__super__.render.call(this);

    $selection.addClass('select2-selection--multiple');

    $selection.html(
      '<ul class="select2-selection__rendered"></ul>'
    );

    return $selection;
  };

  MultipleSelection.prototype.bind = function (container, $container) {
    var self = this;

    MultipleSelection.__super__.bind.apply(this, arguments);

    this.$selection.on('click', function (evt) {
      self.trigger('toggle', {
        originalEvent: evt
      });
    });

    this.$selection.on(
      'click',
      '.select2-selection__choice__remove',
      function (evt) {
        // Ignore the event if it is disabled
        if (self.options.get('disabled')) {
          return;
        }

        var $remove = $(this);
        var $selection = $remove.parent();

        var data = $selection.data('data');

        self.trigger('unselect', {
          originalEvent: evt,
          data: data
        });
      }
    );
  };

  MultipleSelection.prototype.clear = function () {
    this.$selection.find('.select2-selection__rendered').empty();
  };

  MultipleSelection.prototype.display = function (data, container) {
    var template = this.options.get('templateSelection');
    var escapeMarkup = this.options.get('escapeMarkup');

    return escapeMarkup(template(data, container));
  };

  MultipleSelection.prototype.selectionContainer = function () {
    var $container = $(
      '<li class="select2-selection__choice">' +
        '<span class="select2-selection__choice__remove" role="presentation">' +
          '&times;' +
        '</span>' +
      '</li>'
    );

    return $container;
  };

  MultipleSelection.prototype.update = function (data) {
    this.clear();

    if (data.length === 0) {
      return;
    }

    var $selections = [];

    for (var d = 0; d < data.length; d++) {
      var selection = data[d];

      var $selection = this.selectionContainer();
      var formatted = this.display(selection, $selection);

      $selection.append(formatted);
      $selection.prop('title', selection.title || selection.text);

      $selection.data('data', selection);

      $selections.push($selection);
    }

    var $rendered = this.$selection.find('.select2-selection__rendered');

    Utils.appendMany($rendered, $selections);
  };

  return MultipleSelection;
});

S2.define('select2/selection/placeholder',[
  '../utils'
], function (Utils) {
  function Placeholder (decorated, $element, options) {
    this.placeholder = this.normalizePlaceholder(options.get('placeholder'));

    decorated.call(this, $element, options);
  }

  Placeholder.prototype.normalizePlaceholder = function (_, placeholder) {
    if (typeof placeholder === 'string') {
      placeholder = {
        id: '',
        text: placeholder
      };
    }

    return placeholder;
  };

  Placeholder.prototype.createPlaceholder = function (decorated, placeholder) {
    var $placeholder = this.selectionContainer();

    $placeholder.html(this.display(placeholder));
    $placeholder.addClass('select2-selection__placeholder')
                .removeClass('select2-selection__choice');

    return $placeholder;
  };

  Placeholder.prototype.update = function (decorated, data) {
    var singlePlaceholder = (
      data.length == 1 && data[0].id != this.placeholder.id
    );
    var multipleSelections = data.length > 1;

    if (multipleSelections || singlePlaceholder) {
      return decorated.call(this, data);
    }

    this.clear();

    var $placeholder = this.createPlaceholder(this.placeholder);

    this.$selection.find('.select2-selection__rendered').append($placeholder);
  };

  return Placeholder;
});

S2.define('select2/selection/allowClear',[
  'jquery',
  '../keys'
], function ($, KEYS) {
  function AllowClear () { }

  AllowClear.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    if (this.placeholder == null) {
      if (this.options.get('debug') && window.console && console.error) {
        console.error(
          'Select2: The `allowClear` option should be used in combination ' +
          'with the `placeholder` option.'
        );
      }
    }

    this.$selection.on('mousedown', '.select2-selection__clear',
      function (evt) {
        self._handleClear(evt);
    });

    container.on('keypress', function (evt) {
      self._handleKeyboardClear(evt, container);
    });
  };

  AllowClear.prototype._handleClear = function (_, evt) {
    // Ignore the event if it is disabled
    if (this.options.get('disabled')) {
      return;
    }

    var $clear = this.$selection.find('.select2-selection__clear');

    // Ignore the event if nothing has been selected
    if ($clear.length === 0) {
      return;
    }

    evt.stopPropagation();

    var data = $clear.data('data');

    for (var d = 0; d < data.length; d++) {
      var unselectData = {
        data: data[d]
      };

      // Trigger the `unselect` event, so people can prevent it from being
      // cleared.
      this.trigger('unselect', unselectData);

      // If the event was prevented, don't clear it out.
      if (unselectData.prevented) {
        return;
      }
    }

    this.$element.val(this.placeholder.id).trigger('change');

    this.trigger('toggle', {});
  };

  AllowClear.prototype._handleKeyboardClear = function (_, evt, container) {
    if (container.isOpen()) {
      return;
    }

    if (evt.which == KEYS.DELETE || evt.which == KEYS.BACKSPACE) {
      this._handleClear(evt);
    }
  };

  AllowClear.prototype.update = function (decorated, data) {
    decorated.call(this, data);

    if (this.$selection.find('.select2-selection__placeholder').length > 0 ||
        data.length === 0) {
      return;
    }

    var $remove = $(
      '<span class="select2-selection__clear">' +
        '&times;' +
      '</span>'
    );
    $remove.data('data', data);

    this.$selection.find('.select2-selection__rendered').prepend($remove);
  };

  return AllowClear;
});

S2.define('select2/selection/search',[
  'jquery',
  '../utils',
  '../keys'
], function ($, Utils, KEYS) {
  function Search (decorated, $element, options) {
    decorated.call(this, $element, options);
  }

  Search.prototype.render = function (decorated) {
    var $search = $(
      '<li class="select2-search select2-search--inline">' +
        '<input class="select2-search__field" type="search" tabindex="-1"' +
        ' autocomplete="off" autocorrect="off" autocapitalize="off"' +
        ' spellcheck="false" role="textbox" aria-autocomplete="list" />' +
      '</li>'
    );

    this.$searchContainer = $search;
    this.$search = $search.find('input');

    var $rendered = decorated.call(this);

    this._transferTabIndex();

    return $rendered;
  };

  Search.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('open', function () {
      self.$search.trigger('focus');
    });

    container.on('close', function () {
      self.$search.val('');
      self.$search.removeAttr('aria-activedescendant');
      self.$search.trigger('focus');
    });

    container.on('enable', function () {
      self.$search.prop('disabled', false);

      self._transferTabIndex();
    });

    container.on('disable', function () {
      self.$search.prop('disabled', true);
    });

    container.on('focus', function (evt) {
      self.$search.trigger('focus');
    });

    container.on('results:focus', function (params) {
      self.$search.attr('aria-activedescendant', params.id);
    });

    this.$selection.on('focusin', '.select2-search--inline', function (evt) {
      self.trigger('focus', evt);
    });

    this.$selection.on('focusout', '.select2-search--inline', function (evt) {
      self._handleBlur(evt);
    });

    this.$selection.on('keydown', '.select2-search--inline', function (evt) {
      evt.stopPropagation();

      self.trigger('keypress', evt);

      self._keyUpPrevented = evt.isDefaultPrevented();

      var key = evt.which;

      if (key === KEYS.BACKSPACE && self.$search.val() === '') {
        var $previousChoice = self.$searchContainer
          .prev('.select2-selection__choice');

        if ($previousChoice.length > 0) {
          var item = $previousChoice.data('data');

          self.searchRemoveChoice(item);

          evt.preventDefault();
        }
      }
    });

    // Try to detect the IE version should the `documentMode` property that
    // is stored on the document. This is only implemented in IE and is
    // slightly cleaner than doing a user agent check.
    // This property is not available in Edge, but Edge also doesn't have
    // this bug.
    var msie = document.documentMode;
    var disableInputEvents = msie && msie <= 11;

    // Workaround for browsers which do not support the `input` event
    // This will prevent double-triggering of events for browsers which support
    // both the `keyup` and `input` events.
    this.$selection.on(
      'input.searchcheck',
      '.select2-search--inline',
      function (evt) {
        // IE will trigger the `input` event when a placeholder is used on a
        // search box. To get around this issue, we are forced to ignore all
        // `input` events in IE and keep using `keyup`.
        if (disableInputEvents) {
          self.$selection.off('input.search input.searchcheck');
          return;
        }

        // Unbind the duplicated `keyup` event
        self.$selection.off('keyup.search');
      }
    );

    this.$selection.on(
      'keyup.search input.search',
      '.select2-search--inline',
      function (evt) {
        // IE will trigger the `input` event when a placeholder is used on a
        // search box. To get around this issue, we are forced to ignore all
        // `input` events in IE and keep using `keyup`.
        if (disableInputEvents && evt.type === 'input') {
          self.$selection.off('input.search input.searchcheck');
          return;
        }

        var key = evt.which;

        // We can freely ignore events from modifier keys
        if (key == KEYS.SHIFT || key == KEYS.CTRL || key == KEYS.ALT) {
          return;
        }

        // Tabbing will be handled during the `keydown` phase
        if (key == KEYS.TAB) {
          return;
        }

        self.handleSearch(evt);
      }
    );
  };

  /**
   * This method will transfer the tabindex attribute from the rendered
   * selection to the search box. This allows for the search box to be used as
   * the primary focus instead of the selection container.
   *
   * @private
   */
  Search.prototype._transferTabIndex = function (decorated) {
    this.$search.attr('tabindex', this.$selection.attr('tabindex'));
    this.$selection.attr('tabindex', '-1');
  };

  Search.prototype.createPlaceholder = function (decorated, placeholder) {
    this.$search.attr('placeholder', placeholder.text);
  };

  Search.prototype.update = function (decorated, data) {
    var searchHadFocus = this.$search[0] == document.activeElement;

    this.$search.attr('placeholder', '');

    decorated.call(this, data);

    this.$selection.find('.select2-selection__rendered')
                   .append(this.$searchContainer);

    this.resizeSearch();
    if (searchHadFocus) {
      this.$search.focus();
    }
  };

  Search.prototype.handleSearch = function () {
    this.resizeSearch();

    if (!this._keyUpPrevented) {
      var input = this.$search.val();

      this.trigger('query', {
        term: input
      });
    }

    this._keyUpPrevented = false;
  };

  Search.prototype.searchRemoveChoice = function (decorated, item) {
    this.trigger('unselect', {
      data: item
    });

    this.$search.val(item.text);
    this.handleSearch();
  };

  Search.prototype.resizeSearch = function () {
    this.$search.css('width', '25px');

    var width = '';

    if (this.$search.attr('placeholder') !== '') {
      width = this.$selection.find('.select2-selection__rendered').innerWidth();
    } else {
      var minimumWidth = this.$search.val().length + 1;

      width = (minimumWidth * 0.75) + 'em';
    }

    this.$search.css('width', width);
  };

  return Search;
});

S2.define('select2/selection/eventRelay',[
  'jquery'
], function ($) {
  function EventRelay () { }

  EventRelay.prototype.bind = function (decorated, container, $container) {
    var self = this;
    var relayEvents = [
      'open', 'opening',
      'close', 'closing',
      'select', 'selecting',
      'unselect', 'unselecting'
    ];

    var preventableEvents = ['opening', 'closing', 'selecting', 'unselecting'];

    decorated.call(this, container, $container);

    container.on('*', function (name, params) {
      // Ignore events that should not be relayed
      if ($.inArray(name, relayEvents) === -1) {
        return;
      }

      // The parameters should always be an object
      params = params || {};

      // Generate the jQuery event for the Select2 event
      var evt = $.Event('select2:' + name, {
        params: params
      });

      self.$element.trigger(evt);

      // Only handle preventable events if it was one
      if ($.inArray(name, preventableEvents) === -1) {
        return;
      }

      params.prevented = evt.isDefaultPrevented();
    });
  };

  return EventRelay;
});

S2.define('select2/translation',[
  'jquery',
  'require'
], function ($, require) {
  function Translation (dict) {
    this.dict = dict || {};
  }

  Translation.prototype.all = function () {
    return this.dict;
  };

  Translation.prototype.get = function (key) {
    return this.dict[key];
  };

  Translation.prototype.extend = function (translation) {
    this.dict = $.extend({}, translation.all(), this.dict);
  };

  // Static functions

  Translation._cache = {};

  Translation.loadPath = function (path) {
    if (!(path in Translation._cache)) {
      var translations = require(path);

      Translation._cache[path] = translations;
    }

    return new Translation(Translation._cache[path]);
  };

  return Translation;
});

S2.define('select2/diacritics',[

], function () {
  var diacritics = {
    '\u24B6': 'A',
    '\uFF21': 'A',
    '\u00C0': 'A',
    '\u00C1': 'A',
    '\u00C2': 'A',
    '\u1EA6': 'A',
    '\u1EA4': 'A',
    '\u1EAA': 'A',
    '\u1EA8': 'A',
    '\u00C3': 'A',
    '\u0100': 'A',
    '\u0102': 'A',
    '\u1EB0': 'A',
    '\u1EAE': 'A',
    '\u1EB4': 'A',
    '\u1EB2': 'A',
    '\u0226': 'A',
    '\u01E0': 'A',
    '\u00C4': 'A',
    '\u01DE': 'A',
    '\u1EA2': 'A',
    '\u00C5': 'A',
    '\u01FA': 'A',
    '\u01CD': 'A',
    '\u0200': 'A',
    '\u0202': 'A',
    '\u1EA0': 'A',
    '\u1EAC': 'A',
    '\u1EB6': 'A',
    '\u1E00': 'A',
    '\u0104': 'A',
    '\u023A': 'A',
    '\u2C6F': 'A',
    '\uA732': 'AA',
    '\u00C6': 'AE',
    '\u01FC': 'AE',
    '\u01E2': 'AE',
    '\uA734': 'AO',
    '\uA736': 'AU',
    '\uA738': 'AV',
    '\uA73A': 'AV',
    '\uA73C': 'AY',
    '\u24B7': 'B',
    '\uFF22': 'B',
    '\u1E02': 'B',
    '\u1E04': 'B',
    '\u1E06': 'B',
    '\u0243': 'B',
    '\u0182': 'B',
    '\u0181': 'B',
    '\u24B8': 'C',
    '\uFF23': 'C',
    '\u0106': 'C',
    '\u0108': 'C',
    '\u010A': 'C',
    '\u010C': 'C',
    '\u00C7': 'C',
    '\u1E08': 'C',
    '\u0187': 'C',
    '\u023B': 'C',
    '\uA73E': 'C',
    '\u24B9': 'D',
    '\uFF24': 'D',
    '\u1E0A': 'D',
    '\u010E': 'D',
    '\u1E0C': 'D',
    '\u1E10': 'D',
    '\u1E12': 'D',
    '\u1E0E': 'D',
    '\u0110': 'D',
    '\u018B': 'D',
    '\u018A': 'D',
    '\u0189': 'D',
    '\uA779': 'D',
    '\u01F1': 'DZ',
    '\u01C4': 'DZ',
    '\u01F2': 'Dz',
    '\u01C5': 'Dz',
    '\u24BA': 'E',
    '\uFF25': 'E',
    '\u00C8': 'E',
    '\u00C9': 'E',
    '\u00CA': 'E',
    '\u1EC0': 'E',
    '\u1EBE': 'E',
    '\u1EC4': 'E',
    '\u1EC2': 'E',
    '\u1EBC': 'E',
    '\u0112': 'E',
    '\u1E14': 'E',
    '\u1E16': 'E',
    '\u0114': 'E',
    '\u0116': 'E',
    '\u00CB': 'E',
    '\u1EBA': 'E',
    '\u011A': 'E',
    '\u0204': 'E',
    '\u0206': 'E',
    '\u1EB8': 'E',
    '\u1EC6': 'E',
    '\u0228': 'E',
    '\u1E1C': 'E',
    '\u0118': 'E',
    '\u1E18': 'E',
    '\u1E1A': 'E',
    '\u0190': 'E',
    '\u018E': 'E',
    '\u24BB': 'F',
    '\uFF26': 'F',
    '\u1E1E': 'F',
    '\u0191': 'F',
    '\uA77B': 'F',
    '\u24BC': 'G',
    '\uFF27': 'G',
    '\u01F4': 'G',
    '\u011C': 'G',
    '\u1E20': 'G',
    '\u011E': 'G',
    '\u0120': 'G',
    '\u01E6': 'G',
    '\u0122': 'G',
    '\u01E4': 'G',
    '\u0193': 'G',
    '\uA7A0': 'G',
    '\uA77D': 'G',
    '\uA77E': 'G',
    '\u24BD': 'H',
    '\uFF28': 'H',
    '\u0124': 'H',
    '\u1E22': 'H',
    '\u1E26': 'H',
    '\u021E': 'H',
    '\u1E24': 'H',
    '\u1E28': 'H',
    '\u1E2A': 'H',
    '\u0126': 'H',
    '\u2C67': 'H',
    '\u2C75': 'H',
    '\uA78D': 'H',
    '\u24BE': 'I',
    '\uFF29': 'I',
    '\u00CC': 'I',
    '\u00CD': 'I',
    '\u00CE': 'I',
    '\u0128': 'I',
    '\u012A': 'I',
    '\u012C': 'I',
    '\u0130': 'I',
    '\u00CF': 'I',
    '\u1E2E': 'I',
    '\u1EC8': 'I',
    '\u01CF': 'I',
    '\u0208': 'I',
    '\u020A': 'I',
    '\u1ECA': 'I',
    '\u012E': 'I',
    '\u1E2C': 'I',
    '\u0197': 'I',
    '\u24BF': 'J',
    '\uFF2A': 'J',
    '\u0134': 'J',
    '\u0248': 'J',
    '\u24C0': 'K',
    '\uFF2B': 'K',
    '\u1E30': 'K',
    '\u01E8': 'K',
    '\u1E32': 'K',
    '\u0136': 'K',
    '\u1E34': 'K',
    '\u0198': 'K',
    '\u2C69': 'K',
    '\uA740': 'K',
    '\uA742': 'K',
    '\uA744': 'K',
    '\uA7A2': 'K',
    '\u24C1': 'L',
    '\uFF2C': 'L',
    '\u013F': 'L',
    '\u0139': 'L',
    '\u013D': 'L',
    '\u1E36': 'L',
    '\u1E38': 'L',
    '\u013B': 'L',
    '\u1E3C': 'L',
    '\u1E3A': 'L',
    '\u0141': 'L',
    '\u023D': 'L',
    '\u2C62': 'L',
    '\u2C60': 'L',
    '\uA748': 'L',
    '\uA746': 'L',
    '\uA780': 'L',
    '\u01C7': 'LJ',
    '\u01C8': 'Lj',
    '\u24C2': 'M',
    '\uFF2D': 'M',
    '\u1E3E': 'M',
    '\u1E40': 'M',
    '\u1E42': 'M',
    '\u2C6E': 'M',
    '\u019C': 'M',
    '\u24C3': 'N',
    '\uFF2E': 'N',
    '\u01F8': 'N',
    '\u0143': 'N',
    '\u00D1': 'N',
    '\u1E44': 'N',
    '\u0147': 'N',
    '\u1E46': 'N',
    '\u0145': 'N',
    '\u1E4A': 'N',
    '\u1E48': 'N',
    '\u0220': 'N',
    '\u019D': 'N',
    '\uA790': 'N',
    '\uA7A4': 'N',
    '\u01CA': 'NJ',
    '\u01CB': 'Nj',
    '\u24C4': 'O',
    '\uFF2F': 'O',
    '\u00D2': 'O',
    '\u00D3': 'O',
    '\u00D4': 'O',
    '\u1ED2': 'O',
    '\u1ED0': 'O',
    '\u1ED6': 'O',
    '\u1ED4': 'O',
    '\u00D5': 'O',
    '\u1E4C': 'O',
    '\u022C': 'O',
    '\u1E4E': 'O',
    '\u014C': 'O',
    '\u1E50': 'O',
    '\u1E52': 'O',
    '\u014E': 'O',
    '\u022E': 'O',
    '\u0230': 'O',
    '\u00D6': 'O',
    '\u022A': 'O',
    '\u1ECE': 'O',
    '\u0150': 'O',
    '\u01D1': 'O',
    '\u020C': 'O',
    '\u020E': 'O',
    '\u01A0': 'O',
    '\u1EDC': 'O',
    '\u1EDA': 'O',
    '\u1EE0': 'O',
    '\u1EDE': 'O',
    '\u1EE2': 'O',
    '\u1ECC': 'O',
    '\u1ED8': 'O',
    '\u01EA': 'O',
    '\u01EC': 'O',
    '\u00D8': 'O',
    '\u01FE': 'O',
    '\u0186': 'O',
    '\u019F': 'O',
    '\uA74A': 'O',
    '\uA74C': 'O',
    '\u01A2': 'OI',
    '\uA74E': 'OO',
    '\u0222': 'OU',
    '\u24C5': 'P',
    '\uFF30': 'P',
    '\u1E54': 'P',
    '\u1E56': 'P',
    '\u01A4': 'P',
    '\u2C63': 'P',
    '\uA750': 'P',
    '\uA752': 'P',
    '\uA754': 'P',
    '\u24C6': 'Q',
    '\uFF31': 'Q',
    '\uA756': 'Q',
    '\uA758': 'Q',
    '\u024A': 'Q',
    '\u24C7': 'R',
    '\uFF32': 'R',
    '\u0154': 'R',
    '\u1E58': 'R',
    '\u0158': 'R',
    '\u0210': 'R',
    '\u0212': 'R',
    '\u1E5A': 'R',
    '\u1E5C': 'R',
    '\u0156': 'R',
    '\u1E5E': 'R',
    '\u024C': 'R',
    '\u2C64': 'R',
    '\uA75A': 'R',
    '\uA7A6': 'R',
    '\uA782': 'R',
    '\u24C8': 'S',
    '\uFF33': 'S',
    '\u1E9E': 'S',
    '\u015A': 'S',
    '\u1E64': 'S',
    '\u015C': 'S',
    '\u1E60': 'S',
    '\u0160': 'S',
    '\u1E66': 'S',
    '\u1E62': 'S',
    '\u1E68': 'S',
    '\u0218': 'S',
    '\u015E': 'S',
    '\u2C7E': 'S',
    '\uA7A8': 'S',
    '\uA784': 'S',
    '\u24C9': 'T',
    '\uFF34': 'T',
    '\u1E6A': 'T',
    '\u0164': 'T',
    '\u1E6C': 'T',
    '\u021A': 'T',
    '\u0162': 'T',
    '\u1E70': 'T',
    '\u1E6E': 'T',
    '\u0166': 'T',
    '\u01AC': 'T',
    '\u01AE': 'T',
    '\u023E': 'T',
    '\uA786': 'T',
    '\uA728': 'TZ',
    '\u24CA': 'U',
    '\uFF35': 'U',
    '\u00D9': 'U',
    '\u00DA': 'U',
    '\u00DB': 'U',
    '\u0168': 'U',
    '\u1E78': 'U',
    '\u016A': 'U',
    '\u1E7A': 'U',
    '\u016C': 'U',
    '\u00DC': 'U',
    '\u01DB': 'U',
    '\u01D7': 'U',
    '\u01D5': 'U',
    '\u01D9': 'U',
    '\u1EE6': 'U',
    '\u016E': 'U',
    '\u0170': 'U',
    '\u01D3': 'U',
    '\u0214': 'U',
    '\u0216': 'U',
    '\u01AF': 'U',
    '\u1EEA': 'U',
    '\u1EE8': 'U',
    '\u1EEE': 'U',
    '\u1EEC': 'U',
    '\u1EF0': 'U',
    '\u1EE4': 'U',
    '\u1E72': 'U',
    '\u0172': 'U',
    '\u1E76': 'U',
    '\u1E74': 'U',
    '\u0244': 'U',
    '\u24CB': 'V',
    '\uFF36': 'V',
    '\u1E7C': 'V',
    '\u1E7E': 'V',
    '\u01B2': 'V',
    '\uA75E': 'V',
    '\u0245': 'V',
    '\uA760': 'VY',
    '\u24CC': 'W',
    '\uFF37': 'W',
    '\u1E80': 'W',
    '\u1E82': 'W',
    '\u0174': 'W',
    '\u1E86': 'W',
    '\u1E84': 'W',
    '\u1E88': 'W',
    '\u2C72': 'W',
    '\u24CD': 'X',
    '\uFF38': 'X',
    '\u1E8A': 'X',
    '\u1E8C': 'X',
    '\u24CE': 'Y',
    '\uFF39': 'Y',
    '\u1EF2': 'Y',
    '\u00DD': 'Y',
    '\u0176': 'Y',
    '\u1EF8': 'Y',
    '\u0232': 'Y',
    '\u1E8E': 'Y',
    '\u0178': 'Y',
    '\u1EF6': 'Y',
    '\u1EF4': 'Y',
    '\u01B3': 'Y',
    '\u024E': 'Y',
    '\u1EFE': 'Y',
    '\u24CF': 'Z',
    '\uFF3A': 'Z',
    '\u0179': 'Z',
    '\u1E90': 'Z',
    '\u017B': 'Z',
    '\u017D': 'Z',
    '\u1E92': 'Z',
    '\u1E94': 'Z',
    '\u01B5': 'Z',
    '\u0224': 'Z',
    '\u2C7F': 'Z',
    '\u2C6B': 'Z',
    '\uA762': 'Z',
    '\u24D0': 'a',
    '\uFF41': 'a',
    '\u1E9A': 'a',
    '\u00E0': 'a',
    '\u00E1': 'a',
    '\u00E2': 'a',
    '\u1EA7': 'a',
    '\u1EA5': 'a',
    '\u1EAB': 'a',
    '\u1EA9': 'a',
    '\u00E3': 'a',
    '\u0101': 'a',
    '\u0103': 'a',
    '\u1EB1': 'a',
    '\u1EAF': 'a',
    '\u1EB5': 'a',
    '\u1EB3': 'a',
    '\u0227': 'a',
    '\u01E1': 'a',
    '\u00E4': 'a',
    '\u01DF': 'a',
    '\u1EA3': 'a',
    '\u00E5': 'a',
    '\u01FB': 'a',
    '\u01CE': 'a',
    '\u0201': 'a',
    '\u0203': 'a',
    '\u1EA1': 'a',
    '\u1EAD': 'a',
    '\u1EB7': 'a',
    '\u1E01': 'a',
    '\u0105': 'a',
    '\u2C65': 'a',
    '\u0250': 'a',
    '\uA733': 'aa',
    '\u00E6': 'ae',
    '\u01FD': 'ae',
    '\u01E3': 'ae',
    '\uA735': 'ao',
    '\uA737': 'au',
    '\uA739': 'av',
    '\uA73B': 'av',
    '\uA73D': 'ay',
    '\u24D1': 'b',
    '\uFF42': 'b',
    '\u1E03': 'b',
    '\u1E05': 'b',
    '\u1E07': 'b',
    '\u0180': 'b',
    '\u0183': 'b',
    '\u0253': 'b',
    '\u24D2': 'c',
    '\uFF43': 'c',
    '\u0107': 'c',
    '\u0109': 'c',
    '\u010B': 'c',
    '\u010D': 'c',
    '\u00E7': 'c',
    '\u1E09': 'c',
    '\u0188': 'c',
    '\u023C': 'c',
    '\uA73F': 'c',
    '\u2184': 'c',
    '\u24D3': 'd',
    '\uFF44': 'd',
    '\u1E0B': 'd',
    '\u010F': 'd',
    '\u1E0D': 'd',
    '\u1E11': 'd',
    '\u1E13': 'd',
    '\u1E0F': 'd',
    '\u0111': 'd',
    '\u018C': 'd',
    '\u0256': 'd',
    '\u0257': 'd',
    '\uA77A': 'd',
    '\u01F3': 'dz',
    '\u01C6': 'dz',
    '\u24D4': 'e',
    '\uFF45': 'e',
    '\u00E8': 'e',
    '\u00E9': 'e',
    '\u00EA': 'e',
    '\u1EC1': 'e',
    '\u1EBF': 'e',
    '\u1EC5': 'e',
    '\u1EC3': 'e',
    '\u1EBD': 'e',
    '\u0113': 'e',
    '\u1E15': 'e',
    '\u1E17': 'e',
    '\u0115': 'e',
    '\u0117': 'e',
    '\u00EB': 'e',
    '\u1EBB': 'e',
    '\u011B': 'e',
    '\u0205': 'e',
    '\u0207': 'e',
    '\u1EB9': 'e',
    '\u1EC7': 'e',
    '\u0229': 'e',
    '\u1E1D': 'e',
    '\u0119': 'e',
    '\u1E19': 'e',
    '\u1E1B': 'e',
    '\u0247': 'e',
    '\u025B': 'e',
    '\u01DD': 'e',
    '\u24D5': 'f',
    '\uFF46': 'f',
    '\u1E1F': 'f',
    '\u0192': 'f',
    '\uA77C': 'f',
    '\u24D6': 'g',
    '\uFF47': 'g',
    '\u01F5': 'g',
    '\u011D': 'g',
    '\u1E21': 'g',
    '\u011F': 'g',
    '\u0121': 'g',
    '\u01E7': 'g',
    '\u0123': 'g',
    '\u01E5': 'g',
    '\u0260': 'g',
    '\uA7A1': 'g',
    '\u1D79': 'g',
    '\uA77F': 'g',
    '\u24D7': 'h',
    '\uFF48': 'h',
    '\u0125': 'h',
    '\u1E23': 'h',
    '\u1E27': 'h',
    '\u021F': 'h',
    '\u1E25': 'h',
    '\u1E29': 'h',
    '\u1E2B': 'h',
    '\u1E96': 'h',
    '\u0127': 'h',
    '\u2C68': 'h',
    '\u2C76': 'h',
    '\u0265': 'h',
    '\u0195': 'hv',
    '\u24D8': 'i',
    '\uFF49': 'i',
    '\u00EC': 'i',
    '\u00ED': 'i',
    '\u00EE': 'i',
    '\u0129': 'i',
    '\u012B': 'i',
    '\u012D': 'i',
    '\u00EF': 'i',
    '\u1E2F': 'i',
    '\u1EC9': 'i',
    '\u01D0': 'i',
    '\u0209': 'i',
    '\u020B': 'i',
    '\u1ECB': 'i',
    '\u012F': 'i',
    '\u1E2D': 'i',
    '\u0268': 'i',
    '\u0131': 'i',
    '\u24D9': 'j',
    '\uFF4A': 'j',
    '\u0135': 'j',
    '\u01F0': 'j',
    '\u0249': 'j',
    '\u24DA': 'k',
    '\uFF4B': 'k',
    '\u1E31': 'k',
    '\u01E9': 'k',
    '\u1E33': 'k',
    '\u0137': 'k',
    '\u1E35': 'k',
    '\u0199': 'k',
    '\u2C6A': 'k',
    '\uA741': 'k',
    '\uA743': 'k',
    '\uA745': 'k',
    '\uA7A3': 'k',
    '\u24DB': 'l',
    '\uFF4C': 'l',
    '\u0140': 'l',
    '\u013A': 'l',
    '\u013E': 'l',
    '\u1E37': 'l',
    '\u1E39': 'l',
    '\u013C': 'l',
    '\u1E3D': 'l',
    '\u1E3B': 'l',
    '\u017F': 'l',
    '\u0142': 'l',
    '\u019A': 'l',
    '\u026B': 'l',
    '\u2C61': 'l',
    '\uA749': 'l',
    '\uA781': 'l',
    '\uA747': 'l',
    '\u01C9': 'lj',
    '\u24DC': 'm',
    '\uFF4D': 'm',
    '\u1E3F': 'm',
    '\u1E41': 'm',
    '\u1E43': 'm',
    '\u0271': 'm',
    '\u026F': 'm',
    '\u24DD': 'n',
    '\uFF4E': 'n',
    '\u01F9': 'n',
    '\u0144': 'n',
    '\u00F1': 'n',
    '\u1E45': 'n',
    '\u0148': 'n',
    '\u1E47': 'n',
    '\u0146': 'n',
    '\u1E4B': 'n',
    '\u1E49': 'n',
    '\u019E': 'n',
    '\u0272': 'n',
    '\u0149': 'n',
    '\uA791': 'n',
    '\uA7A5': 'n',
    '\u01CC': 'nj',
    '\u24DE': 'o',
    '\uFF4F': 'o',
    '\u00F2': 'o',
    '\u00F3': 'o',
    '\u00F4': 'o',
    '\u1ED3': 'o',
    '\u1ED1': 'o',
    '\u1ED7': 'o',
    '\u1ED5': 'o',
    '\u00F5': 'o',
    '\u1E4D': 'o',
    '\u022D': 'o',
    '\u1E4F': 'o',
    '\u014D': 'o',
    '\u1E51': 'o',
    '\u1E53': 'o',
    '\u014F': 'o',
    '\u022F': 'o',
    '\u0231': 'o',
    '\u00F6': 'o',
    '\u022B': 'o',
    '\u1ECF': 'o',
    '\u0151': 'o',
    '\u01D2': 'o',
    '\u020D': 'o',
    '\u020F': 'o',
    '\u01A1': 'o',
    '\u1EDD': 'o',
    '\u1EDB': 'o',
    '\u1EE1': 'o',
    '\u1EDF': 'o',
    '\u1EE3': 'o',
    '\u1ECD': 'o',
    '\u1ED9': 'o',
    '\u01EB': 'o',
    '\u01ED': 'o',
    '\u00F8': 'o',
    '\u01FF': 'o',
    '\u0254': 'o',
    '\uA74B': 'o',
    '\uA74D': 'o',
    '\u0275': 'o',
    '\u01A3': 'oi',
    '\u0223': 'ou',
    '\uA74F': 'oo',
    '\u24DF': 'p',
    '\uFF50': 'p',
    '\u1E55': 'p',
    '\u1E57': 'p',
    '\u01A5': 'p',
    '\u1D7D': 'p',
    '\uA751': 'p',
    '\uA753': 'p',
    '\uA755': 'p',
    '\u24E0': 'q',
    '\uFF51': 'q',
    '\u024B': 'q',
    '\uA757': 'q',
    '\uA759': 'q',
    '\u24E1': 'r',
    '\uFF52': 'r',
    '\u0155': 'r',
    '\u1E59': 'r',
    '\u0159': 'r',
    '\u0211': 'r',
    '\u0213': 'r',
    '\u1E5B': 'r',
    '\u1E5D': 'r',
    '\u0157': 'r',
    '\u1E5F': 'r',
    '\u024D': 'r',
    '\u027D': 'r',
    '\uA75B': 'r',
    '\uA7A7': 'r',
    '\uA783': 'r',
    '\u24E2': 's',
    '\uFF53': 's',
    '\u00DF': 's',
    '\u015B': 's',
    '\u1E65': 's',
    '\u015D': 's',
    '\u1E61': 's',
    '\u0161': 's',
    '\u1E67': 's',
    '\u1E63': 's',
    '\u1E69': 's',
    '\u0219': 's',
    '\u015F': 's',
    '\u023F': 's',
    '\uA7A9': 's',
    '\uA785': 's',
    '\u1E9B': 's',
    '\u24E3': 't',
    '\uFF54': 't',
    '\u1E6B': 't',
    '\u1E97': 't',
    '\u0165': 't',
    '\u1E6D': 't',
    '\u021B': 't',
    '\u0163': 't',
    '\u1E71': 't',
    '\u1E6F': 't',
    '\u0167': 't',
    '\u01AD': 't',
    '\u0288': 't',
    '\u2C66': 't',
    '\uA787': 't',
    '\uA729': 'tz',
    '\u24E4': 'u',
    '\uFF55': 'u',
    '\u00F9': 'u',
    '\u00FA': 'u',
    '\u00FB': 'u',
    '\u0169': 'u',
    '\u1E79': 'u',
    '\u016B': 'u',
    '\u1E7B': 'u',
    '\u016D': 'u',
    '\u00FC': 'u',
    '\u01DC': 'u',
    '\u01D8': 'u',
    '\u01D6': 'u',
    '\u01DA': 'u',
    '\u1EE7': 'u',
    '\u016F': 'u',
    '\u0171': 'u',
    '\u01D4': 'u',
    '\u0215': 'u',
    '\u0217': 'u',
    '\u01B0': 'u',
    '\u1EEB': 'u',
    '\u1EE9': 'u',
    '\u1EEF': 'u',
    '\u1EED': 'u',
    '\u1EF1': 'u',
    '\u1EE5': 'u',
    '\u1E73': 'u',
    '\u0173': 'u',
    '\u1E77': 'u',
    '\u1E75': 'u',
    '\u0289': 'u',
    '\u24E5': 'v',
    '\uFF56': 'v',
    '\u1E7D': 'v',
    '\u1E7F': 'v',
    '\u028B': 'v',
    '\uA75F': 'v',
    '\u028C': 'v',
    '\uA761': 'vy',
    '\u24E6': 'w',
    '\uFF57': 'w',
    '\u1E81': 'w',
    '\u1E83': 'w',
    '\u0175': 'w',
    '\u1E87': 'w',
    '\u1E85': 'w',
    '\u1E98': 'w',
    '\u1E89': 'w',
    '\u2C73': 'w',
    '\u24E7': 'x',
    '\uFF58': 'x',
    '\u1E8B': 'x',
    '\u1E8D': 'x',
    '\u24E8': 'y',
    '\uFF59': 'y',
    '\u1EF3': 'y',
    '\u00FD': 'y',
    '\u0177': 'y',
    '\u1EF9': 'y',
    '\u0233': 'y',
    '\u1E8F': 'y',
    '\u00FF': 'y',
    '\u1EF7': 'y',
    '\u1E99': 'y',
    '\u1EF5': 'y',
    '\u01B4': 'y',
    '\u024F': 'y',
    '\u1EFF': 'y',
    '\u24E9': 'z',
    '\uFF5A': 'z',
    '\u017A': 'z',
    '\u1E91': 'z',
    '\u017C': 'z',
    '\u017E': 'z',
    '\u1E93': 'z',
    '\u1E95': 'z',
    '\u01B6': 'z',
    '\u0225': 'z',
    '\u0240': 'z',
    '\u2C6C': 'z',
    '\uA763': 'z',
    '\u0386': '\u0391',
    '\u0388': '\u0395',
    '\u0389': '\u0397',
    '\u038A': '\u0399',
    '\u03AA': '\u0399',
    '\u038C': '\u039F',
    '\u038E': '\u03A5',
    '\u03AB': '\u03A5',
    '\u038F': '\u03A9',
    '\u03AC': '\u03B1',
    '\u03AD': '\u03B5',
    '\u03AE': '\u03B7',
    '\u03AF': '\u03B9',
    '\u03CA': '\u03B9',
    '\u0390': '\u03B9',
    '\u03CC': '\u03BF',
    '\u03CD': '\u03C5',
    '\u03CB': '\u03C5',
    '\u03B0': '\u03C5',
    '\u03C9': '\u03C9',
    '\u03C2': '\u03C3'
  };

  return diacritics;
});

S2.define('select2/data/base',[
  '../utils'
], function (Utils) {
  function BaseAdapter ($element, options) {
    BaseAdapter.__super__.constructor.call(this);
  }

  Utils.Extend(BaseAdapter, Utils.Observable);

  BaseAdapter.prototype.current = function (callback) {
    throw new Error('The `current` method must be defined in child classes.');
  };

  BaseAdapter.prototype.query = function (params, callback) {
    throw new Error('The `query` method must be defined in child classes.');
  };

  BaseAdapter.prototype.bind = function (container, $container) {
    // Can be implemented in subclasses
  };

  BaseAdapter.prototype.destroy = function () {
    // Can be implemented in subclasses
  };

  BaseAdapter.prototype.generateResultId = function (container, data) {
    var id = container.id + '-result-';

    id += Utils.generateChars(4);

    if (data.id != null) {
      id += '-' + data.id.toString();
    } else {
      id += '-' + Utils.generateChars(4);
    }
    return id;
  };

  return BaseAdapter;
});

S2.define('select2/data/select',[
  './base',
  '../utils',
  'jquery'
], function (BaseAdapter, Utils, $) {
  function SelectAdapter ($element, options) {
    this.$element = $element;
    this.options = options;

    SelectAdapter.__super__.constructor.call(this);
  }

  Utils.Extend(SelectAdapter, BaseAdapter);

  SelectAdapter.prototype.current = function (callback) {
    var data = [];
    var self = this;

    this.$element.find(':selected').each(function () {
      var $option = $(this);

      var option = self.item($option);

      data.push(option);
    });

    callback(data);
  };

  SelectAdapter.prototype.select = function (data) {
    var self = this;

    data.selected = true;

    // If data.element is a DOM node, use it instead
    if ($(data.element).is('option')) {
      data.element.selected = true;

      this.$element.trigger('change');

      return;
    }

    if (this.$element.prop('multiple')) {
      this.current(function (currentData) {
        var val = [];

        data = [data];
        data.push.apply(data, currentData);

        for (var d = 0; d < data.length; d++) {
          var id = data[d].id;

          if ($.inArray(id, val) === -1) {
            val.push(id);
          }
        }

        self.$element.val(val);
        self.$element.trigger('change');
      });
    } else {
      var val = data.id;

      this.$element.val(val);
      this.$element.trigger('change');
    }
  };

  SelectAdapter.prototype.unselect = function (data) {
    var self = this;

    if (!this.$element.prop('multiple')) {
      return;
    }

    data.selected = false;

    if ($(data.element).is('option')) {
      data.element.selected = false;

      this.$element.trigger('change');

      return;
    }

    this.current(function (currentData) {
      var val = [];

      for (var d = 0; d < currentData.length; d++) {
        var id = currentData[d].id;

        if (id !== data.id && $.inArray(id, val) === -1) {
          val.push(id);
        }
      }

      self.$element.val(val);

      self.$element.trigger('change');
    });
  };

  SelectAdapter.prototype.bind = function (container, $container) {
    var self = this;

    this.container = container;

    container.on('select', function (params) {
      self.select(params.data);
    });

    container.on('unselect', function (params) {
      self.unselect(params.data);
    });
  };

  SelectAdapter.prototype.destroy = function () {
    // Remove anything added to child elements
    this.$element.find('*').each(function () {
      // Remove any custom data set by Select2
      $.removeData(this, 'data');
    });
  };

  SelectAdapter.prototype.query = function (params, callback) {
    var data = [];
    var self = this;

    var $options = this.$element.children();

    $options.each(function () {
      var $option = $(this);

      if (!$option.is('option') && !$option.is('optgroup')) {
        return;
      }

      var option = self.item($option);

      var matches = self.matches(params, option);

      if (matches !== null) {
        data.push(matches);
      }
    });

    callback({
      results: data
    });
  };

  SelectAdapter.prototype.addOptions = function ($options) {
    Utils.appendMany(this.$element, $options);
  };

  SelectAdapter.prototype.option = function (data) {
    var option;

    if (data.children) {
      option = document.createElement('optgroup');
      option.label = data.text;
    } else {
      option = document.createElement('option');

      if (option.textContent !== undefined) {
        option.textContent = data.text;
      } else {
        option.innerText = data.text;
      }
    }

    if (data.id) {
      option.value = data.id;
    }

    if (data.disabled) {
      option.disabled = true;
    }

    if (data.selected) {
      option.selected = true;
    }

    if (data.title) {
      option.title = data.title;
    }

    var $option = $(option);

    var normalizedData = this._normalizeItem(data);
    normalizedData.element = option;

    // Override the option's data with the combined data
    $.data(option, 'data', normalizedData);

    return $option;
  };

  SelectAdapter.prototype.item = function ($option) {
    var data = {};

    data = $.data($option[0], 'data');

    if (data != null) {
      return data;
    }

    if ($option.is('option')) {
      data = {
        id: $option.val(),
        text: $option.text(),
        disabled: $option.prop('disabled'),
        selected: $option.prop('selected'),
        title: $option.prop('title')
      };
    } else if ($option.is('optgroup')) {
      data = {
        text: $option.prop('label'),
        children: [],
        title: $option.prop('title')
      };

      var $children = $option.children('option');
      var children = [];

      for (var c = 0; c < $children.length; c++) {
        var $child = $($children[c]);

        var child = this.item($child);

        children.push(child);
      }

      data.children = children;
    }

    data = this._normalizeItem(data);
    data.element = $option[0];

    $.data($option[0], 'data', data);

    return data;
  };

  SelectAdapter.prototype._normalizeItem = function (item) {
    if (!$.isPlainObject(item)) {
      item = {
        id: item,
        text: item
      };
    }

    item = $.extend({}, {
      text: ''
    }, item);

    var defaults = {
      selected: false,
      disabled: false
    };

    if (item.id != null) {
      item.id = item.id.toString();
    }

    if (item.text != null) {
      item.text = item.text.toString();
    }

    if (item._resultId == null && item.id && this.container != null) {
      item._resultId = this.generateResultId(this.container, item);
    }

    return $.extend({}, defaults, item);
  };

  SelectAdapter.prototype.matches = function (params, data) {
    var matcher = this.options.get('matcher');

    return matcher(params, data);
  };

  return SelectAdapter;
});

S2.define('select2/data/array',[
  './select',
  '../utils',
  'jquery'
], function (SelectAdapter, Utils, $) {
  function ArrayAdapter ($element, options) {
    var data = options.get('data') || [];

    ArrayAdapter.__super__.constructor.call(this, $element, options);

    this.addOptions(this.convertToOptions(data));
  }

  Utils.Extend(ArrayAdapter, SelectAdapter);

  ArrayAdapter.prototype.select = function (data) {
    var $option = this.$element.find('option').filter(function (i, elm) {
      return elm.value == data.id.toString();
    });

    if ($option.length === 0) {
      $option = this.option(data);

      this.addOptions($option);
    }

    ArrayAdapter.__super__.select.call(this, data);
  };

  ArrayAdapter.prototype.convertToOptions = function (data) {
    var self = this;

    var $existing = this.$element.find('option');
    var existingIds = $existing.map(function () {
      return self.item($(this)).id;
    }).get();

    var $options = [];

    // Filter out all items except for the one passed in the argument
    function onlyItem (item) {
      return function () {
        return $(this).val() == item.id;
      };
    }

    for (var d = 0; d < data.length; d++) {
      var item = this._normalizeItem(data[d]);

      // Skip items which were pre-loaded, only merge the data
      if ($.inArray(item.id, existingIds) >= 0) {
        var $existingOption = $existing.filter(onlyItem(item));

        var existingData = this.item($existingOption);
        var newData = $.extend(true, {}, item, existingData);

        var $newOption = this.option(newData);

        $existingOption.replaceWith($newOption);

        continue;
      }

      var $option = this.option(item);

      if (item.children) {
        var $children = this.convertToOptions(item.children);

        Utils.appendMany($option, $children);
      }

      $options.push($option);
    }

    return $options;
  };

  return ArrayAdapter;
});

S2.define('select2/data/ajax',[
  './array',
  '../utils',
  'jquery'
], function (ArrayAdapter, Utils, $) {
  function AjaxAdapter ($element, options) {
    this.ajaxOptions = this._applyDefaults(options.get('ajax'));

    if (this.ajaxOptions.processResults != null) {
      this.processResults = this.ajaxOptions.processResults;
    }

    AjaxAdapter.__super__.constructor.call(this, $element, options);
  }

  Utils.Extend(AjaxAdapter, ArrayAdapter);

  AjaxAdapter.prototype._applyDefaults = function (options) {
    var defaults = {
      data: function (params) {
        return $.extend({}, params, {
          q: params.term
        });
      },
      transport: function (params, success, failure) {
        var $request = $.ajax(params);

        $request.then(success);
        $request.fail(failure);

        return $request;
      }
    };

    return $.extend({}, defaults, options, true);
  };

  AjaxAdapter.prototype.processResults = function (results) {
    return results;
  };

  AjaxAdapter.prototype.query = function (params, callback) {
    var matches = [];
    var self = this;

    if (this._request != null) {
      // JSONP requests cannot always be aborted
      if ($.isFunction(this._request.abort)) {
        this._request.abort();
      }

      this._request = null;
    }

    var options = $.extend({
      type: 'GET'
    }, this.ajaxOptions);

    if (typeof options.url === 'function') {
      options.url = options.url.call(this.$element, params);
    }

    if (typeof options.data === 'function') {
      options.data = options.data.call(this.$element, params);
    }

    function request () {
      var $request = options.transport(options, function (data) {
        var results = self.processResults(data, params);

        if (self.options.get('debug') && window.console && console.error) {
          // Check to make sure that the response included a `results` key.
          if (!results || !results.results || !$.isArray(results.results)) {
            console.error(
              'Select2: The AJAX results did not return an array in the ' +
              '`results` key of the response.'
            );
          }
        }

        callback(results);
      }, function () {
        // Attempt to detect if a request was aborted
        // Only works if the transport exposes a status property
        if ($request.status && $request.status === '0') {
          return;
        }

        self.trigger('results:message', {
          message: 'errorLoading'
        });
      });

      self._request = $request;
    }

    if (this.ajaxOptions.delay && params.term != null) {
      if (this._queryTimeout) {
        window.clearTimeout(this._queryTimeout);
      }

      this._queryTimeout = window.setTimeout(request, this.ajaxOptions.delay);
    } else {
      request();
    }
  };

  return AjaxAdapter;
});

S2.define('select2/data/tags',[
  'jquery'
], function ($) {
  function Tags (decorated, $element, options) {
    var tags = options.get('tags');

    var createTag = options.get('createTag');

    if (createTag !== undefined) {
      this.createTag = createTag;
    }

    var insertTag = options.get('insertTag');

    if (insertTag !== undefined) {
        this.insertTag = insertTag;
    }

    decorated.call(this, $element, options);

    if ($.isArray(tags)) {
      for (var t = 0; t < tags.length; t++) {
        var tag = tags[t];
        var item = this._normalizeItem(tag);

        var $option = this.option(item);

        this.$element.append($option);
      }
    }
  }

  Tags.prototype.query = function (decorated, params, callback) {
    var self = this;

    this._removeOldTags();

    if (params.term == null || params.page != null) {
      decorated.call(this, params, callback);
      return;
    }

    function wrapper (obj, child) {
      var data = obj.results;

      for (var i = 0; i < data.length; i++) {
        var option = data[i];

        var checkChildren = (
          option.children != null &&
          !wrapper({
            results: option.children
          }, true)
        );

        var checkText = option.text === params.term;

        if (checkText || checkChildren) {
          if (child) {
            return false;
          }

          obj.data = data;
          callback(obj);

          return;
        }
      }

      if (child) {
        return true;
      }

      var tag = self.createTag(params);

      if (tag != null) {
        var $option = self.option(tag);
        $option.attr('data-select2-tag', true);

        self.addOptions([$option]);

        self.insertTag(data, tag);
      }

      obj.results = data;

      callback(obj);
    }

    decorated.call(this, params, wrapper);
  };

  Tags.prototype.createTag = function (decorated, params) {
    var term = $.trim(params.term);

    if (term === '') {
      return null;
    }

    return {
      id: term,
      text: term
    };
  };

  Tags.prototype.insertTag = function (_, data, tag) {
    data.unshift(tag);
  };

  Tags.prototype._removeOldTags = function (_) {
    var tag = this._lastTag;

    var $options = this.$element.find('option[data-select2-tag]');

    $options.each(function () {
      if (this.selected) {
        return;
      }

      $(this).remove();
    });
  };

  return Tags;
});

S2.define('select2/data/tokenizer',[
  'jquery'
], function ($) {
  function Tokenizer (decorated, $element, options) {
    var tokenizer = options.get('tokenizer');

    if (tokenizer !== undefined) {
      this.tokenizer = tokenizer;
    }

    decorated.call(this, $element, options);
  }

  Tokenizer.prototype.bind = function (decorated, container, $container) {
    decorated.call(this, container, $container);

    this.$search =  container.dropdown.$search || container.selection.$search ||
      $container.find('.select2-search__field');
  };

  Tokenizer.prototype.query = function (decorated, params, callback) {
    var self = this;

    function createAndSelect (data) {
      // Normalize the data object so we can use it for checks
      var item = self._normalizeItem(data);

      // Check if the data object already exists as a tag
      // Select it if it doesn't
      var $existingOptions = self.$element.find('option').filter(function () {
        return $(this).val() === item.id;
      });

      // If an existing option wasn't found for it, create the option
      if (!$existingOptions.length) {
        var $option = self.option(item);
        $option.attr('data-select2-tag', true);

        self._removeOldTags();
        self.addOptions([$option]);
      }

      // Select the item, now that we know there is an option for it
      select(item);
    }

    function select (data) {
      self.trigger('select', {
        data: data
      });
    }

    params.term = params.term || '';

    var tokenData = this.tokenizer(params, this.options, createAndSelect);

    if (tokenData.term !== params.term) {
      // Replace the search term if we have the search box
      if (this.$search.length) {
        this.$search.val(tokenData.term);
        this.$search.focus();
      }

      params.term = tokenData.term;
    }

    decorated.call(this, params, callback);
  };

  Tokenizer.prototype.tokenizer = function (_, params, options, callback) {
    var separators = options.get('tokenSeparators') || [];
    var term = params.term;
    var i = 0;

    var createTag = this.createTag || function (params) {
      return {
        id: params.term,
        text: params.term
      };
    };

    while (i < term.length) {
      var termChar = term[i];

      if ($.inArray(termChar, separators) === -1) {
        i++;

        continue;
      }

      var part = term.substr(0, i);
      var partParams = $.extend({}, params, {
        term: part
      });

      var data = createTag(partParams);

      if (data == null) {
        i++;
        continue;
      }

      callback(data);

      // Reset the term to not include the tokenized portion
      term = term.substr(i + 1) || '';
      i = 0;
    }

    return {
      term: term
    };
  };

  return Tokenizer;
});

S2.define('select2/data/minimumInputLength',[

], function () {
  function MinimumInputLength (decorated, $e, options) {
    this.minimumInputLength = options.get('minimumInputLength');

    decorated.call(this, $e, options);
  }

  MinimumInputLength.prototype.query = function (decorated, params, callback) {
    params.term = params.term || '';

    if (params.term.length < this.minimumInputLength) {
      this.trigger('results:message', {
        message: 'inputTooShort',
        args: {
          minimum: this.minimumInputLength,
          input: params.term,
          params: params
        }
      });

      return;
    }

    decorated.call(this, params, callback);
  };

  return MinimumInputLength;
});

S2.define('select2/data/maximumInputLength',[

], function () {
  function MaximumInputLength (decorated, $e, options) {
    this.maximumInputLength = options.get('maximumInputLength');

    decorated.call(this, $e, options);
  }

  MaximumInputLength.prototype.query = function (decorated, params, callback) {
    params.term = params.term || '';

    if (this.maximumInputLength > 0 &&
        params.term.length > this.maximumInputLength) {
      this.trigger('results:message', {
        message: 'inputTooLong',
        args: {
          maximum: this.maximumInputLength,
          input: params.term,
          params: params
        }
      });

      return;
    }

    decorated.call(this, params, callback);
  };

  return MaximumInputLength;
});

S2.define('select2/data/maximumSelectionLength',[

], function (){
  function MaximumSelectionLength (decorated, $e, options) {
    this.maximumSelectionLength = options.get('maximumSelectionLength');

    decorated.call(this, $e, options);
  }

  MaximumSelectionLength.prototype.query =
    function (decorated, params, callback) {
      var self = this;

      this.current(function (currentData) {
        var count = currentData != null ? currentData.length : 0;
        if (self.maximumSelectionLength > 0 &&
          count >= self.maximumSelectionLength) {
          self.trigger('results:message', {
            message: 'maximumSelected',
            args: {
              maximum: self.maximumSelectionLength
            }
          });
          return;
        }
        decorated.call(self, params, callback);
      });
  };

  return MaximumSelectionLength;
});

S2.define('select2/dropdown',[
  'jquery',
  './utils'
], function ($, Utils) {
  function Dropdown ($element, options) {
    this.$element = $element;
    this.options = options;

    Dropdown.__super__.constructor.call(this);
  }

  Utils.Extend(Dropdown, Utils.Observable);

  Dropdown.prototype.render = function () {
    var $dropdown = $(
      '<span class="select2-dropdown">' +
        '<span class="select2-results"></span>' +
      '</span>'
    );

    $dropdown.attr('dir', this.options.get('dir'));

    this.$dropdown = $dropdown;

    return $dropdown;
  };

  Dropdown.prototype.bind = function () {
    // Should be implemented in subclasses
  };

  Dropdown.prototype.position = function ($dropdown, $container) {
    // Should be implmented in subclasses
  };

  Dropdown.prototype.destroy = function () {
    // Remove the dropdown from the DOM
    this.$dropdown.remove();
  };

  return Dropdown;
});

S2.define('select2/dropdown/search',[
  'jquery',
  '../utils'
], function ($, Utils) {
  function Search () { }

  Search.prototype.render = function (decorated) {
    var $rendered = decorated.call(this);

    var $search = $(
      '<span class="select2-search select2-search--dropdown">' +
        '<input class="select2-search__field" type="search" tabindex="-1"' +
        ' autocomplete="off" autocorrect="off" autocapitalize="off"' +
        ' spellcheck="false" role="textbox" />' +
      '</span>'
    );

    this.$searchContainer = $search;
    this.$search = $search.find('input');

    $rendered.prepend($search);

    return $rendered;
  };

  Search.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    this.$search.on('keydown', function (evt) {
      self.trigger('keypress', evt);

      self._keyUpPrevented = evt.isDefaultPrevented();
    });

    // Workaround for browsers which do not support the `input` event
    // This will prevent double-triggering of events for browsers which support
    // both the `keyup` and `input` events.
    this.$search.on('input', function (evt) {
      // Unbind the duplicated `keyup` event
      $(this).off('keyup');
    });

    this.$search.on('keyup input', function (evt) {
      self.handleSearch(evt);
    });

    container.on('open', function () {
      self.$search.attr('tabindex', 0);

      self.$search.focus();

      window.setTimeout(function () {
        self.$search.focus();
      }, 0);
    });

    container.on('close', function () {
      self.$search.attr('tabindex', -1);

      self.$search.val('');
    });

    container.on('focus', function () {
      if (container.isOpen()) {
        self.$search.focus();
      }
    });

    container.on('results:all', function (params) {
      if (params.query.term == null || params.query.term === '') {
        var showSearch = self.showSearch(params);

        if (showSearch) {
          self.$searchContainer.removeClass('select2-search--hide');
        } else {
          self.$searchContainer.addClass('select2-search--hide');
        }
      }
    });
  };

  Search.prototype.handleSearch = function (evt) {
    if (!this._keyUpPrevented) {
      var input = this.$search.val();

      this.trigger('query', {
        term: input
      });
    }

    this._keyUpPrevented = false;
  };

  Search.prototype.showSearch = function (_, params) {
    return true;
  };

  return Search;
});

S2.define('select2/dropdown/hidePlaceholder',[

], function () {
  function HidePlaceholder (decorated, $element, options, dataAdapter) {
    this.placeholder = this.normalizePlaceholder(options.get('placeholder'));

    decorated.call(this, $element, options, dataAdapter);
  }

  HidePlaceholder.prototype.append = function (decorated, data) {
    data.results = this.removePlaceholder(data.results);

    decorated.call(this, data);
  };

  HidePlaceholder.prototype.normalizePlaceholder = function (_, placeholder) {
    if (typeof placeholder === 'string') {
      placeholder = {
        id: '',
        text: placeholder
      };
    }

    return placeholder;
  };

  HidePlaceholder.prototype.removePlaceholder = function (_, data) {
    var modifiedData = data.slice(0);

    for (var d = data.length - 1; d >= 0; d--) {
      var item = data[d];

      if (this.placeholder.id === item.id) {
        modifiedData.splice(d, 1);
      }
    }

    return modifiedData;
  };

  return HidePlaceholder;
});

S2.define('select2/dropdown/infiniteScroll',[
  'jquery'
], function ($) {
  function InfiniteScroll (decorated, $element, options, dataAdapter) {
    this.lastParams = {};

    decorated.call(this, $element, options, dataAdapter);

    this.$loadingMore = this.createLoadingMore();
    this.loading = false;
  }

  InfiniteScroll.prototype.append = function (decorated, data) {
    this.$loadingMore.remove();
    this.loading = false;

    decorated.call(this, data);

    if (this.showLoadingMore(data)) {
      this.$results.append(this.$loadingMore);
    }
  };

  InfiniteScroll.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('query', function (params) {
      self.lastParams = params;
      self.loading = true;
    });

    container.on('query:append', function (params) {
      self.lastParams = params;
      self.loading = true;
    });

    this.$results.on('scroll', function () {
      var isLoadMoreVisible = $.contains(
        document.documentElement,
        self.$loadingMore[0]
      );

      if (self.loading || !isLoadMoreVisible) {
        return;
      }

      var currentOffset = self.$results.offset().top +
        self.$results.outerHeight(false);
      var loadingMoreOffset = self.$loadingMore.offset().top +
        self.$loadingMore.outerHeight(false);

      if (currentOffset + 50 >= loadingMoreOffset) {
        self.loadMore();
      }
    });
  };

  InfiniteScroll.prototype.loadMore = function () {
    this.loading = true;

    var params = $.extend({}, {page: 1}, this.lastParams);

    params.page++;

    this.trigger('query:append', params);
  };

  InfiniteScroll.prototype.showLoadingMore = function (_, data) {
    return data.pagination && data.pagination.more;
  };

  InfiniteScroll.prototype.createLoadingMore = function () {
    var $option = $(
      '<li ' +
      'class="select2-results__option select2-results__option--load-more"' +
      'role="treeitem" aria-disabled="true"></li>'
    );

    var message = this.options.get('translations').get('loadingMore');

    $option.html(message(this.lastParams));

    return $option;
  };

  return InfiniteScroll;
});

S2.define('select2/dropdown/attachBody',[
  'jquery',
  '../utils'
], function ($, Utils) {
  function AttachBody (decorated, $element, options) {
    this.$dropdownParent = options.get('dropdownParent') || $(document.body);

    decorated.call(this, $element, options);
  }

  AttachBody.prototype.bind = function (decorated, container, $container) {
    var self = this;

    var setupResultsEvents = false;

    decorated.call(this, container, $container);

    container.on('open', function () {
      self._showDropdown();
      self._attachPositioningHandler(container);

      if (!setupResultsEvents) {
        setupResultsEvents = true;

        container.on('results:all', function () {
          self._positionDropdown();
          self._resizeDropdown();
        });

        container.on('results:append', function () {
          self._positionDropdown();
          self._resizeDropdown();
        });
      }
    });

    container.on('close', function () {
      self._hideDropdown();
      self._detachPositioningHandler(container);
    });

    this.$dropdownContainer.on('mousedown', function (evt) {
      evt.stopPropagation();
    });
  };

  AttachBody.prototype.destroy = function (decorated) {
    decorated.call(this);

    this.$dropdownContainer.remove();
  };

  AttachBody.prototype.position = function (decorated, $dropdown, $container) {
    // Clone all of the container classes
    $dropdown.attr('class', $container.attr('class'));

    $dropdown.removeClass('select2');
    $dropdown.addClass('select2-container--open');

    $dropdown.css({
      position: 'absolute',
      top: -999999
    });

    this.$container = $container;
  };

  AttachBody.prototype.render = function (decorated) {
    var $container = $('<span></span>');

    var $dropdown = decorated.call(this);
    $container.append($dropdown);

    this.$dropdownContainer = $container;

    return $container;
  };

  AttachBody.prototype._hideDropdown = function (decorated) {
    this.$dropdownContainer.detach();
  };

  AttachBody.prototype._attachPositioningHandler =
      function (decorated, container) {
    var self = this;

    var scrollEvent = 'scroll.select2.' + container.id;
    var resizeEvent = 'resize.select2.' + container.id;
    var orientationEvent = 'orientationchange.select2.' + container.id;

    var $watchers = this.$container.parents().filter(Utils.hasScroll);
    $watchers.each(function () {
      $(this).data('select2-scroll-position', {
        x: $(this).scrollLeft(),
        y: $(this).scrollTop()
      });
    });

    $watchers.on(scrollEvent, function (ev) {
      var position = $(this).data('select2-scroll-position');
      $(this).scrollTop(position.y);
    });

    $(window).on(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent,
      function (e) {
      self._positionDropdown();
      self._resizeDropdown();
    });
  };

  AttachBody.prototype._detachPositioningHandler =
      function (decorated, container) {
    var scrollEvent = 'scroll.select2.' + container.id;
    var resizeEvent = 'resize.select2.' + container.id;
    var orientationEvent = 'orientationchange.select2.' + container.id;

    var $watchers = this.$container.parents().filter(Utils.hasScroll);
    $watchers.off(scrollEvent);

    $(window).off(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent);
  };

  AttachBody.prototype._positionDropdown = function () {
    var $window = $(window);

    var isCurrentlyAbove = this.$dropdown.hasClass('select2-dropdown--above');
    var isCurrentlyBelow = this.$dropdown.hasClass('select2-dropdown--below');

    var newDirection = null;

    var offset = this.$container.offset();

    offset.bottom = offset.top + this.$container.outerHeight(false);

    var container = {
      height: this.$container.outerHeight(false)
    };

    container.top = offset.top;
    container.bottom = offset.top + container.height;

    var dropdown = {
      height: this.$dropdown.outerHeight(false)
    };

    var viewport = {
      top: $window.scrollTop(),
      bottom: $window.scrollTop() + $window.height()
    };

    var enoughRoomAbove = viewport.top < (offset.top - dropdown.height);
    var enoughRoomBelow = viewport.bottom > (offset.bottom + dropdown.height);

    var css = {
      left: offset.left,
      top: container.bottom
    };

    // Determine what the parent element is to use for calciulating the offset
    var $offsetParent = this.$dropdownParent;

    // For statically positoned elements, we need to get the element
    // that is determining the offset
    if ($offsetParent.css('position') === 'static') {
      $offsetParent = $offsetParent.offsetParent();
    }

    var parentOffset = $offsetParent.offset();

    css.top -= parentOffset.top;
    css.left -= parentOffset.left;

    if (!isCurrentlyAbove && !isCurrentlyBelow) {
      newDirection = 'below';
    }

    if (!enoughRoomBelow && enoughRoomAbove && !isCurrentlyAbove) {
      newDirection = 'above';
    } else if (!enoughRoomAbove && enoughRoomBelow && isCurrentlyAbove) {
      newDirection = 'below';
    }

    if (newDirection == 'above' ||
      (isCurrentlyAbove && newDirection !== 'below')) {
      css.top = container.top - parentOffset.top - dropdown.height;
    }

    if (newDirection != null) {
      this.$dropdown
        .removeClass('select2-dropdown--below select2-dropdown--above')
        .addClass('select2-dropdown--' + newDirection);
      this.$container
        .removeClass('select2-container--below select2-container--above')
        .addClass('select2-container--' + newDirection);
    }

    this.$dropdownContainer.css(css);
  };

  AttachBody.prototype._resizeDropdown = function () {
    var css = {
      width: this.$container.outerWidth(false) + 'px'
    };

    if (this.options.get('dropdownAutoWidth')) {
      css.minWidth = css.width;
      css.position = 'relative';
      css.width = 'auto';
    }

    this.$dropdown.css(css);
  };

  AttachBody.prototype._showDropdown = function (decorated) {
    this.$dropdownContainer.appendTo(this.$dropdownParent);

    this._positionDropdown();
    this._resizeDropdown();
  };

  return AttachBody;
});

S2.define('select2/dropdown/minimumResultsForSearch',[

], function () {
  function countResults (data) {
    var count = 0;

    for (var d = 0; d < data.length; d++) {
      var item = data[d];

      if (item.children) {
        count += countResults(item.children);
      } else {
        count++;
      }
    }

    return count;
  }

  function MinimumResultsForSearch (decorated, $element, options, dataAdapter) {
    this.minimumResultsForSearch = options.get('minimumResultsForSearch');

    if (this.minimumResultsForSearch < 0) {
      this.minimumResultsForSearch = Infinity;
    }

    decorated.call(this, $element, options, dataAdapter);
  }

  MinimumResultsForSearch.prototype.showSearch = function (decorated, params) {
    if (countResults(params.data.results) < this.minimumResultsForSearch) {
      return false;
    }

    return decorated.call(this, params);
  };

  return MinimumResultsForSearch;
});

S2.define('select2/dropdown/selectOnClose',[

], function () {
  function SelectOnClose () { }

  SelectOnClose.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('close', function (params) {
      self._handleSelectOnClose(params);
    });
  };

  SelectOnClose.prototype._handleSelectOnClose = function (_, params) {
    if (params && params.originalSelect2Event != null) {
      var event = params.originalSelect2Event;

      // Don't select an item if the close event was triggered from a select or
      // unselect event
      if (event._type === 'select' || event._type === 'unselect') {
        return;
      }
    }

    var $highlightedResults = this.getHighlightedResults();

    // Only select highlighted results
    if ($highlightedResults.length < 1) {
      return;
    }

    var data = $highlightedResults.data('data');

    // Don't re-select already selected resulte
    if (
      (data.element != null && data.element.selected) ||
      (data.element == null && data.selected)
    ) {
      return;
    }

    this.trigger('select', {
        data: data
    });
  };

  return SelectOnClose;
});

S2.define('select2/dropdown/closeOnSelect',[

], function () {
  function CloseOnSelect () { }

  CloseOnSelect.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('select', function (evt) {
      self._selectTriggered(evt);
    });

    container.on('unselect', function (evt) {
      self._selectTriggered(evt);
    });
  };

  CloseOnSelect.prototype._selectTriggered = function (_, evt) {
    var originalEvent = evt.originalEvent;

    // Don't close if the control key is being held
    if (originalEvent && originalEvent.ctrlKey) {
      return;
    }

    this.trigger('close', {
      originalEvent: originalEvent,
      originalSelect2Event: evt
    });
  };

  return CloseOnSelect;
});

S2.define('select2/i18n/en',[],function () {
  // English
  return {
    errorLoading: function () {
      return 'The results could not be loaded.';
    },
    inputTooLong: function (args) {
      var overChars = args.input.length - args.maximum;

      var message = 'Please delete ' + overChars + ' character';

      if (overChars != 1) {
        message += 's';
      }

      return message;
    },
    inputTooShort: function (args) {
      var remainingChars = args.minimum - args.input.length;

      var message = 'Please enter ' + remainingChars + ' or more characters';

      return message;
    },
    loadingMore: function () {
      return 'Loading more results…';
    },
    maximumSelected: function (args) {
      var message = 'You can only select ' + args.maximum + ' item';

      if (args.maximum != 1) {
        message += 's';
      }

      return message;
    },
    noResults: function () {
      return 'No results found';
    },
    searching: function () {
      return 'Searching…';
    }
  };
});

S2.define('select2/defaults',[
  'jquery',
  'require',

  './results',

  './selection/single',
  './selection/multiple',
  './selection/placeholder',
  './selection/allowClear',
  './selection/search',
  './selection/eventRelay',

  './utils',
  './translation',
  './diacritics',

  './data/select',
  './data/array',
  './data/ajax',
  './data/tags',
  './data/tokenizer',
  './data/minimumInputLength',
  './data/maximumInputLength',
  './data/maximumSelectionLength',

  './dropdown',
  './dropdown/search',
  './dropdown/hidePlaceholder',
  './dropdown/infiniteScroll',
  './dropdown/attachBody',
  './dropdown/minimumResultsForSearch',
  './dropdown/selectOnClose',
  './dropdown/closeOnSelect',

  './i18n/en'
], function ($, require,

             ResultsList,

             SingleSelection, MultipleSelection, Placeholder, AllowClear,
             SelectionSearch, EventRelay,

             Utils, Translation, DIACRITICS,

             SelectData, ArrayData, AjaxData, Tags, Tokenizer,
             MinimumInputLength, MaximumInputLength, MaximumSelectionLength,

             Dropdown, DropdownSearch, HidePlaceholder, InfiniteScroll,
             AttachBody, MinimumResultsForSearch, SelectOnClose, CloseOnSelect,

             EnglishTranslation) {
  function Defaults () {
    this.reset();
  }

  Defaults.prototype.apply = function (options) {
    options = $.extend(true, {}, this.defaults, options);

    if (options.dataAdapter == null) {
      if (options.ajax != null) {
        options.dataAdapter = AjaxData;
      } else if (options.data != null) {
        options.dataAdapter = ArrayData;
      } else {
        options.dataAdapter = SelectData;
      }

      if (options.minimumInputLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MinimumInputLength
        );
      }

      if (options.maximumInputLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MaximumInputLength
        );
      }

      if (options.maximumSelectionLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MaximumSelectionLength
        );
      }

      if (options.tags) {
        options.dataAdapter = Utils.Decorate(options.dataAdapter, Tags);
      }

      if (options.tokenSeparators != null || options.tokenizer != null) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          Tokenizer
        );
      }

      if (options.query != null) {
        var Query = require(options.amdBase + 'compat/query');

        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          Query
        );
      }

      if (options.initSelection != null) {
        var InitSelection = require(options.amdBase + 'compat/initSelection');

        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          InitSelection
        );
      }
    }

    if (options.resultsAdapter == null) {
      options.resultsAdapter = ResultsList;

      if (options.ajax != null) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          InfiniteScroll
        );
      }

      if (options.placeholder != null) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          HidePlaceholder
        );
      }

      if (options.selectOnClose) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          SelectOnClose
        );
      }
    }

    if (options.dropdownAdapter == null) {
      if (options.multiple) {
        options.dropdownAdapter = Dropdown;
      } else {
        var SearchableDropdown = Utils.Decorate(Dropdown, DropdownSearch);

        options.dropdownAdapter = SearchableDropdown;
      }

      if (options.minimumResultsForSearch !== 0) {
        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          MinimumResultsForSearch
        );
      }

      if (options.closeOnSelect) {
        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          CloseOnSelect
        );
      }

      if (
        options.dropdownCssClass != null ||
        options.dropdownCss != null ||
        options.adaptDropdownCssClass != null
      ) {
        var DropdownCSS = require(options.amdBase + 'compat/dropdownCss');

        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          DropdownCSS
        );
      }

      options.dropdownAdapter = Utils.Decorate(
        options.dropdownAdapter,
        AttachBody
      );
    }

    if (options.selectionAdapter == null) {
      if (options.multiple) {
        options.selectionAdapter = MultipleSelection;
      } else {
        options.selectionAdapter = SingleSelection;
      }

      // Add the placeholder mixin if a placeholder was specified
      if (options.placeholder != null) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          Placeholder
        );
      }

      if (options.allowClear) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          AllowClear
        );
      }

      if (options.multiple) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          SelectionSearch
        );
      }

      if (
        options.containerCssClass != null ||
        options.containerCss != null ||
        options.adaptContainerCssClass != null
      ) {
        var ContainerCSS = require(options.amdBase + 'compat/containerCss');

        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          ContainerCSS
        );
      }

      options.selectionAdapter = Utils.Decorate(
        options.selectionAdapter,
        EventRelay
      );
    }

    if (typeof options.language === 'string') {
      // Check if the language is specified with a region
      if (options.language.indexOf('-') > 0) {
        // Extract the region information if it is included
        var languageParts = options.language.split('-');
        var baseLanguage = languageParts[0];

        options.language = [options.language, baseLanguage];
      } else {
        options.language = [options.language];
      }
    }

    if ($.isArray(options.language)) {
      var languages = new Translation();
      options.language.push('en');

      var languageNames = options.language;

      for (var l = 0; l < languageNames.length; l++) {
        var name = languageNames[l];
        var language = {};

        try {
          // Try to load it with the original name
          language = Translation.loadPath(name);
        } catch (e) {
          try {
            // If we couldn't load it, check if it wasn't the full path
            name = this.defaults.amdLanguageBase + name;
            language = Translation.loadPath(name);
          } catch (ex) {
            // The translation could not be loaded at all. Sometimes this is
            // because of a configuration problem, other times this can be
            // because of how Select2 helps load all possible translation files.
            if (options.debug && window.console && console.warn) {
              console.warn(
                'Select2: The language file for "' + name + '" could not be ' +
                'automatically loaded. A fallback will be used instead.'
              );
            }

            continue;
          }
        }

        languages.extend(language);
      }

      options.translations = languages;
    } else {
      var baseTranslation = Translation.loadPath(
        this.defaults.amdLanguageBase + 'en'
      );
      var customTranslation = new Translation(options.language);

      customTranslation.extend(baseTranslation);

      options.translations = customTranslation;
    }

    return options;
  };

  Defaults.prototype.reset = function () {
    function stripDiacritics (text) {
      // Used 'uni range + named function' from http://jsperf.com/diacritics/18
      function match(a) {
        return DIACRITICS[a] || a;
      }

      return text.replace(/[^\u0000-\u007E]/g, match);
    }

    function matcher (params, data) {
      // Always return the object if there is nothing to compare
      if ($.trim(params.term) === '') {
        return data;
      }

      // Do a recursive check for options with children
      if (data.children && data.children.length > 0) {
        // Clone the data object if there are children
        // This is required as we modify the object to remove any non-matches
        var match = $.extend(true, {}, data);

        // Check each child of the option
        for (var c = data.children.length - 1; c >= 0; c--) {
          var child = data.children[c];

          var matches = matcher(params, child);

          // If there wasn't a match, remove the object in the array
          if (matches == null) {
            match.children.splice(c, 1);
          }
        }

        // If any children matched, return the new object
        if (match.children.length > 0) {
          return match;
        }

        // If there were no matching children, check just the plain object
        return matcher(params, match);
      }

      var original = stripDiacritics(data.text).toUpperCase();
      var term = stripDiacritics(params.term).toUpperCase();

      // Check if the text contains the term
      if (original.indexOf(term) > -1) {
        return data;
      }

      // If it doesn't contain the term, don't return anything
      return null;
    }

    this.defaults = {
      amdBase: './',
      amdLanguageBase: './i18n/',
      closeOnSelect: true,
      debug: false,
      dropdownAutoWidth: false,
      escapeMarkup: Utils.escapeMarkup,
      language: EnglishTranslation,
      matcher: matcher,
      minimumInputLength: 0,
      maximumInputLength: 0,
      maximumSelectionLength: 0,
      minimumResultsForSearch: 0,
      selectOnClose: false,
      sorter: function (data) {
        return data;
      },
      templateResult: function (result) {
        return result.text;
      },
      templateSelection: function (selection) {
        return selection.text;
      },
      theme: 'default',
      width: 'resolve'
    };
  };

  Defaults.prototype.set = function (key, value) {
    var camelKey = $.camelCase(key);

    var data = {};
    data[camelKey] = value;

    var convertedData = Utils._convertData(data);

    $.extend(this.defaults, convertedData);
  };

  var defaults = new Defaults();

  return defaults;
});

S2.define('select2/options',[
  'require',
  'jquery',
  './defaults',
  './utils'
], function (require, $, Defaults, Utils) {
  function Options (options, $element) {
    this.options = options;

    if ($element != null) {
      this.fromElement($element);
    }

    this.options = Defaults.apply(this.options);

    if ($element && $element.is('input')) {
      var InputCompat = require(this.get('amdBase') + 'compat/inputData');

      this.options.dataAdapter = Utils.Decorate(
        this.options.dataAdapter,
        InputCompat
      );
    }
  }

  Options.prototype.fromElement = function ($e) {
    var excludedData = ['select2'];

    if (this.options.multiple == null) {
      this.options.multiple = $e.prop('multiple');
    }

    if (this.options.disabled == null) {
      this.options.disabled = $e.prop('disabled');
    }

    if (this.options.language == null) {
      if ($e.prop('lang')) {
        this.options.language = $e.prop('lang').toLowerCase();
      } else if ($e.closest('[lang]').prop('lang')) {
        this.options.language = $e.closest('[lang]').prop('lang');
      }
    }

    if (this.options.dir == null) {
      if ($e.prop('dir')) {
        this.options.dir = $e.prop('dir');
      } else if ($e.closest('[dir]').prop('dir')) {
        this.options.dir = $e.closest('[dir]').prop('dir');
      } else {
        this.options.dir = 'ltr';
      }
    }

    $e.prop('disabled', this.options.disabled);
    $e.prop('multiple', this.options.multiple);

    if ($e.data('select2Tags')) {
      if (this.options.debug && window.console && console.warn) {
        console.warn(
          'Select2: The `data-select2-tags` attribute has been changed to ' +
          'use the `data-data` and `data-tags="true"` attributes and will be ' +
          'removed in future versions of Select2.'
        );
      }

      $e.data('data', $e.data('select2Tags'));
      $e.data('tags', true);
    }

    if ($e.data('ajaxUrl')) {
      if (this.options.debug && window.console && console.warn) {
        console.warn(
          'Select2: The `data-ajax-url` attribute has been changed to ' +
          '`data-ajax--url` and support for the old attribute will be removed' +
          ' in future versions of Select2.'
        );
      }

      $e.attr('ajax--url', $e.data('ajaxUrl'));
      $e.data('ajax--url', $e.data('ajaxUrl'));
    }

    var dataset = {};

    // Prefer the element's `dataset` attribute if it exists
    // jQuery 1.x does not correctly handle data attributes with multiple dashes
    if ($.fn.jquery && $.fn.jquery.substr(0, 2) == '1.' && $e[0].dataset) {
      dataset = $.extend(true, {}, $e[0].dataset, $e.data());
    } else {
      dataset = $e.data();
    }

    var data = $.extend(true, {}, dataset);

    data = Utils._convertData(data);

    for (var key in data) {
      if ($.inArray(key, excludedData) > -1) {
        continue;
      }

      if ($.isPlainObject(this.options[key])) {
        $.extend(this.options[key], data[key]);
      } else {
        this.options[key] = data[key];
      }
    }

    return this;
  };

  Options.prototype.get = function (key) {
    return this.options[key];
  };

  Options.prototype.set = function (key, val) {
    this.options[key] = val;
  };

  return Options;
});

S2.define('select2/core',[
  'jquery',
  './options',
  './utils',
  './keys'
], function ($, Options, Utils, KEYS) {
  var Select2 = function ($element, options) {
    if ($element.data('select2') != null) {
      $element.data('select2').destroy();
    }

    this.$element = $element;

    this.id = this._generateId($element);

    options = options || {};

    this.options = new Options(options, $element);

    Select2.__super__.constructor.call(this);

    // Set up the tabindex

    var tabindex = $element.attr('tabindex') || 0;
    $element.data('old-tabindex', tabindex);
    $element.attr('tabindex', '-1');

    // Set up containers and adapters

    var DataAdapter = this.options.get('dataAdapter');
    this.dataAdapter = new DataAdapter($element, this.options);

    var $container = this.render();

    this._placeContainer($container);

    var SelectionAdapter = this.options.get('selectionAdapter');
    this.selection = new SelectionAdapter($element, this.options);
    this.$selection = this.selection.render();

    this.selection.position(this.$selection, $container);

    var DropdownAdapter = this.options.get('dropdownAdapter');
    this.dropdown = new DropdownAdapter($element, this.options);
    this.$dropdown = this.dropdown.render();

    this.dropdown.position(this.$dropdown, $container);

    var ResultsAdapter = this.options.get('resultsAdapter');
    this.results = new ResultsAdapter($element, this.options, this.dataAdapter);
    this.$results = this.results.render();

    this.results.position(this.$results, this.$dropdown);

    // Bind events

    var self = this;

    // Bind the container to all of the adapters
    this._bindAdapters();

    // Register any DOM event handlers
    this._registerDomEvents();

    // Register any internal event handlers
    this._registerDataEvents();
    this._registerSelectionEvents();
    this._registerDropdownEvents();
    this._registerResultsEvents();
    this._registerEvents();

    // Set the initial state
    this.dataAdapter.current(function (initialData) {
      self.trigger('selection:update', {
        data: initialData
      });
    });

    // Hide the original select
    $element.addClass('select2-hidden-accessible');
    $element.attr('aria-hidden', 'true');

    // Synchronize any monitored attributes
    this._syncAttributes();

    $element.data('select2', this);
  };

  Utils.Extend(Select2, Utils.Observable);

  Select2.prototype._generateId = function ($element) {
    var id = '';

    if ($element.attr('id') != null) {
      id = $element.attr('id');
    } else if ($element.attr('name') != null) {
      id = $element.attr('name') + '-' + Utils.generateChars(2);
    } else {
      id = Utils.generateChars(4);
    }

    id = id.replace(/(:|\.|\[|\]|,)/g, '');
    id = 'select2-' + id;

    return id;
  };

  Select2.prototype._placeContainer = function ($container) {
    $container.insertAfter(this.$element);

    var width = this._resolveWidth(this.$element, this.options.get('width'));

    if (width != null) {
      $container.css('width', width);
    }
  };

  Select2.prototype._resolveWidth = function ($element, method) {
    var WIDTH = /^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i;

    if (method == 'resolve') {
      var styleWidth = this._resolveWidth($element, 'style');

      if (styleWidth != null) {
        return styleWidth;
      }

      return this._resolveWidth($element, 'element');
    }

    if (method == 'element') {
      var elementWidth = $element.outerWidth(false);

      if (elementWidth <= 0) {
        return 'auto';
      }

      return elementWidth + 'px';
    }

    if (method == 'style') {
      var style = $element.attr('style');

      if (typeof(style) !== 'string') {
        return null;
      }

      var attrs = style.split(';');

      for (var i = 0, l = attrs.length; i < l; i = i + 1) {
        var attr = attrs[i].replace(/\s/g, '');
        var matches = attr.match(WIDTH);

        if (matches !== null && matches.length >= 1) {
          return matches[1];
        }
      }

      return null;
    }

    return method;
  };

  Select2.prototype._bindAdapters = function () {
    this.dataAdapter.bind(this, this.$container);
    this.selection.bind(this, this.$container);

    this.dropdown.bind(this, this.$container);
    this.results.bind(this, this.$container);
  };

  Select2.prototype._registerDomEvents = function () {
    var self = this;

    this.$element.on('change.select2', function () {
      self.dataAdapter.current(function (data) {
        self.trigger('selection:update', {
          data: data
        });
      });
    });

    this.$element.on('focus.select2', function (evt) {
      self.trigger('focus', evt);
    });

    this._syncA = Utils.bind(this._syncAttributes, this);
    this._syncS = Utils.bind(this._syncSubtree, this);

    if (this.$element[0].attachEvent) {
      this.$element[0].attachEvent('onpropertychange', this._syncA);
    }

    var observer = window.MutationObserver ||
      window.WebKitMutationObserver ||
      window.MozMutationObserver
    ;

    if (observer != null) {
      this._observer = new observer(function (mutations) {
        $.each(mutations, self._syncA);
        $.each(mutations, self._syncS);
      });
      this._observer.observe(this.$element[0], {
        attributes: true,
        childList: true,
        subtree: false
      });
    } else if (this.$element[0].addEventListener) {
      this.$element[0].addEventListener(
        'DOMAttrModified',
        self._syncA,
        false
      );
      this.$element[0].addEventListener(
        'DOMNodeInserted',
        self._syncS,
        false
      );
      this.$element[0].addEventListener(
        'DOMNodeRemoved',
        self._syncS,
        false
      );
    }
  };

  Select2.prototype._registerDataEvents = function () {
    var self = this;

    this.dataAdapter.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerSelectionEvents = function () {
    var self = this;
    var nonRelayEvents = ['toggle', 'focus'];

    this.selection.on('toggle', function () {
      self.toggleDropdown();
    });

    this.selection.on('focus', function (params) {
      self.focus(params);
    });

    this.selection.on('*', function (name, params) {
      if ($.inArray(name, nonRelayEvents) !== -1) {
        return;
      }

      self.trigger(name, params);
    });
  };

  Select2.prototype._registerDropdownEvents = function () {
    var self = this;

    this.dropdown.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerResultsEvents = function () {
    var self = this;

    this.results.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerEvents = function () {
    var self = this;

    this.on('open', function () {
      self.$container.addClass('select2-container--open');
    });

    this.on('close', function () {
      self.$container.removeClass('select2-container--open');
    });

    this.on('enable', function () {
      self.$container.removeClass('select2-container--disabled');
    });

    this.on('disable', function () {
      self.$container.addClass('select2-container--disabled');
    });

    this.on('blur', function () {
      self.$container.removeClass('select2-container--focus');
    });

    this.on('query', function (params) {
      if (!self.isOpen()) {
        self.trigger('open', {});
      }

      this.dataAdapter.query(params, function (data) {
        self.trigger('results:all', {
          data: data,
          query: params
        });
      });
    });

    this.on('query:append', function (params) {
      this.dataAdapter.query(params, function (data) {
        self.trigger('results:append', {
          data: data,
          query: params
        });
      });
    });

    this.on('keypress', function (evt) {
      var key = evt.which;

      if (self.isOpen()) {
        if (key === KEYS.ESC || key === KEYS.TAB ||
            (key === KEYS.UP && evt.altKey)) {
          self.close();

          evt.preventDefault();
        } else if (key === KEYS.ENTER) {
          self.trigger('results:select', {});

          evt.preventDefault();
        } else if ((key === KEYS.SPACE && evt.ctrlKey)) {
          self.trigger('results:toggle', {});

          evt.preventDefault();
        } else if (key === KEYS.UP) {
          self.trigger('results:previous', {});

          evt.preventDefault();
        } else if (key === KEYS.DOWN) {
          self.trigger('results:next', {});

          evt.preventDefault();
        }
      } else {
        if (key === KEYS.ENTER || key === KEYS.SPACE ||
            (key === KEYS.DOWN && evt.altKey)) {
          self.open();

          evt.preventDefault();
        }
      }
    });
  };

  Select2.prototype._syncAttributes = function () {
    this.options.set('disabled', this.$element.prop('disabled'));

    if (this.options.get('disabled')) {
      if (this.isOpen()) {
        this.close();
      }

      this.trigger('disable', {});
    } else {
      this.trigger('enable', {});
    }
  };

  Select2.prototype._syncSubtree = function (evt, mutations) {
    var changed = false;
    var self = this;

    // Ignore any mutation events raised for elements that aren't options or
    // optgroups. This handles the case when the select element is destroyed
    if (
      evt && evt.target && (
        evt.target.nodeName !== 'OPTION' && evt.target.nodeName !== 'OPTGROUP'
      )
    ) {
      return;
    }

    if (!mutations) {
      // If mutation events aren't supported, then we can only assume that the
      // change affected the selections
      changed = true;
    } else if (mutations.addedNodes && mutations.addedNodes.length > 0) {
      for (var n = 0; n < mutations.addedNodes.length; n++) {
        var node = mutations.addedNodes[n];

        if (node.selected) {
          changed = true;
        }
      }
    } else if (mutations.removedNodes && mutations.removedNodes.length > 0) {
      changed = true;
    }

    // Only re-pull the data if we think there is a change
    if (changed) {
      this.dataAdapter.current(function (currentData) {
        self.trigger('selection:update', {
          data: currentData
        });
      });
    }
  };

  /**
   * Override the trigger method to automatically trigger pre-events when
   * there are events that can be prevented.
   */
  Select2.prototype.trigger = function (name, args) {
    var actualTrigger = Select2.__super__.trigger;
    var preTriggerMap = {
      'open': 'opening',
      'close': 'closing',
      'select': 'selecting',
      'unselect': 'unselecting'
    };

    if (args === undefined) {
      args = {};
    }

    if (name in preTriggerMap) {
      var preTriggerName = preTriggerMap[name];
      var preTriggerArgs = {
        prevented: false,
        name: name,
        args: args
      };

      actualTrigger.call(this, preTriggerName, preTriggerArgs);

      if (preTriggerArgs.prevented) {
        args.prevented = true;

        return;
      }
    }

    actualTrigger.call(this, name, args);
  };

  Select2.prototype.toggleDropdown = function () {
    if (this.options.get('disabled')) {
      return;
    }

    if (this.isOpen()) {
      this.close();
    } else {
      this.open();
    }
  };

  Select2.prototype.open = function () {
    if (this.isOpen()) {
      return;
    }

    this.trigger('query', {});
  };

  Select2.prototype.close = function () {
    if (!this.isOpen()) {
      return;
    }

    this.trigger('close', {});
  };

  Select2.prototype.isOpen = function () {
    return this.$container.hasClass('select2-container--open');
  };

  Select2.prototype.hasFocus = function () {
    return this.$container.hasClass('select2-container--focus');
  };

  Select2.prototype.focus = function (data) {
    // No need to re-trigger focus events if we are already focused
    if (this.hasFocus()) {
      return;
    }

    this.$container.addClass('select2-container--focus');
    this.trigger('focus', {});
  };

  Select2.prototype.enable = function (args) {
    if (this.options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `select2("enable")` method has been deprecated and will' +
        ' be removed in later Select2 versions. Use $element.prop("disabled")' +
        ' instead.'
      );
    }

    if (args == null || args.length === 0) {
      args = [true];
    }

    var disabled = !args[0];

    this.$element.prop('disabled', disabled);
  };

  Select2.prototype.data = function () {
    if (this.options.get('debug') &&
        arguments.length > 0 && window.console && console.warn) {
      console.warn(
        'Select2: Data can no longer be set using `select2("data")`. You ' +
        'should consider setting the value instead using `$element.val()`.'
      );
    }

    var data = [];

    this.dataAdapter.current(function (currentData) {
      data = currentData;
    });

    return data;
  };

  Select2.prototype.val = function (args) {
    if (this.options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `select2("val")` method has been deprecated and will be' +
        ' removed in later Select2 versions. Use $element.val() instead.'
      );
    }

    if (args == null || args.length === 0) {
      return this.$element.val();
    }

    var newVal = args[0];

    if ($.isArray(newVal)) {
      newVal = $.map(newVal, function (obj) {
        return obj.toString();
      });
    }

    this.$element.val(newVal).trigger('change');
  };

  Select2.prototype.destroy = function () {
    this.$container.remove();

    if (this.$element[0].detachEvent) {
      this.$element[0].detachEvent('onpropertychange', this._syncA);
    }

    if (this._observer != null) {
      this._observer.disconnect();
      this._observer = null;
    } else if (this.$element[0].removeEventListener) {
      this.$element[0]
        .removeEventListener('DOMAttrModified', this._syncA, false);
      this.$element[0]
        .removeEventListener('DOMNodeInserted', this._syncS, false);
      this.$element[0]
        .removeEventListener('DOMNodeRemoved', this._syncS, false);
    }

    this._syncA = null;
    this._syncS = null;

    this.$element.off('.select2');
    this.$element.attr('tabindex', this.$element.data('old-tabindex'));

    this.$element.removeClass('select2-hidden-accessible');
    this.$element.attr('aria-hidden', 'false');
    this.$element.removeData('select2');

    this.dataAdapter.destroy();
    this.selection.destroy();
    this.dropdown.destroy();
    this.results.destroy();

    this.dataAdapter = null;
    this.selection = null;
    this.dropdown = null;
    this.results = null;
  };

  Select2.prototype.render = function () {
    var $container = $(
      '<span class="select2 select2-container">' +
        '<span class="selection"></span>' +
        '<span class="dropdown-wrapper" aria-hidden="true"></span>' +
      '</span>'
    );

    $container.attr('dir', this.options.get('dir'));

    this.$container = $container;

    this.$container.addClass('select2-container--' + this.options.get('theme'));

    $container.data('element', this.$element);

    return $container;
  };

  return Select2;
});

S2.define('select2/compat/utils',[
  'jquery'
], function ($) {
  function syncCssClasses ($dest, $src, adapter) {
    var classes, replacements = [], adapted;

    classes = $.trim($dest.attr('class'));

    if (classes) {
      classes = '' + classes; // for IE which returns object

      $(classes.split(/\s+/)).each(function () {
        // Save all Select2 classes
        if (this.indexOf('select2-') === 0) {
          replacements.push(this);
        }
      });
    }

    classes = $.trim($src.attr('class'));

    if (classes) {
      classes = '' + classes; // for IE which returns object

      $(classes.split(/\s+/)).each(function () {
        // Only adapt non-Select2 classes
        if (this.indexOf('select2-') !== 0) {
          adapted = adapter(this);

          if (adapted != null) {
            replacements.push(adapted);
          }
        }
      });
    }

    $dest.attr('class', replacements.join(' '));
  }

  return {
    syncCssClasses: syncCssClasses
  };
});

S2.define('select2/compat/containerCss',[
  'jquery',
  './utils'
], function ($, CompatUtils) {
  // No-op CSS adapter that discards all classes by default
  function _containerAdapter (clazz) {
    return null;
  }

  function ContainerCSS () { }

  ContainerCSS.prototype.render = function (decorated) {
    var $container = decorated.call(this);

    var containerCssClass = this.options.get('containerCssClass') || '';

    if ($.isFunction(containerCssClass)) {
      containerCssClass = containerCssClass(this.$element);
    }

    var containerCssAdapter = this.options.get('adaptContainerCssClass');
    containerCssAdapter = containerCssAdapter || _containerAdapter;

    if (containerCssClass.indexOf(':all:') !== -1) {
      containerCssClass = containerCssClass.replace(':all:', '');

      var _cssAdapter = containerCssAdapter;

      containerCssAdapter = function (clazz) {
        var adapted = _cssAdapter(clazz);

        if (adapted != null) {
          // Append the old one along with the adapted one
          return adapted + ' ' + clazz;
        }

        return clazz;
      };
    }

    var containerCss = this.options.get('containerCss') || {};

    if ($.isFunction(containerCss)) {
      containerCss = containerCss(this.$element);
    }

    CompatUtils.syncCssClasses($container, this.$element, containerCssAdapter);

    $container.css(containerCss);
    $container.addClass(containerCssClass);

    return $container;
  };

  return ContainerCSS;
});

S2.define('select2/compat/dropdownCss',[
  'jquery',
  './utils'
], function ($, CompatUtils) {
  // No-op CSS adapter that discards all classes by default
  function _dropdownAdapter (clazz) {
    return null;
  }

  function DropdownCSS () { }

  DropdownCSS.prototype.render = function (decorated) {
    var $dropdown = decorated.call(this);

    var dropdownCssClass = this.options.get('dropdownCssClass') || '';

    if ($.isFunction(dropdownCssClass)) {
      dropdownCssClass = dropdownCssClass(this.$element);
    }

    var dropdownCssAdapter = this.options.get('adaptDropdownCssClass');
    dropdownCssAdapter = dropdownCssAdapter || _dropdownAdapter;

    if (dropdownCssClass.indexOf(':all:') !== -1) {
      dropdownCssClass = dropdownCssClass.replace(':all:', '');

      var _cssAdapter = dropdownCssAdapter;

      dropdownCssAdapter = function (clazz) {
        var adapted = _cssAdapter(clazz);

        if (adapted != null) {
          // Append the old one along with the adapted one
          return adapted + ' ' + clazz;
        }

        return clazz;
      };
    }

    var dropdownCss = this.options.get('dropdownCss') || {};

    if ($.isFunction(dropdownCss)) {
      dropdownCss = dropdownCss(this.$element);
    }

    CompatUtils.syncCssClasses($dropdown, this.$element, dropdownCssAdapter);

    $dropdown.css(dropdownCss);
    $dropdown.addClass(dropdownCssClass);

    return $dropdown;
  };

  return DropdownCSS;
});

S2.define('select2/compat/initSelection',[
  'jquery'
], function ($) {
  function InitSelection (decorated, $element, options) {
    if (options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `initSelection` option has been deprecated in favor' +
        ' of a custom data adapter that overrides the `current` method. ' +
        'This method is now called multiple times instead of a single ' +
        'time when the instance is initialized. Support will be removed ' +
        'for the `initSelection` option in future versions of Select2'
      );
    }

    this.initSelection = options.get('initSelection');
    this._isInitialized = false;

    decorated.call(this, $element, options);
  }

  InitSelection.prototype.current = function (decorated, callback) {
    var self = this;

    if (this._isInitialized) {
      decorated.call(this, callback);

      return;
    }

    this.initSelection.call(null, this.$element, function (data) {
      self._isInitialized = true;

      if (!$.isArray(data)) {
        data = [data];
      }

      callback(data);
    });
  };

  return InitSelection;
});

S2.define('select2/compat/inputData',[
  'jquery'
], function ($) {
  function InputData (decorated, $element, options) {
    this._currentData = [];
    this._valueSeparator = options.get('valueSeparator') || ',';

    if ($element.prop('type') === 'hidden') {
      if (options.get('debug') && console && console.warn) {
        console.warn(
          'Select2: Using a hidden input with Select2 is no longer ' +
          'supported and may stop working in the future. It is recommended ' +
          'to use a `<select>` element instead.'
        );
      }
    }

    decorated.call(this, $element, options);
  }

  InputData.prototype.current = function (_, callback) {
    function getSelected (data, selectedIds) {
      var selected = [];

      if (data.selected || $.inArray(data.id, selectedIds) !== -1) {
        data.selected = true;
        selected.push(data);
      } else {
        data.selected = false;
      }

      if (data.children) {
        selected.push.apply(selected, getSelected(data.children, selectedIds));
      }

      return selected;
    }

    var selected = [];

    for (var d = 0; d < this._currentData.length; d++) {
      var data = this._currentData[d];

      selected.push.apply(
        selected,
        getSelected(
          data,
          this.$element.val().split(
            this._valueSeparator
          )
        )
      );
    }

    callback(selected);
  };

  InputData.prototype.select = function (_, data) {
    if (!this.options.get('multiple')) {
      this.current(function (allData) {
        $.map(allData, function (data) {
          data.selected = false;
        });
      });

      this.$element.val(data.id);
      this.$element.trigger('change');
    } else {
      var value = this.$element.val();
      value += this._valueSeparator + data.id;

      this.$element.val(value);
      this.$element.trigger('change');
    }
  };

  InputData.prototype.unselect = function (_, data) {
    var self = this;

    data.selected = false;

    this.current(function (allData) {
      var values = [];

      for (var d = 0; d < allData.length; d++) {
        var item = allData[d];

        if (data.id == item.id) {
          continue;
        }

        values.push(item.id);
      }

      self.$element.val(values.join(self._valueSeparator));
      self.$element.trigger('change');
    });
  };

  InputData.prototype.query = function (_, params, callback) {
    var results = [];

    for (var d = 0; d < this._currentData.length; d++) {
      var data = this._currentData[d];

      var matches = this.matches(params, data);

      if (matches !== null) {
        results.push(matches);
      }
    }

    callback({
      results: results
    });
  };

  InputData.prototype.addOptions = function (_, $options) {
    var options = $.map($options, function ($option) {
      return $.data($option[0], 'data');
    });

    this._currentData.push.apply(this._currentData, options);
  };

  return InputData;
});

S2.define('select2/compat/matcher',[
  'jquery'
], function ($) {
  function oldMatcher (matcher) {
    function wrappedMatcher (params, data) {
      var match = $.extend(true, {}, data);

      if (params.term == null || $.trim(params.term) === '') {
        return match;
      }

      if (data.children) {
        for (var c = data.children.length - 1; c >= 0; c--) {
          var child = data.children[c];

          // Check if the child object matches
          // The old matcher returned a boolean true or false
          var doesMatch = matcher(params.term, child.text, child);

          // If the child didn't match, pop it off
          if (!doesMatch) {
            match.children.splice(c, 1);
          }
        }

        if (match.children.length > 0) {
          return match;
        }
      }

      if (matcher(params.term, data.text, data)) {
        return match;
      }

      return null;
    }

    return wrappedMatcher;
  }

  return oldMatcher;
});

S2.define('select2/compat/query',[

], function () {
  function Query (decorated, $element, options) {
    if (options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `query` option has been deprecated in favor of a ' +
        'custom data adapter that overrides the `query` method. Support ' +
        'will be removed for the `query` option in future versions of ' +
        'Select2.'
      );
    }

    decorated.call(this, $element, options);
  }

  Query.prototype.query = function (_, params, callback) {
    params.callback = callback;

    var query = this.options.get('query');

    query.call(null, params);
  };

  return Query;
});

S2.define('select2/dropdown/attachContainer',[

], function () {
  function AttachContainer (decorated, $element, options) {
    decorated.call(this, $element, options);
  }

  AttachContainer.prototype.position =
    function (decorated, $dropdown, $container) {
    var $dropdownContainer = $container.find('.dropdown-wrapper');
    $dropdownContainer.append($dropdown);

    $dropdown.addClass('select2-dropdown--below');
    $container.addClass('select2-container--below');
  };

  return AttachContainer;
});

S2.define('select2/dropdown/stopPropagation',[

], function () {
  function StopPropagation () { }

  StopPropagation.prototype.bind = function (decorated, container, $container) {
    decorated.call(this, container, $container);

    var stoppedEvents = [
    'blur',
    'change',
    'click',
    'dblclick',
    'focus',
    'focusin',
    'focusout',
    'input',
    'keydown',
    'keyup',
    'keypress',
    'mousedown',
    'mouseenter',
    'mouseleave',
    'mousemove',
    'mouseover',
    'mouseup',
    'search',
    'touchend',
    'touchstart'
    ];

    this.$dropdown.on(stoppedEvents.join(' '), function (evt) {
      evt.stopPropagation();
    });
  };

  return StopPropagation;
});

S2.define('select2/selection/stopPropagation',[

], function () {
  function StopPropagation () { }

  StopPropagation.prototype.bind = function (decorated, container, $container) {
    decorated.call(this, container, $container);

    var stoppedEvents = [
      'blur',
      'change',
      'click',
      'dblclick',
      'focus',
      'focusin',
      'focusout',
      'input',
      'keydown',
      'keyup',
      'keypress',
      'mousedown',
      'mouseenter',
      'mouseleave',
      'mousemove',
      'mouseover',
      'mouseup',
      'search',
      'touchend',
      'touchstart'
    ];

    this.$selection.on(stoppedEvents.join(' '), function (evt) {
      evt.stopPropagation();
    });
  };

  return StopPropagation;
});

/*!
 * jQuery Mousewheel 3.1.13
 *
 * Copyright jQuery Foundation and other contributors
 * Released under the MIT license
 * http://jquery.org/license
 */

(function (factory) {
    if ( typeof S2.define === 'function' && S2.define.amd ) {
        // AMD. Register as an anonymous module.
        S2.define('jquery-mousewheel',['jquery'], factory);
    } else if (typeof exports === 'object') {
        // Node/CommonJS style for Browserify
        module.exports = factory;
    } else {
        // Browser globals
        factory(jQuery);
    }
}(function ($) {

    var toFix  = ['wheel', 'mousewheel', 'DOMMouseScroll', 'MozMousePixelScroll'],
        toBind = ( 'onwheel' in document || document.documentMode >= 9 ) ?
                    ['wheel'] : ['mousewheel', 'DomMouseScroll', 'MozMousePixelScroll'],
        slice  = Array.prototype.slice,
        nullLowestDeltaTimeout, lowestDelta;

    if ( $.event.fixHooks ) {
        for ( var i = toFix.length; i; ) {
            $.event.fixHooks[ toFix[--i] ] = $.event.mouseHooks;
        }
    }

    var special = $.event.special.mousewheel = {
        version: '3.1.12',

        setup: function() {
            if ( this.addEventListener ) {
                for ( var i = toBind.length; i; ) {
                    this.addEventListener( toBind[--i], handler, false );
                }
            } else {
                this.onmousewheel = handler;
            }
            // Store the line height and page height for this particular element
            $.data(this, 'mousewheel-line-height', special.getLineHeight(this));
            $.data(this, 'mousewheel-page-height', special.getPageHeight(this));
        },

        teardown: function() {
            if ( this.removeEventListener ) {
                for ( var i = toBind.length; i; ) {
                    this.removeEventListener( toBind[--i], handler, false );
                }
            } else {
                this.onmousewheel = null;
            }
            // Clean up the data we added to the element
            $.removeData(this, 'mousewheel-line-height');
            $.removeData(this, 'mousewheel-page-height');
        },

        getLineHeight: function(elem) {
            var $elem = $(elem),
                $parent = $elem['offsetParent' in $.fn ? 'offsetParent' : 'parent']();
            if (!$parent.length) {
                $parent = $('body');
            }
            return parseInt($parent.css('fontSize'), 10) || parseInt($elem.css('fontSize'), 10) || 16;
        },

        getPageHeight: function(elem) {
            return $(elem).height();
        },

        settings: {
            adjustOldDeltas: true, // see shouldAdjustOldDeltas() below
            normalizeOffset: true  // calls getBoundingClientRect for each event
        }
    };

    $.fn.extend({
        mousewheel: function(fn) {
            return fn ? this.bind('mousewheel', fn) : this.trigger('mousewheel');
        },

        unmousewheel: function(fn) {
            return this.unbind('mousewheel', fn);
        }
    });


    function handler(event) {
        var orgEvent   = event || window.event,
            args       = slice.call(arguments, 1),
            delta      = 0,
            deltaX     = 0,
            deltaY     = 0,
            absDelta   = 0,
            offsetX    = 0,
            offsetY    = 0;
        event = $.event.fix(orgEvent);
        event.type = 'mousewheel';

        // Old school scrollwheel delta
        if ( 'detail'      in orgEvent ) { deltaY = orgEvent.detail * -1;      }
        if ( 'wheelDelta'  in orgEvent ) { deltaY = orgEvent.wheelDelta;       }
        if ( 'wheelDeltaY' in orgEvent ) { deltaY = orgEvent.wheelDeltaY;      }
        if ( 'wheelDeltaX' in orgEvent ) { deltaX = orgEvent.wheelDeltaX * -1; }

        // Firefox < 17 horizontal scrolling related to DOMMouseScroll event
        if ( 'axis' in orgEvent && orgEvent.axis === orgEvent.HORIZONTAL_AXIS ) {
            deltaX = deltaY * -1;
            deltaY = 0;
        }

        // Set delta to be deltaY or deltaX if deltaY is 0 for backwards compatabilitiy
        delta = deltaY === 0 ? deltaX : deltaY;

        // New school wheel delta (wheel event)
        if ( 'deltaY' in orgEvent ) {
            deltaY = orgEvent.deltaY * -1;
            delta  = deltaY;
        }
        if ( 'deltaX' in orgEvent ) {
            deltaX = orgEvent.deltaX;
            if ( deltaY === 0 ) { delta  = deltaX * -1; }
        }

        // No change actually happened, no reason to go any further
        if ( deltaY === 0 && deltaX === 0 ) { return; }

        // Need to convert lines and pages to pixels if we aren't already in pixels
        // There are three delta modes:
        //   * deltaMode 0 is by pixels, nothing to do
        //   * deltaMode 1 is by lines
        //   * deltaMode 2 is by pages
        if ( orgEvent.deltaMode === 1 ) {
            var lineHeight = $.data(this, 'mousewheel-line-height');
            delta  *= lineHeight;
            deltaY *= lineHeight;
            deltaX *= lineHeight;
        } else if ( orgEvent.deltaMode === 2 ) {
            var pageHeight = $.data(this, 'mousewheel-page-height');
            delta  *= pageHeight;
            deltaY *= pageHeight;
            deltaX *= pageHeight;
        }

        // Store lowest absolute delta to normalize the delta values
        absDelta = Math.max( Math.abs(deltaY), Math.abs(deltaX) );

        if ( !lowestDelta || absDelta < lowestDelta ) {
            lowestDelta = absDelta;

            // Adjust older deltas if necessary
            if ( shouldAdjustOldDeltas(orgEvent, absDelta) ) {
                lowestDelta /= 40;
            }
        }

        // Adjust older deltas if necessary
        if ( shouldAdjustOldDeltas(orgEvent, absDelta) ) {
            // Divide all the things by 40!
            delta  /= 40;
            deltaX /= 40;
            deltaY /= 40;
        }

        // Get a whole, normalized value for the deltas
        delta  = Math[ delta  >= 1 ? 'floor' : 'ceil' ](delta  / lowestDelta);
        deltaX = Math[ deltaX >= 1 ? 'floor' : 'ceil' ](deltaX / lowestDelta);
        deltaY = Math[ deltaY >= 1 ? 'floor' : 'ceil' ](deltaY / lowestDelta);

        // Normalise offsetX and offsetY properties
        if ( special.settings.normalizeOffset && this.getBoundingClientRect ) {
            var boundingRect = this.getBoundingClientRect();
            offsetX = event.clientX - boundingRect.left;
            offsetY = event.clientY - boundingRect.top;
        }

        // Add information to the event object
        event.deltaX = deltaX;
        event.deltaY = deltaY;
        event.deltaFactor = lowestDelta;
        event.offsetX = offsetX;
        event.offsetY = offsetY;
        // Go ahead and set deltaMode to 0 since we converted to pixels
        // Although this is a little odd since we overwrite the deltaX/Y
        // properties with normalized deltas.
        event.deltaMode = 0;

        // Add event and delta to the front of the arguments
        args.unshift(event, delta, deltaX, deltaY);

        // Clearout lowestDelta after sometime to better
        // handle multiple device types that give different
        // a different lowestDelta
        // Ex: trackpad = 3 and mouse wheel = 120
        if (nullLowestDeltaTimeout) { clearTimeout(nullLowestDeltaTimeout); }
        nullLowestDeltaTimeout = setTimeout(nullLowestDelta, 200);

        return ($.event.dispatch || $.event.handle).apply(this, args);
    }

    function nullLowestDelta() {
        lowestDelta = null;
    }

    function shouldAdjustOldDeltas(orgEvent, absDelta) {
        // If this is an older event and the delta is divisable by 120,
        // then we are assuming that the browser is treating this as an
        // older mouse wheel event and that we should divide the deltas
        // by 40 to try and get a more usable deltaFactor.
        // Side note, this actually impacts the reported scroll distance
        // in older browsers and can cause scrolling to be slower than native.
        // Turn this off by setting $.event.special.mousewheel.settings.adjustOldDeltas to false.
        return special.settings.adjustOldDeltas && orgEvent.type === 'mousewheel' && absDelta % 120 === 0;
    }

}));

S2.define('jquery.select2',[
  'jquery',
  'jquery-mousewheel',

  './select2/core',
  './select2/defaults'
], function ($, _, Select2, Defaults) {
  if ($.fn.select2 == null) {
    // All methods that should return the element
    var thisMethods = ['open', 'close', 'destroy'];

    $.fn.select2 = function (options) {
      options = options || {};

      if (typeof options === 'object') {
        this.each(function () {
          var instanceOptions = $.extend(true, {}, options);

          var instance = new Select2($(this), instanceOptions);
        });

        return this;
      } else if (typeof options === 'string') {
        var ret;
        var args = Array.prototype.slice.call(arguments, 1);

        this.each(function () {
          var instance = $(this).data('select2');

          if (instance == null && window.console && console.error) {
            console.error(
              'The select2(\'' + options + '\') method was called on an ' +
              'element that is not using Select2.'
            );
          }

          ret = instance[options].apply(instance, args);
        });

        // Check if we should be returning `this`
        if ($.inArray(options, thisMethods) > -1) {
          return this;
        }

        return ret;
      } else {
        throw new Error('Invalid arguments for Select2: ' + options);
      }
    };
  }

  if ($.fn.select2.defaults == null) {
    $.fn.select2.defaults = Defaults;
  }

  return Select2;
});

  // Return the AMD loader configuration so it can be used outside of this file
  return {
    define: S2.define,
    require: S2.require
  };
}());

  // Autoload the jQuery bindings
  // We know that all of the modules exist above this, so we're safe
  var select2 = S2.require('jquery.select2');

  // Hold the AMD module references on the jQuery function that was just loaded
  // This allows Select2 to use the internal loader outside of this file, such
  // as in the language files.
  jQuery.fn.select2.amd = S2;

  // Return the Select2 instance for anyone who is importing it.
  return select2;
}));
PK�
�[8ދ�$�$(assets/inc/select2/4/select2.full.min.jsnu�[���/*! Select2 4.0.3 | https://github.com/select2/select2/blob/master/LICENSE.md */!function(a){"function"==typeof define&&define.amd?define(["jquery"],a):a("object"==typeof exports?require("jquery"):jQuery)}(function(a){var b=function(){if(a&&a.fn&&a.fn.select2&&a.fn.select2.amd)var b=a.fn.select2.amd;var b;return function(){if(!b||!b.requirejs){b?c=b:b={};var a,c,d;!function(b){function e(a,b){return u.call(a,b)}function f(a,b){var c,d,e,f,g,h,i,j,k,l,m,n=b&&b.split("/"),o=s.map,p=o&&o["*"]||{};if(a&&"."===a.charAt(0))if(b){for(a=a.split("/"),g=a.length-1,s.nodeIdCompat&&w.test(a[g])&&(a[g]=a[g].replace(w,"")),a=n.slice(0,n.length-1).concat(a),k=0;k<a.length;k+=1)if(m=a[k],"."===m)a.splice(k,1),k-=1;else if(".."===m){if(1===k&&(".."===a[2]||".."===a[0]))break;k>0&&(a.splice(k-1,2),k-=2)}a=a.join("/")}else 0===a.indexOf("./")&&(a=a.substring(2));if((n||p)&&o){for(c=a.split("/"),k=c.length;k>0;k-=1){if(d=c.slice(0,k).join("/"),n)for(l=n.length;l>0;l-=1)if(e=o[n.slice(0,l).join("/")],e&&(e=e[d])){f=e,h=k;break}if(f)break;!i&&p&&p[d]&&(i=p[d],j=k)}!f&&i&&(f=i,h=j),f&&(c.splice(0,h,f),a=c.join("/"))}return a}function g(a,c){return function(){var d=v.call(arguments,0);return"string"!=typeof d[0]&&1===d.length&&d.push(null),n.apply(b,d.concat([a,c]))}}function h(a){return function(b){return f(b,a)}}function i(a){return function(b){q[a]=b}}function j(a){if(e(r,a)){var c=r[a];delete r[a],t[a]=!0,m.apply(b,c)}if(!e(q,a)&&!e(t,a))throw new Error("No "+a);return q[a]}function k(a){var b,c=a?a.indexOf("!"):-1;return c>-1&&(b=a.substring(0,c),a=a.substring(c+1,a.length)),[b,a]}function l(a){return function(){return s&&s.config&&s.config[a]||{}}}var m,n,o,p,q={},r={},s={},t={},u=Object.prototype.hasOwnProperty,v=[].slice,w=/\.js$/;o=function(a,b){var c,d=k(a),e=d[0];return a=d[1],e&&(e=f(e,b),c=j(e)),e?a=c&&c.normalize?c.normalize(a,h(b)):f(a,b):(a=f(a,b),d=k(a),e=d[0],a=d[1],e&&(c=j(e))),{f:e?e+"!"+a:a,n:a,pr:e,p:c}},p={require:function(a){return g(a)},exports:function(a){var b=q[a];return"undefined"!=typeof b?b:q[a]={}},module:function(a){return{id:a,uri:"",exports:q[a],config:l(a)}}},m=function(a,c,d,f){var h,k,l,m,n,s,u=[],v=typeof d;if(f=f||a,"undefined"===v||"function"===v){for(c=!c.length&&d.length?["require","exports","module"]:c,n=0;n<c.length;n+=1)if(m=o(c[n],f),k=m.f,"require"===k)u[n]=p.require(a);else if("exports"===k)u[n]=p.exports(a),s=!0;else if("module"===k)h=u[n]=p.module(a);else if(e(q,k)||e(r,k)||e(t,k))u[n]=j(k);else{if(!m.p)throw new Error(a+" missing "+k);m.p.load(m.n,g(f,!0),i(k),{}),u[n]=q[k]}l=d?d.apply(q[a],u):void 0,a&&(h&&h.exports!==b&&h.exports!==q[a]?q[a]=h.exports:l===b&&s||(q[a]=l))}else a&&(q[a]=d)},a=c=n=function(a,c,d,e,f){if("string"==typeof a)return p[a]?p[a](c):j(o(a,c).f);if(!a.splice){if(s=a,s.deps&&n(s.deps,s.callback),!c)return;c.splice?(a=c,c=d,d=null):a=b}return c=c||function(){},"function"==typeof d&&(d=e,e=f),e?m(b,a,c,d):setTimeout(function(){m(b,a,c,d)},4),n},n.config=function(a){return n(a)},a._defined=q,d=function(a,b,c){if("string"!=typeof a)throw new Error("See almond README: incorrect module build, no module name");b.splice||(c=b,b=[]),e(q,a)||e(r,a)||(r[a]=[a,b,c])},d.amd={jQuery:!0}}(),b.requirejs=a,b.require=c,b.define=d}}(),b.define("almond",function(){}),b.define("jquery",[],function(){var b=a||$;return null==b&&console&&console.error&&console.error("Select2: An instance of jQuery or a jQuery-compatible library was not found. Make sure that you are including jQuery before Select2 on your web page."),b}),b.define("select2/utils",["jquery"],function(a){function b(a){var b=a.prototype,c=[];for(var d in b){var e=b[d];"function"==typeof e&&"constructor"!==d&&c.push(d)}return c}var c={};c.Extend=function(a,b){function c(){this.constructor=a}var d={}.hasOwnProperty;for(var e in b)d.call(b,e)&&(a[e]=b[e]);return c.prototype=b.prototype,a.prototype=new c,a.__super__=b.prototype,a},c.Decorate=function(a,c){function d(){var b=Array.prototype.unshift,d=c.prototype.constructor.length,e=a.prototype.constructor;d>0&&(b.call(arguments,a.prototype.constructor),e=c.prototype.constructor),e.apply(this,arguments)}function e(){this.constructor=d}var f=b(c),g=b(a);c.displayName=a.displayName,d.prototype=new e;for(var h=0;h<g.length;h++){var i=g[h];d.prototype[i]=a.prototype[i]}for(var j=(function(a){var b=function(){};a in d.prototype&&(b=d.prototype[a]);var e=c.prototype[a];return function(){var a=Array.prototype.unshift;return a.call(arguments,b),e.apply(this,arguments)}}),k=0;k<f.length;k++){var l=f[k];d.prototype[l]=j(l)}return d};var d=function(){this.listeners={}};return d.prototype.on=function(a,b){this.listeners=this.listeners||{},a in this.listeners?this.listeners[a].push(b):this.listeners[a]=[b]},d.prototype.trigger=function(a){var b=Array.prototype.slice,c=b.call(arguments,1);this.listeners=this.listeners||{},null==c&&(c=[]),0===c.length&&c.push({}),c[0]._type=a,a in this.listeners&&this.invoke(this.listeners[a],b.call(arguments,1)),"*"in this.listeners&&this.invoke(this.listeners["*"],arguments)},d.prototype.invoke=function(a,b){for(var c=0,d=a.length;d>c;c++)a[c].apply(this,b)},c.Observable=d,c.generateChars=function(a){for(var b="",c=0;a>c;c++){var d=Math.floor(36*Math.random());b+=d.toString(36)}return b},c.bind=function(a,b){return function(){a.apply(b,arguments)}},c._convertData=function(a){for(var b in a){var c=b.split("-"),d=a;if(1!==c.length){for(var e=0;e<c.length;e++){var f=c[e];f=f.substring(0,1).toLowerCase()+f.substring(1),f in d||(d[f]={}),e==c.length-1&&(d[f]=a[b]),d=d[f]}delete a[b]}}return a},c.hasScroll=function(b,c){var d=a(c),e=c.style.overflowX,f=c.style.overflowY;return e!==f||"hidden"!==f&&"visible"!==f?"scroll"===e||"scroll"===f?!0:d.innerHeight()<c.scrollHeight||d.innerWidth()<c.scrollWidth:!1},c.escapeMarkup=function(a){var b={"\\":"&#92;","&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;","/":"&#47;"};return"string"!=typeof a?a:String(a).replace(/[&<>"'\/\\]/g,function(a){return b[a]})},c.appendMany=function(b,c){if("1.7"===a.fn.jquery.substr(0,3)){var d=a();a.map(c,function(a){d=d.add(a)}),c=d}b.append(c)},c}),b.define("select2/results",["jquery","./utils"],function(a,b){function c(a,b,d){this.$element=a,this.data=d,this.options=b,c.__super__.constructor.call(this)}return b.Extend(c,b.Observable),c.prototype.render=function(){var b=a('<ul class="select2-results__options" role="tree"></ul>');return this.options.get("multiple")&&b.attr("aria-multiselectable","true"),this.$results=b,b},c.prototype.clear=function(){this.$results.empty()},c.prototype.displayMessage=function(b){var c=this.options.get("escapeMarkup");this.clear(),this.hideLoading();var d=a('<li role="treeitem" aria-live="assertive" class="select2-results__option"></li>'),e=this.options.get("translations").get(b.message);d.append(c(e(b.args))),d[0].className+=" select2-results__message",this.$results.append(d)},c.prototype.hideMessages=function(){this.$results.find(".select2-results__message").remove()},c.prototype.append=function(a){this.hideLoading();var b=[];if(null==a.results||0===a.results.length)return void(0===this.$results.children().length&&this.trigger("results:message",{message:"noResults"}));a.results=this.sort(a.results);for(var c=0;c<a.results.length;c++){var d=a.results[c],e=this.option(d);b.push(e)}this.$results.append(b)},c.prototype.position=function(a,b){var c=b.find(".select2-results");c.append(a)},c.prototype.sort=function(a){var b=this.options.get("sorter");return b(a)},c.prototype.highlightFirstItem=function(){var a=this.$results.find(".select2-results__option[aria-selected]"),b=a.filter("[aria-selected=true]");b.length>0?b.first().trigger("mouseenter"):a.first().trigger("mouseenter"),this.ensureHighlightVisible()},c.prototype.setClasses=function(){var b=this;this.data.current(function(c){var d=a.map(c,function(a){return a.id.toString()}),e=b.$results.find(".select2-results__option[aria-selected]");e.each(function(){var b=a(this),c=a.data(this,"data"),e=""+c.id;null!=c.element&&c.element.selected||null==c.element&&a.inArray(e,d)>-1?b.attr("aria-selected","true"):b.attr("aria-selected","false")})})},c.prototype.showLoading=function(a){this.hideLoading();var b=this.options.get("translations").get("searching"),c={disabled:!0,loading:!0,text:b(a)},d=this.option(c);d.className+=" loading-results",this.$results.prepend(d)},c.prototype.hideLoading=function(){this.$results.find(".loading-results").remove()},c.prototype.option=function(b){var c=document.createElement("li");c.className="select2-results__option";var d={role:"treeitem","aria-selected":"false"};b.disabled&&(delete d["aria-selected"],d["aria-disabled"]="true"),null==b.id&&delete d["aria-selected"],null!=b._resultId&&(c.id=b._resultId),b.title&&(c.title=b.title),b.children&&(d.role="group",d["aria-label"]=b.text,delete d["aria-selected"]);for(var e in d){var f=d[e];c.setAttribute(e,f)}if(b.children){var g=a(c),h=document.createElement("strong");h.className="select2-results__group";a(h);this.template(b,h);for(var i=[],j=0;j<b.children.length;j++){var k=b.children[j],l=this.option(k);i.push(l)}var m=a("<ul></ul>",{"class":"select2-results__options select2-results__options--nested"});m.append(i),g.append(h),g.append(m)}else this.template(b,c);return a.data(c,"data",b),c},c.prototype.bind=function(b,c){var d=this,e=b.id+"-results";this.$results.attr("id",e),b.on("results:all",function(a){d.clear(),d.append(a.data),b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("results:append",function(a){d.append(a.data),b.isOpen()&&d.setClasses()}),b.on("query",function(a){d.hideMessages(),d.showLoading(a)}),b.on("select",function(){b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("unselect",function(){b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("open",function(){d.$results.attr("aria-expanded","true"),d.$results.attr("aria-hidden","false"),d.setClasses(),d.ensureHighlightVisible()}),b.on("close",function(){d.$results.attr("aria-expanded","false"),d.$results.attr("aria-hidden","true"),d.$results.removeAttr("aria-activedescendant")}),b.on("results:toggle",function(){var a=d.getHighlightedResults();0!==a.length&&a.trigger("mouseup")}),b.on("results:select",function(){var a=d.getHighlightedResults();if(0!==a.length){var b=a.data("data");"true"==a.attr("aria-selected")?d.trigger("close",{}):d.trigger("select",{data:b})}}),b.on("results:previous",function(){var a=d.getHighlightedResults(),b=d.$results.find("[aria-selected]"),c=b.index(a);if(0!==c){var e=c-1;0===a.length&&(e=0);var f=b.eq(e);f.trigger("mouseenter");var g=d.$results.offset().top,h=f.offset().top,i=d.$results.scrollTop()+(h-g);0===e?d.$results.scrollTop(0):0>h-g&&d.$results.scrollTop(i)}}),b.on("results:next",function(){var a=d.getHighlightedResults(),b=d.$results.find("[aria-selected]"),c=b.index(a),e=c+1;if(!(e>=b.length)){var f=b.eq(e);f.trigger("mouseenter");var g=d.$results.offset().top+d.$results.outerHeight(!1),h=f.offset().top+f.outerHeight(!1),i=d.$results.scrollTop()+h-g;0===e?d.$results.scrollTop(0):h>g&&d.$results.scrollTop(i)}}),b.on("results:focus",function(a){a.element.addClass("select2-results__option--highlighted")}),b.on("results:message",function(a){d.displayMessage(a)}),a.fn.mousewheel&&this.$results.on("mousewheel",function(a){var b=d.$results.scrollTop(),c=d.$results.get(0).scrollHeight-b+a.deltaY,e=a.deltaY>0&&b-a.deltaY<=0,f=a.deltaY<0&&c<=d.$results.height();e?(d.$results.scrollTop(0),a.preventDefault(),a.stopPropagation()):f&&(d.$results.scrollTop(d.$results.get(0).scrollHeight-d.$results.height()),a.preventDefault(),a.stopPropagation())}),this.$results.on("mouseup",".select2-results__option[aria-selected]",function(b){var c=a(this),e=c.data("data");return"true"===c.attr("aria-selected")?void(d.options.get("multiple")?d.trigger("unselect",{originalEvent:b,data:e}):d.trigger("close",{})):void d.trigger("select",{originalEvent:b,data:e})}),this.$results.on("mouseenter",".select2-results__option[aria-selected]",function(b){var c=a(this).data("data");d.getHighlightedResults().removeClass("select2-results__option--highlighted"),d.trigger("results:focus",{data:c,element:a(this)})})},c.prototype.getHighlightedResults=function(){var a=this.$results.find(".select2-results__option--highlighted");return a},c.prototype.destroy=function(){this.$results.remove()},c.prototype.ensureHighlightVisible=function(){var a=this.getHighlightedResults();if(0!==a.length){var b=this.$results.find("[aria-selected]"),c=b.index(a),d=this.$results.offset().top,e=a.offset().top,f=this.$results.scrollTop()+(e-d),g=e-d;f-=2*a.outerHeight(!1),2>=c?this.$results.scrollTop(0):(g>this.$results.outerHeight()||0>g)&&this.$results.scrollTop(f)}},c.prototype.template=function(b,c){var d=this.options.get("templateResult"),e=this.options.get("escapeMarkup"),f=d(b,c);null==f?c.style.display="none":"string"==typeof f?c.innerHTML=e(f):a(c).append(f)},c}),b.define("select2/keys",[],function(){var a={BACKSPACE:8,TAB:9,ENTER:13,SHIFT:16,CTRL:17,ALT:18,ESC:27,SPACE:32,PAGE_UP:33,PAGE_DOWN:34,END:35,HOME:36,LEFT:37,UP:38,RIGHT:39,DOWN:40,DELETE:46};return a}),b.define("select2/selection/base",["jquery","../utils","../keys"],function(a,b,c){function d(a,b){this.$element=a,this.options=b,d.__super__.constructor.call(this)}return b.Extend(d,b.Observable),d.prototype.render=function(){var b=a('<span class="select2-selection" role="combobox"  aria-haspopup="true" aria-expanded="false"></span>');return this._tabindex=0,null!=this.$element.data("old-tabindex")?this._tabindex=this.$element.data("old-tabindex"):null!=this.$element.attr("tabindex")&&(this._tabindex=this.$element.attr("tabindex")),b.attr("title",this.$element.attr("title")),b.attr("tabindex",this._tabindex),this.$selection=b,b},d.prototype.bind=function(a,b){var d=this,e=(a.id+"-container",a.id+"-results");this.container=a,this.$selection.on("focus",function(a){d.trigger("focus",a)}),this.$selection.on("blur",function(a){d._handleBlur(a)}),this.$selection.on("keydown",function(a){d.trigger("keypress",a),a.which===c.SPACE&&a.preventDefault()}),a.on("results:focus",function(a){d.$selection.attr("aria-activedescendant",a.data._resultId)}),a.on("selection:update",function(a){d.update(a.data)}),a.on("open",function(){d.$selection.attr("aria-expanded","true"),d.$selection.attr("aria-owns",e),d._attachCloseHandler(a)}),a.on("close",function(){d.$selection.attr("aria-expanded","false"),d.$selection.removeAttr("aria-activedescendant"),d.$selection.removeAttr("aria-owns"),d.$selection.focus(),d._detachCloseHandler(a)}),a.on("enable",function(){d.$selection.attr("tabindex",d._tabindex)}),a.on("disable",function(){d.$selection.attr("tabindex","-1")})},d.prototype._handleBlur=function(b){var c=this;window.setTimeout(function(){document.activeElement==c.$selection[0]||a.contains(c.$selection[0],document.activeElement)||c.trigger("blur",b)},1)},d.prototype._attachCloseHandler=function(b){a(document.body).on("mousedown.select2."+b.id,function(b){var c=a(b.target),d=c.closest(".select2"),e=a(".select2.select2-container--open");e.each(function(){var b=a(this);if(this!=d[0]){var c=b.data("element");c.select2("close")}})})},d.prototype._detachCloseHandler=function(b){a(document.body).off("mousedown.select2."+b.id)},d.prototype.position=function(a,b){var c=b.find(".selection");c.append(a)},d.prototype.destroy=function(){this._detachCloseHandler(this.container)},d.prototype.update=function(a){throw new Error("The `update` method must be defined in child classes.")},d}),b.define("select2/selection/single",["jquery","./base","../utils","../keys"],function(a,b,c,d){function e(){e.__super__.constructor.apply(this,arguments)}return c.Extend(e,b),e.prototype.render=function(){var a=e.__super__.render.call(this);return a.addClass("select2-selection--single"),a.html('<span class="select2-selection__rendered"></span><span class="select2-selection__arrow" role="presentation"><b role="presentation"></b></span>'),a},e.prototype.bind=function(a,b){var c=this;e.__super__.bind.apply(this,arguments);var d=a.id+"-container";this.$selection.find(".select2-selection__rendered").attr("id",d),this.$selection.attr("aria-labelledby",d),this.$selection.on("mousedown",function(a){1===a.which&&c.trigger("toggle",{originalEvent:a})}),this.$selection.on("focus",function(a){}),this.$selection.on("blur",function(a){}),a.on("focus",function(b){a.isOpen()||c.$selection.focus()}),a.on("selection:update",function(a){c.update(a.data)})},e.prototype.clear=function(){this.$selection.find(".select2-selection__rendered").empty()},e.prototype.display=function(a,b){var c=this.options.get("templateSelection"),d=this.options.get("escapeMarkup");return d(c(a,b))},e.prototype.selectionContainer=function(){return a("<span></span>")},e.prototype.update=function(a){if(0===a.length)return void this.clear();var b=a[0],c=this.$selection.find(".select2-selection__rendered"),d=this.display(b,c);c.empty().append(d),c.prop("title",b.title||b.text)},e}),b.define("select2/selection/multiple",["jquery","./base","../utils"],function(a,b,c){function d(a,b){d.__super__.constructor.apply(this,arguments)}return c.Extend(d,b),d.prototype.render=function(){var a=d.__super__.render.call(this);return a.addClass("select2-selection--multiple"),a.html('<ul class="select2-selection__rendered"></ul>'),a},d.prototype.bind=function(b,c){var e=this;d.__super__.bind.apply(this,arguments),this.$selection.on("click",function(a){e.trigger("toggle",{originalEvent:a})}),this.$selection.on("click",".select2-selection__choice__remove",function(b){if(!e.options.get("disabled")){var c=a(this),d=c.parent(),f=d.data("data");e.trigger("unselect",{originalEvent:b,data:f})}})},d.prototype.clear=function(){this.$selection.find(".select2-selection__rendered").empty()},d.prototype.display=function(a,b){var c=this.options.get("templateSelection"),d=this.options.get("escapeMarkup");return d(c(a,b))},d.prototype.selectionContainer=function(){var b=a('<li class="select2-selection__choice"><span class="select2-selection__choice__remove" role="presentation">&times;</span></li>');return b},d.prototype.update=function(a){if(this.clear(),0!==a.length){for(var b=[],d=0;d<a.length;d++){var e=a[d],f=this.selectionContainer(),g=this.display(e,f);f.append(g),f.prop("title",e.title||e.text),f.data("data",e),b.push(f)}var h=this.$selection.find(".select2-selection__rendered");c.appendMany(h,b)}},d}),b.define("select2/selection/placeholder",["../utils"],function(a){function b(a,b,c){this.placeholder=this.normalizePlaceholder(c.get("placeholder")),a.call(this,b,c)}return b.prototype.normalizePlaceholder=function(a,b){return"string"==typeof b&&(b={id:"",text:b}),b},b.prototype.createPlaceholder=function(a,b){var c=this.selectionContainer();return c.html(this.display(b)),c.addClass("select2-selection__placeholder").removeClass("select2-selection__choice"),c},b.prototype.update=function(a,b){var c=1==b.length&&b[0].id!=this.placeholder.id,d=b.length>1;if(d||c)return a.call(this,b);this.clear();var e=this.createPlaceholder(this.placeholder);this.$selection.find(".select2-selection__rendered").append(e)},b}),b.define("select2/selection/allowClear",["jquery","../keys"],function(a,b){function c(){}return c.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),null==this.placeholder&&this.options.get("debug")&&window.console&&console.error&&console.error("Select2: The `allowClear` option should be used in combination with the `placeholder` option."),this.$selection.on("mousedown",".select2-selection__clear",function(a){d._handleClear(a)}),b.on("keypress",function(a){d._handleKeyboardClear(a,b)})},c.prototype._handleClear=function(a,b){if(!this.options.get("disabled")){var c=this.$selection.find(".select2-selection__clear");if(0!==c.length){b.stopPropagation();for(var d=c.data("data"),e=0;e<d.length;e++){var f={data:d[e]};if(this.trigger("unselect",f),f.prevented)return}this.$element.val(this.placeholder.id).trigger("change"),this.trigger("toggle",{})}}},c.prototype._handleKeyboardClear=function(a,c,d){d.isOpen()||(c.which==b.DELETE||c.which==b.BACKSPACE)&&this._handleClear(c)},c.prototype.update=function(b,c){if(b.call(this,c),!(this.$selection.find(".select2-selection__placeholder").length>0||0===c.length)){var d=a('<span class="select2-selection__clear">&times;</span>');d.data("data",c),this.$selection.find(".select2-selection__rendered").prepend(d)}},c}),b.define("select2/selection/search",["jquery","../utils","../keys"],function(a,b,c){function d(a,b,c){a.call(this,b,c)}return d.prototype.render=function(b){var c=a('<li class="select2-search select2-search--inline"><input class="select2-search__field" type="search" tabindex="-1" autocomplete="off" autocorrect="off" autocapitalize="off" spellcheck="false" role="textbox" aria-autocomplete="list" /></li>');this.$searchContainer=c,this.$search=c.find("input");var d=b.call(this);return this._transferTabIndex(),d},d.prototype.bind=function(a,b,d){var e=this;a.call(this,b,d),b.on("open",function(){e.$search.trigger("focus")}),b.on("close",function(){e.$search.val(""),e.$search.removeAttr("aria-activedescendant"),e.$search.trigger("focus")}),b.on("enable",function(){e.$search.prop("disabled",!1),e._transferTabIndex()}),b.on("disable",function(){e.$search.prop("disabled",!0)}),b.on("focus",function(a){e.$search.trigger("focus")}),b.on("results:focus",function(a){e.$search.attr("aria-activedescendant",a.id)}),this.$selection.on("focusin",".select2-search--inline",function(a){e.trigger("focus",a)}),this.$selection.on("focusout",".select2-search--inline",function(a){e._handleBlur(a)}),this.$selection.on("keydown",".select2-search--inline",function(a){a.stopPropagation(),e.trigger("keypress",a),e._keyUpPrevented=a.isDefaultPrevented();var b=a.which;if(b===c.BACKSPACE&&""===e.$search.val()){var d=e.$searchContainer.prev(".select2-selection__choice");if(d.length>0){var f=d.data("data");e.searchRemoveChoice(f),a.preventDefault()}}});var f=document.documentMode,g=f&&11>=f;this.$selection.on("input.searchcheck",".select2-search--inline",function(a){return g?void e.$selection.off("input.search input.searchcheck"):void e.$selection.off("keyup.search")}),this.$selection.on("keyup.search input.search",".select2-search--inline",function(a){if(g&&"input"===a.type)return void e.$selection.off("input.search input.searchcheck");var b=a.which;b!=c.SHIFT&&b!=c.CTRL&&b!=c.ALT&&b!=c.TAB&&e.handleSearch(a)})},d.prototype._transferTabIndex=function(a){this.$search.attr("tabindex",this.$selection.attr("tabindex")),this.$selection.attr("tabindex","-1")},d.prototype.createPlaceholder=function(a,b){this.$search.attr("placeholder",b.text)},d.prototype.update=function(a,b){var c=this.$search[0]==document.activeElement;this.$search.attr("placeholder",""),a.call(this,b),this.$selection.find(".select2-selection__rendered").append(this.$searchContainer),this.resizeSearch(),c&&this.$search.focus()},d.prototype.handleSearch=function(){if(this.resizeSearch(),!this._keyUpPrevented){var a=this.$search.val();this.trigger("query",{term:a})}this._keyUpPrevented=!1},d.prototype.searchRemoveChoice=function(a,b){this.trigger("unselect",{data:b}),this.$search.val(b.text),this.handleSearch()},d.prototype.resizeSearch=function(){this.$search.css("width","25px");var a="";if(""!==this.$search.attr("placeholder"))a=this.$selection.find(".select2-selection__rendered").innerWidth();else{var b=this.$search.val().length+1;a=.75*b+"em"}this.$search.css("width",a)},d}),b.define("select2/selection/eventRelay",["jquery"],function(a){function b(){}return b.prototype.bind=function(b,c,d){var e=this,f=["open","opening","close","closing","select","selecting","unselect","unselecting"],g=["opening","closing","selecting","unselecting"];b.call(this,c,d),c.on("*",function(b,c){if(-1!==a.inArray(b,f)){c=c||{};var d=a.Event("select2:"+b,{params:c});e.$element.trigger(d),-1!==a.inArray(b,g)&&(c.prevented=d.isDefaultPrevented())}})},b}),b.define("select2/translation",["jquery","require"],function(a,b){function c(a){this.dict=a||{}}return c.prototype.all=function(){return this.dict},c.prototype.get=function(a){return this.dict[a]},c.prototype.extend=function(b){this.dict=a.extend({},b.all(),this.dict)},c._cache={},c.loadPath=function(a){if(!(a in c._cache)){var d=b(a);c._cache[a]=d}return new c(c._cache[a])},c}),b.define("select2/diacritics",[],function(){var a={"Ⓐ":"A","A":"A","À":"A","Á":"A","Â":"A","Ầ":"A","Ấ":"A","Ẫ":"A","Ẩ":"A","Ã":"A","Ā":"A","Ă":"A","Ằ":"A","Ắ":"A","Ẵ":"A","Ẳ":"A","Ȧ":"A","Ǡ":"A","Ä":"A","Ǟ":"A","Ả":"A","Å":"A","Ǻ":"A","Ǎ":"A","Ȁ":"A","Ȃ":"A","Ạ":"A","Ậ":"A","Ặ":"A","Ḁ":"A","Ą":"A","Ⱥ":"A","Ɐ":"A","Ꜳ":"AA","Æ":"AE","Ǽ":"AE","Ǣ":"AE","Ꜵ":"AO","Ꜷ":"AU","Ꜹ":"AV","Ꜻ":"AV","Ꜽ":"AY","Ⓑ":"B","B":"B","Ḃ":"B","Ḅ":"B","Ḇ":"B","Ƀ":"B","Ƃ":"B","Ɓ":"B","Ⓒ":"C","C":"C","Ć":"C","Ĉ":"C","Ċ":"C","Č":"C","Ç":"C","Ḉ":"C","Ƈ":"C","Ȼ":"C","Ꜿ":"C","Ⓓ":"D","D":"D","Ḋ":"D","Ď":"D","Ḍ":"D","Ḑ":"D","Ḓ":"D","Ḏ":"D","Đ":"D","Ƌ":"D","Ɗ":"D","Ɖ":"D","Ꝺ":"D","DZ":"DZ","DŽ":"DZ","Dz":"Dz","Dž":"Dz","Ⓔ":"E","E":"E","È":"E","É":"E","Ê":"E","Ề":"E","Ế":"E","Ễ":"E","Ể":"E","Ẽ":"E","Ē":"E","Ḕ":"E","Ḗ":"E","Ĕ":"E","Ė":"E","Ë":"E","Ẻ":"E","Ě":"E","Ȅ":"E","Ȇ":"E","Ẹ":"E","Ệ":"E","Ȩ":"E","Ḝ":"E","Ę":"E","Ḙ":"E","Ḛ":"E","Ɛ":"E","Ǝ":"E","Ⓕ":"F","F":"F","Ḟ":"F","Ƒ":"F","Ꝼ":"F","Ⓖ":"G","G":"G","Ǵ":"G","Ĝ":"G","Ḡ":"G","Ğ":"G","Ġ":"G","Ǧ":"G","Ģ":"G","Ǥ":"G","Ɠ":"G","Ꞡ":"G","Ᵹ":"G","Ꝿ":"G","Ⓗ":"H","H":"H","Ĥ":"H","Ḣ":"H","Ḧ":"H","Ȟ":"H","Ḥ":"H","Ḩ":"H","Ḫ":"H","Ħ":"H","Ⱨ":"H","Ⱶ":"H","Ɥ":"H","Ⓘ":"I","I":"I","Ì":"I","Í":"I","Î":"I","Ĩ":"I","Ī":"I","Ĭ":"I","İ":"I","Ï":"I","Ḯ":"I","Ỉ":"I","Ǐ":"I","Ȉ":"I","Ȋ":"I","Ị":"I","Į":"I","Ḭ":"I","Ɨ":"I","Ⓙ":"J","J":"J","Ĵ":"J","Ɉ":"J","Ⓚ":"K","K":"K","Ḱ":"K","Ǩ":"K","Ḳ":"K","Ķ":"K","Ḵ":"K","Ƙ":"K","Ⱪ":"K","Ꝁ":"K","Ꝃ":"K","Ꝅ":"K","Ꞣ":"K","Ⓛ":"L","L":"L","Ŀ":"L","Ĺ":"L","Ľ":"L","Ḷ":"L","Ḹ":"L","Ļ":"L","Ḽ":"L","Ḻ":"L","Ł":"L","Ƚ":"L","Ɫ":"L","Ⱡ":"L","Ꝉ":"L","Ꝇ":"L","Ꞁ":"L","LJ":"LJ","Lj":"Lj","Ⓜ":"M","M":"M","Ḿ":"M","Ṁ":"M","Ṃ":"M","Ɱ":"M","Ɯ":"M","Ⓝ":"N","N":"N","Ǹ":"N","Ń":"N","Ñ":"N","Ṅ":"N","Ň":"N","Ṇ":"N","Ņ":"N","Ṋ":"N","Ṉ":"N","Ƞ":"N","Ɲ":"N","Ꞑ":"N","Ꞥ":"N","NJ":"NJ","Nj":"Nj","Ⓞ":"O","O":"O","Ò":"O","Ó":"O","Ô":"O","Ồ":"O","Ố":"O","Ỗ":"O","Ổ":"O","Õ":"O","Ṍ":"O","Ȭ":"O","Ṏ":"O","Ō":"O","Ṑ":"O","Ṓ":"O","Ŏ":"O","Ȯ":"O","Ȱ":"O","Ö":"O","Ȫ":"O","Ỏ":"O","Ő":"O","Ǒ":"O","Ȍ":"O","Ȏ":"O","Ơ":"O","Ờ":"O","Ớ":"O","Ỡ":"O","Ở":"O","Ợ":"O","Ọ":"O","Ộ":"O","Ǫ":"O","Ǭ":"O","Ø":"O","Ǿ":"O","Ɔ":"O","Ɵ":"O","Ꝋ":"O","Ꝍ":"O","Ƣ":"OI","Ꝏ":"OO","Ȣ":"OU","Ⓟ":"P","P":"P","Ṕ":"P","Ṗ":"P","Ƥ":"P","Ᵽ":"P","Ꝑ":"P","Ꝓ":"P","Ꝕ":"P","Ⓠ":"Q","Q":"Q","Ꝗ":"Q","Ꝙ":"Q","Ɋ":"Q","Ⓡ":"R","R":"R","Ŕ":"R","Ṙ":"R","Ř":"R","Ȑ":"R","Ȓ":"R","Ṛ":"R","Ṝ":"R","Ŗ":"R","Ṟ":"R","Ɍ":"R","Ɽ":"R","Ꝛ":"R","Ꞧ":"R","Ꞃ":"R","Ⓢ":"S","S":"S","ẞ":"S","Ś":"S","Ṥ":"S","Ŝ":"S","Ṡ":"S","Š":"S","Ṧ":"S","Ṣ":"S","Ṩ":"S","Ș":"S","Ş":"S","Ȿ":"S","Ꞩ":"S","Ꞅ":"S","Ⓣ":"T","T":"T","Ṫ":"T","Ť":"T","Ṭ":"T","Ț":"T","Ţ":"T","Ṱ":"T","Ṯ":"T","Ŧ":"T","Ƭ":"T","Ʈ":"T","Ⱦ":"T","Ꞇ":"T","Ꜩ":"TZ","Ⓤ":"U","U":"U","Ù":"U","Ú":"U","Û":"U","Ũ":"U","Ṹ":"U","Ū":"U","Ṻ":"U","Ŭ":"U","Ü":"U","Ǜ":"U","Ǘ":"U","Ǖ":"U","Ǚ":"U","Ủ":"U","Ů":"U","Ű":"U","Ǔ":"U","Ȕ":"U","Ȗ":"U","Ư":"U","Ừ":"U","Ứ":"U","Ữ":"U","Ử":"U","Ự":"U","Ụ":"U","Ṳ":"U","Ų":"U","Ṷ":"U","Ṵ":"U","Ʉ":"U","Ⓥ":"V","V":"V","Ṽ":"V","Ṿ":"V","Ʋ":"V","Ꝟ":"V","Ʌ":"V","Ꝡ":"VY","Ⓦ":"W","W":"W","Ẁ":"W","Ẃ":"W","Ŵ":"W","Ẇ":"W","Ẅ":"W","Ẉ":"W","Ⱳ":"W","Ⓧ":"X","X":"X","Ẋ":"X","Ẍ":"X","Ⓨ":"Y","Y":"Y","Ỳ":"Y","Ý":"Y","Ŷ":"Y","Ỹ":"Y","Ȳ":"Y","Ẏ":"Y","Ÿ":"Y","Ỷ":"Y","Ỵ":"Y","Ƴ":"Y","Ɏ":"Y","Ỿ":"Y","Ⓩ":"Z","Z":"Z","Ź":"Z","Ẑ":"Z","Ż":"Z","Ž":"Z","Ẓ":"Z","Ẕ":"Z","Ƶ":"Z","Ȥ":"Z","Ɀ":"Z","Ⱬ":"Z","Ꝣ":"Z","ⓐ":"a","a":"a","ẚ":"a","à":"a","á":"a","â":"a","ầ":"a","ấ":"a","ẫ":"a","ẩ":"a","ã":"a","ā":"a","ă":"a","ằ":"a","ắ":"a","ẵ":"a","ẳ":"a","ȧ":"a","ǡ":"a","ä":"a","ǟ":"a","ả":"a","å":"a","ǻ":"a","ǎ":"a","ȁ":"a","ȃ":"a","ạ":"a","ậ":"a","ặ":"a","ḁ":"a","ą":"a","ⱥ":"a","ɐ":"a","ꜳ":"aa","æ":"ae","ǽ":"ae","ǣ":"ae","ꜵ":"ao","ꜷ":"au","ꜹ":"av","ꜻ":"av","ꜽ":"ay","ⓑ":"b","b":"b","ḃ":"b","ḅ":"b","ḇ":"b","ƀ":"b","ƃ":"b","ɓ":"b","ⓒ":"c","c":"c","ć":"c","ĉ":"c","ċ":"c","č":"c","ç":"c","ḉ":"c","ƈ":"c","ȼ":"c","ꜿ":"c","ↄ":"c","ⓓ":"d","d":"d","ḋ":"d","ď":"d","ḍ":"d","ḑ":"d","ḓ":"d","ḏ":"d","đ":"d","ƌ":"d","ɖ":"d","ɗ":"d","ꝺ":"d","dz":"dz","dž":"dz","ⓔ":"e","e":"e","è":"e","é":"e","ê":"e","ề":"e","ế":"e","ễ":"e","ể":"e","ẽ":"e","ē":"e","ḕ":"e","ḗ":"e","ĕ":"e","ė":"e","ë":"e","ẻ":"e","ě":"e","ȅ":"e","ȇ":"e","ẹ":"e","ệ":"e","ȩ":"e","ḝ":"e","ę":"e","ḙ":"e","ḛ":"e","ɇ":"e","ɛ":"e","ǝ":"e","ⓕ":"f","f":"f","ḟ":"f","ƒ":"f","ꝼ":"f","ⓖ":"g","g":"g","ǵ":"g","ĝ":"g","ḡ":"g","ğ":"g","ġ":"g","ǧ":"g","ģ":"g","ǥ":"g","ɠ":"g","ꞡ":"g","ᵹ":"g","ꝿ":"g","ⓗ":"h","h":"h","ĥ":"h","ḣ":"h","ḧ":"h","ȟ":"h","ḥ":"h","ḩ":"h","ḫ":"h","ẖ":"h","ħ":"h","ⱨ":"h","ⱶ":"h","ɥ":"h","ƕ":"hv","ⓘ":"i","i":"i","ì":"i","í":"i","î":"i","ĩ":"i","ī":"i","ĭ":"i","ï":"i","ḯ":"i","ỉ":"i","ǐ":"i","ȉ":"i","ȋ":"i","ị":"i","į":"i","ḭ":"i","ɨ":"i","ı":"i","ⓙ":"j","j":"j","ĵ":"j","ǰ":"j","ɉ":"j","ⓚ":"k","k":"k","ḱ":"k","ǩ":"k","ḳ":"k","ķ":"k","ḵ":"k","ƙ":"k","ⱪ":"k","ꝁ":"k","ꝃ":"k","ꝅ":"k","ꞣ":"k","ⓛ":"l","l":"l","ŀ":"l","ĺ":"l","ľ":"l","ḷ":"l","ḹ":"l","ļ":"l","ḽ":"l","ḻ":"l","ſ":"l","ł":"l","ƚ":"l","ɫ":"l","ⱡ":"l","ꝉ":"l","ꞁ":"l","ꝇ":"l","lj":"lj","ⓜ":"m","m":"m","ḿ":"m","ṁ":"m","ṃ":"m","ɱ":"m","ɯ":"m","ⓝ":"n","n":"n","ǹ":"n","ń":"n","ñ":"n","ṅ":"n","ň":"n","ṇ":"n","ņ":"n","ṋ":"n","ṉ":"n","ƞ":"n","ɲ":"n","ʼn":"n","ꞑ":"n","ꞥ":"n","nj":"nj","ⓞ":"o","o":"o","ò":"o","ó":"o","ô":"o","ồ":"o","ố":"o","ỗ":"o","ổ":"o","õ":"o","ṍ":"o","ȭ":"o","ṏ":"o","ō":"o","ṑ":"o","ṓ":"o","ŏ":"o","ȯ":"o","ȱ":"o","ö":"o","ȫ":"o","ỏ":"o","ő":"o","ǒ":"o","ȍ":"o","ȏ":"o","ơ":"o","ờ":"o","ớ":"o","ỡ":"o","ở":"o","ợ":"o","ọ":"o","ộ":"o","ǫ":"o","ǭ":"o","ø":"o","ǿ":"o","ɔ":"o","ꝋ":"o","ꝍ":"o","ɵ":"o","ƣ":"oi","ȣ":"ou","ꝏ":"oo","ⓟ":"p","p":"p","ṕ":"p","ṗ":"p","ƥ":"p","ᵽ":"p","ꝑ":"p","ꝓ":"p","ꝕ":"p","ⓠ":"q","q":"q","ɋ":"q","ꝗ":"q","ꝙ":"q","ⓡ":"r","r":"r","ŕ":"r","ṙ":"r","ř":"r","ȑ":"r","ȓ":"r","ṛ":"r","ṝ":"r","ŗ":"r","ṟ":"r","ɍ":"r","ɽ":"r","ꝛ":"r","ꞧ":"r","ꞃ":"r","ⓢ":"s","s":"s","ß":"s","ś":"s","ṥ":"s","ŝ":"s","ṡ":"s","š":"s","ṧ":"s","ṣ":"s","ṩ":"s","ș":"s","ş":"s","ȿ":"s","ꞩ":"s","ꞅ":"s","ẛ":"s","ⓣ":"t","t":"t","ṫ":"t","ẗ":"t","ť":"t","ṭ":"t","ț":"t","ţ":"t","ṱ":"t","ṯ":"t","ŧ":"t","ƭ":"t","ʈ":"t","ⱦ":"t","ꞇ":"t","ꜩ":"tz","ⓤ":"u","u":"u","ù":"u","ú":"u","û":"u","ũ":"u","ṹ":"u","ū":"u","ṻ":"u","ŭ":"u","ü":"u","ǜ":"u","ǘ":"u","ǖ":"u","ǚ":"u","ủ":"u","ů":"u","ű":"u","ǔ":"u","ȕ":"u","ȗ":"u","ư":"u","ừ":"u","ứ":"u","ữ":"u","ử":"u","ự":"u","ụ":"u","ṳ":"u","ų":"u","ṷ":"u","ṵ":"u","ʉ":"u","ⓥ":"v","v":"v","ṽ":"v","ṿ":"v","ʋ":"v","ꝟ":"v","ʌ":"v","ꝡ":"vy","ⓦ":"w","w":"w","ẁ":"w","ẃ":"w","ŵ":"w","ẇ":"w","ẅ":"w","ẘ":"w","ẉ":"w","ⱳ":"w","ⓧ":"x","x":"x","ẋ":"x","ẍ":"x","ⓨ":"y","y":"y","ỳ":"y","ý":"y","ŷ":"y","ỹ":"y","ȳ":"y","ẏ":"y","ÿ":"y","ỷ":"y","ẙ":"y","ỵ":"y","ƴ":"y","ɏ":"y","ỿ":"y","ⓩ":"z","z":"z","ź":"z","ẑ":"z","ż":"z","ž":"z","ẓ":"z","ẕ":"z","ƶ":"z","ȥ":"z","ɀ":"z","ⱬ":"z","ꝣ":"z","Ά":"Α","Έ":"Ε","Ή":"Η","Ί":"Ι","Ϊ":"Ι","Ό":"Ο","Ύ":"Υ","Ϋ":"Υ","Ώ":"Ω","ά":"α","έ":"ε","ή":"η","ί":"ι","ϊ":"ι","ΐ":"ι","ό":"ο","ύ":"υ","ϋ":"υ","ΰ":"υ","ω":"ω","ς":"σ"};return a}),b.define("select2/data/base",["../utils"],function(a){function b(a,c){b.__super__.constructor.call(this)}return a.Extend(b,a.Observable),b.prototype.current=function(a){throw new Error("The `current` method must be defined in child classes.")},b.prototype.query=function(a,b){throw new Error("The `query` method must be defined in child classes.")},b.prototype.bind=function(a,b){},b.prototype.destroy=function(){},b.prototype.generateResultId=function(b,c){var d=b.id+"-result-";return d+=a.generateChars(4),d+=null!=c.id?"-"+c.id.toString():"-"+a.generateChars(4)},b}),b.define("select2/data/select",["./base","../utils","jquery"],function(a,b,c){function d(a,b){this.$element=a,this.options=b,d.__super__.constructor.call(this)}return b.Extend(d,a),d.prototype.current=function(a){var b=[],d=this;this.$element.find(":selected").each(function(){var a=c(this),e=d.item(a);b.push(e)}),a(b)},d.prototype.select=function(a){var b=this;if(a.selected=!0,c(a.element).is("option"))return a.element.selected=!0,void this.$element.trigger("change");
if(this.$element.prop("multiple"))this.current(function(d){var e=[];a=[a],a.push.apply(a,d);for(var f=0;f<a.length;f++){var g=a[f].id;-1===c.inArray(g,e)&&e.push(g)}b.$element.val(e),b.$element.trigger("change")});else{var d=a.id;this.$element.val(d),this.$element.trigger("change")}},d.prototype.unselect=function(a){var b=this;if(this.$element.prop("multiple"))return a.selected=!1,c(a.element).is("option")?(a.element.selected=!1,void this.$element.trigger("change")):void this.current(function(d){for(var e=[],f=0;f<d.length;f++){var g=d[f].id;g!==a.id&&-1===c.inArray(g,e)&&e.push(g)}b.$element.val(e),b.$element.trigger("change")})},d.prototype.bind=function(a,b){var c=this;this.container=a,a.on("select",function(a){c.select(a.data)}),a.on("unselect",function(a){c.unselect(a.data)})},d.prototype.destroy=function(){this.$element.find("*").each(function(){c.removeData(this,"data")})},d.prototype.query=function(a,b){var d=[],e=this,f=this.$element.children();f.each(function(){var b=c(this);if(b.is("option")||b.is("optgroup")){var f=e.item(b),g=e.matches(a,f);null!==g&&d.push(g)}}),b({results:d})},d.prototype.addOptions=function(a){b.appendMany(this.$element,a)},d.prototype.option=function(a){var b;a.children?(b=document.createElement("optgroup"),b.label=a.text):(b=document.createElement("option"),void 0!==b.textContent?b.textContent=a.text:b.innerText=a.text),a.id&&(b.value=a.id),a.disabled&&(b.disabled=!0),a.selected&&(b.selected=!0),a.title&&(b.title=a.title);var d=c(b),e=this._normalizeItem(a);return e.element=b,c.data(b,"data",e),d},d.prototype.item=function(a){var b={};if(b=c.data(a[0],"data"),null!=b)return b;if(a.is("option"))b={id:a.val(),text:a.text(),disabled:a.prop("disabled"),selected:a.prop("selected"),title:a.prop("title")};else if(a.is("optgroup")){b={text:a.prop("label"),children:[],title:a.prop("title")};for(var d=a.children("option"),e=[],f=0;f<d.length;f++){var g=c(d[f]),h=this.item(g);e.push(h)}b.children=e}return b=this._normalizeItem(b),b.element=a[0],c.data(a[0],"data",b),b},d.prototype._normalizeItem=function(a){c.isPlainObject(a)||(a={id:a,text:a}),a=c.extend({},{text:""},a);var b={selected:!1,disabled:!1};return null!=a.id&&(a.id=a.id.toString()),null!=a.text&&(a.text=a.text.toString()),null==a._resultId&&a.id&&null!=this.container&&(a._resultId=this.generateResultId(this.container,a)),c.extend({},b,a)},d.prototype.matches=function(a,b){var c=this.options.get("matcher");return c(a,b)},d}),b.define("select2/data/array",["./select","../utils","jquery"],function(a,b,c){function d(a,b){var c=b.get("data")||[];d.__super__.constructor.call(this,a,b),this.addOptions(this.convertToOptions(c))}return b.Extend(d,a),d.prototype.select=function(a){var b=this.$element.find("option").filter(function(b,c){return c.value==a.id.toString()});0===b.length&&(b=this.option(a),this.addOptions(b)),d.__super__.select.call(this,a)},d.prototype.convertToOptions=function(a){function d(a){return function(){return c(this).val()==a.id}}for(var e=this,f=this.$element.find("option"),g=f.map(function(){return e.item(c(this)).id}).get(),h=[],i=0;i<a.length;i++){var j=this._normalizeItem(a[i]);if(c.inArray(j.id,g)>=0){var k=f.filter(d(j)),l=this.item(k),m=c.extend(!0,{},j,l),n=this.option(m);k.replaceWith(n)}else{var o=this.option(j);if(j.children){var p=this.convertToOptions(j.children);b.appendMany(o,p)}h.push(o)}}return h},d}),b.define("select2/data/ajax",["./array","../utils","jquery"],function(a,b,c){function d(a,b){this.ajaxOptions=this._applyDefaults(b.get("ajax")),null!=this.ajaxOptions.processResults&&(this.processResults=this.ajaxOptions.processResults),d.__super__.constructor.call(this,a,b)}return b.Extend(d,a),d.prototype._applyDefaults=function(a){var b={data:function(a){return c.extend({},a,{q:a.term})},transport:function(a,b,d){var e=c.ajax(a);return e.then(b),e.fail(d),e}};return c.extend({},b,a,!0)},d.prototype.processResults=function(a){return a},d.prototype.query=function(a,b){function d(){var d=f.transport(f,function(d){var f=e.processResults(d,a);e.options.get("debug")&&window.console&&console.error&&(f&&f.results&&c.isArray(f.results)||console.error("Select2: The AJAX results did not return an array in the `results` key of the response.")),b(f)},function(){d.status&&"0"===d.status||e.trigger("results:message",{message:"errorLoading"})});e._request=d}var e=this;null!=this._request&&(c.isFunction(this._request.abort)&&this._request.abort(),this._request=null);var f=c.extend({type:"GET"},this.ajaxOptions);"function"==typeof f.url&&(f.url=f.url.call(this.$element,a)),"function"==typeof f.data&&(f.data=f.data.call(this.$element,a)),this.ajaxOptions.delay&&null!=a.term?(this._queryTimeout&&window.clearTimeout(this._queryTimeout),this._queryTimeout=window.setTimeout(d,this.ajaxOptions.delay)):d()},d}),b.define("select2/data/tags",["jquery"],function(a){function b(b,c,d){var e=d.get("tags"),f=d.get("createTag");void 0!==f&&(this.createTag=f);var g=d.get("insertTag");if(void 0!==g&&(this.insertTag=g),b.call(this,c,d),a.isArray(e))for(var h=0;h<e.length;h++){var i=e[h],j=this._normalizeItem(i),k=this.option(j);this.$element.append(k)}}return b.prototype.query=function(a,b,c){function d(a,f){for(var g=a.results,h=0;h<g.length;h++){var i=g[h],j=null!=i.children&&!d({results:i.children},!0),k=i.text===b.term;if(k||j)return f?!1:(a.data=g,void c(a))}if(f)return!0;var l=e.createTag(b);if(null!=l){var m=e.option(l);m.attr("data-select2-tag",!0),e.addOptions([m]),e.insertTag(g,l)}a.results=g,c(a)}var e=this;return this._removeOldTags(),null==b.term||null!=b.page?void a.call(this,b,c):void a.call(this,b,d)},b.prototype.createTag=function(b,c){var d=a.trim(c.term);return""===d?null:{id:d,text:d}},b.prototype.insertTag=function(a,b,c){b.unshift(c)},b.prototype._removeOldTags=function(b){var c=(this._lastTag,this.$element.find("option[data-select2-tag]"));c.each(function(){this.selected||a(this).remove()})},b}),b.define("select2/data/tokenizer",["jquery"],function(a){function b(a,b,c){var d=c.get("tokenizer");void 0!==d&&(this.tokenizer=d),a.call(this,b,c)}return b.prototype.bind=function(a,b,c){a.call(this,b,c),this.$search=b.dropdown.$search||b.selection.$search||c.find(".select2-search__field")},b.prototype.query=function(b,c,d){function e(b){var c=g._normalizeItem(b),d=g.$element.find("option").filter(function(){return a(this).val()===c.id});if(!d.length){var e=g.option(c);e.attr("data-select2-tag",!0),g._removeOldTags(),g.addOptions([e])}f(c)}function f(a){g.trigger("select",{data:a})}var g=this;c.term=c.term||"";var h=this.tokenizer(c,this.options,e);h.term!==c.term&&(this.$search.length&&(this.$search.val(h.term),this.$search.focus()),c.term=h.term),b.call(this,c,d)},b.prototype.tokenizer=function(b,c,d,e){for(var f=d.get("tokenSeparators")||[],g=c.term,h=0,i=this.createTag||function(a){return{id:a.term,text:a.term}};h<g.length;){var j=g[h];if(-1!==a.inArray(j,f)){var k=g.substr(0,h),l=a.extend({},c,{term:k}),m=i(l);null!=m?(e(m),g=g.substr(h+1)||"",h=0):h++}else h++}return{term:g}},b}),b.define("select2/data/minimumInputLength",[],function(){function a(a,b,c){this.minimumInputLength=c.get("minimumInputLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){return b.term=b.term||"",b.term.length<this.minimumInputLength?void this.trigger("results:message",{message:"inputTooShort",args:{minimum:this.minimumInputLength,input:b.term,params:b}}):void a.call(this,b,c)},a}),b.define("select2/data/maximumInputLength",[],function(){function a(a,b,c){this.maximumInputLength=c.get("maximumInputLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){return b.term=b.term||"",this.maximumInputLength>0&&b.term.length>this.maximumInputLength?void this.trigger("results:message",{message:"inputTooLong",args:{maximum:this.maximumInputLength,input:b.term,params:b}}):void a.call(this,b,c)},a}),b.define("select2/data/maximumSelectionLength",[],function(){function a(a,b,c){this.maximumSelectionLength=c.get("maximumSelectionLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){var d=this;this.current(function(e){var f=null!=e?e.length:0;return d.maximumSelectionLength>0&&f>=d.maximumSelectionLength?void d.trigger("results:message",{message:"maximumSelected",args:{maximum:d.maximumSelectionLength}}):void a.call(d,b,c)})},a}),b.define("select2/dropdown",["jquery","./utils"],function(a,b){function c(a,b){this.$element=a,this.options=b,c.__super__.constructor.call(this)}return b.Extend(c,b.Observable),c.prototype.render=function(){var b=a('<span class="select2-dropdown"><span class="select2-results"></span></span>');return b.attr("dir",this.options.get("dir")),this.$dropdown=b,b},c.prototype.bind=function(){},c.prototype.position=function(a,b){},c.prototype.destroy=function(){this.$dropdown.remove()},c}),b.define("select2/dropdown/search",["jquery","../utils"],function(a,b){function c(){}return c.prototype.render=function(b){var c=b.call(this),d=a('<span class="select2-search select2-search--dropdown"><input class="select2-search__field" type="search" tabindex="-1" autocomplete="off" autocorrect="off" autocapitalize="off" spellcheck="false" role="textbox" /></span>');return this.$searchContainer=d,this.$search=d.find("input"),c.prepend(d),c},c.prototype.bind=function(b,c,d){var e=this;b.call(this,c,d),this.$search.on("keydown",function(a){e.trigger("keypress",a),e._keyUpPrevented=a.isDefaultPrevented()}),this.$search.on("input",function(b){a(this).off("keyup")}),this.$search.on("keyup input",function(a){e.handleSearch(a)}),c.on("open",function(){e.$search.attr("tabindex",0),e.$search.focus(),window.setTimeout(function(){e.$search.focus()},0)}),c.on("close",function(){e.$search.attr("tabindex",-1),e.$search.val("")}),c.on("focus",function(){c.isOpen()&&e.$search.focus()}),c.on("results:all",function(a){if(null==a.query.term||""===a.query.term){var b=e.showSearch(a);b?e.$searchContainer.removeClass("select2-search--hide"):e.$searchContainer.addClass("select2-search--hide")}})},c.prototype.handleSearch=function(a){if(!this._keyUpPrevented){var b=this.$search.val();this.trigger("query",{term:b})}this._keyUpPrevented=!1},c.prototype.showSearch=function(a,b){return!0},c}),b.define("select2/dropdown/hidePlaceholder",[],function(){function a(a,b,c,d){this.placeholder=this.normalizePlaceholder(c.get("placeholder")),a.call(this,b,c,d)}return a.prototype.append=function(a,b){b.results=this.removePlaceholder(b.results),a.call(this,b)},a.prototype.normalizePlaceholder=function(a,b){return"string"==typeof b&&(b={id:"",text:b}),b},a.prototype.removePlaceholder=function(a,b){for(var c=b.slice(0),d=b.length-1;d>=0;d--){var e=b[d];this.placeholder.id===e.id&&c.splice(d,1)}return c},a}),b.define("select2/dropdown/infiniteScroll",["jquery"],function(a){function b(a,b,c,d){this.lastParams={},a.call(this,b,c,d),this.$loadingMore=this.createLoadingMore(),this.loading=!1}return b.prototype.append=function(a,b){this.$loadingMore.remove(),this.loading=!1,a.call(this,b),this.showLoadingMore(b)&&this.$results.append(this.$loadingMore)},b.prototype.bind=function(b,c,d){var e=this;b.call(this,c,d),c.on("query",function(a){e.lastParams=a,e.loading=!0}),c.on("query:append",function(a){e.lastParams=a,e.loading=!0}),this.$results.on("scroll",function(){var b=a.contains(document.documentElement,e.$loadingMore[0]);if(!e.loading&&b){var c=e.$results.offset().top+e.$results.outerHeight(!1),d=e.$loadingMore.offset().top+e.$loadingMore.outerHeight(!1);c+50>=d&&e.loadMore()}})},b.prototype.loadMore=function(){this.loading=!0;var b=a.extend({},{page:1},this.lastParams);b.page++,this.trigger("query:append",b)},b.prototype.showLoadingMore=function(a,b){return b.pagination&&b.pagination.more},b.prototype.createLoadingMore=function(){var b=a('<li class="select2-results__option select2-results__option--load-more"role="treeitem" aria-disabled="true"></li>'),c=this.options.get("translations").get("loadingMore");return b.html(c(this.lastParams)),b},b}),b.define("select2/dropdown/attachBody",["jquery","../utils"],function(a,b){function c(b,c,d){this.$dropdownParent=d.get("dropdownParent")||a(document.body),b.call(this,c,d)}return c.prototype.bind=function(a,b,c){var d=this,e=!1;a.call(this,b,c),b.on("open",function(){d._showDropdown(),d._attachPositioningHandler(b),e||(e=!0,b.on("results:all",function(){d._positionDropdown(),d._resizeDropdown()}),b.on("results:append",function(){d._positionDropdown(),d._resizeDropdown()}))}),b.on("close",function(){d._hideDropdown(),d._detachPositioningHandler(b)}),this.$dropdownContainer.on("mousedown",function(a){a.stopPropagation()})},c.prototype.destroy=function(a){a.call(this),this.$dropdownContainer.remove()},c.prototype.position=function(a,b,c){b.attr("class",c.attr("class")),b.removeClass("select2"),b.addClass("select2-container--open"),b.css({position:"absolute",top:-999999}),this.$container=c},c.prototype.render=function(b){var c=a("<span></span>"),d=b.call(this);return c.append(d),this.$dropdownContainer=c,c},c.prototype._hideDropdown=function(a){this.$dropdownContainer.detach()},c.prototype._attachPositioningHandler=function(c,d){var e=this,f="scroll.select2."+d.id,g="resize.select2."+d.id,h="orientationchange.select2."+d.id,i=this.$container.parents().filter(b.hasScroll);i.each(function(){a(this).data("select2-scroll-position",{x:a(this).scrollLeft(),y:a(this).scrollTop()})}),i.on(f,function(b){var c=a(this).data("select2-scroll-position");a(this).scrollTop(c.y)}),a(window).on(f+" "+g+" "+h,function(a){e._positionDropdown(),e._resizeDropdown()})},c.prototype._detachPositioningHandler=function(c,d){var e="scroll.select2."+d.id,f="resize.select2."+d.id,g="orientationchange.select2."+d.id,h=this.$container.parents().filter(b.hasScroll);h.off(e),a(window).off(e+" "+f+" "+g)},c.prototype._positionDropdown=function(){var b=a(window),c=this.$dropdown.hasClass("select2-dropdown--above"),d=this.$dropdown.hasClass("select2-dropdown--below"),e=null,f=this.$container.offset();f.bottom=f.top+this.$container.outerHeight(!1);var g={height:this.$container.outerHeight(!1)};g.top=f.top,g.bottom=f.top+g.height;var h={height:this.$dropdown.outerHeight(!1)},i={top:b.scrollTop(),bottom:b.scrollTop()+b.height()},j=i.top<f.top-h.height,k=i.bottom>f.bottom+h.height,l={left:f.left,top:g.bottom},m=this.$dropdownParent;"static"===m.css("position")&&(m=m.offsetParent());var n=m.offset();l.top-=n.top,l.left-=n.left,c||d||(e="below"),k||!j||c?!j&&k&&c&&(e="below"):e="above",("above"==e||c&&"below"!==e)&&(l.top=g.top-n.top-h.height),null!=e&&(this.$dropdown.removeClass("select2-dropdown--below select2-dropdown--above").addClass("select2-dropdown--"+e),this.$container.removeClass("select2-container--below select2-container--above").addClass("select2-container--"+e)),this.$dropdownContainer.css(l)},c.prototype._resizeDropdown=function(){var a={width:this.$container.outerWidth(!1)+"px"};this.options.get("dropdownAutoWidth")&&(a.minWidth=a.width,a.position="relative",a.width="auto"),this.$dropdown.css(a)},c.prototype._showDropdown=function(a){this.$dropdownContainer.appendTo(this.$dropdownParent),this._positionDropdown(),this._resizeDropdown()},c}),b.define("select2/dropdown/minimumResultsForSearch",[],function(){function a(b){for(var c=0,d=0;d<b.length;d++){var e=b[d];e.children?c+=a(e.children):c++}return c}function b(a,b,c,d){this.minimumResultsForSearch=c.get("minimumResultsForSearch"),this.minimumResultsForSearch<0&&(this.minimumResultsForSearch=1/0),a.call(this,b,c,d)}return b.prototype.showSearch=function(b,c){return a(c.data.results)<this.minimumResultsForSearch?!1:b.call(this,c)},b}),b.define("select2/dropdown/selectOnClose",[],function(){function a(){}return a.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),b.on("close",function(a){d._handleSelectOnClose(a)})},a.prototype._handleSelectOnClose=function(a,b){if(b&&null!=b.originalSelect2Event){var c=b.originalSelect2Event;if("select"===c._type||"unselect"===c._type)return}var d=this.getHighlightedResults();if(!(d.length<1)){var e=d.data("data");null!=e.element&&e.element.selected||null==e.element&&e.selected||this.trigger("select",{data:e})}},a}),b.define("select2/dropdown/closeOnSelect",[],function(){function a(){}return a.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),b.on("select",function(a){d._selectTriggered(a)}),b.on("unselect",function(a){d._selectTriggered(a)})},a.prototype._selectTriggered=function(a,b){var c=b.originalEvent;c&&c.ctrlKey||this.trigger("close",{originalEvent:c,originalSelect2Event:b})},a}),b.define("select2/i18n/en",[],function(){return{errorLoading:function(){return"The results could not be loaded."},inputTooLong:function(a){var b=a.input.length-a.maximum,c="Please delete "+b+" character";return 1!=b&&(c+="s"),c},inputTooShort:function(a){var b=a.minimum-a.input.length,c="Please enter "+b+" or more characters";return c},loadingMore:function(){return"Loading more results…"},maximumSelected:function(a){var b="You can only select "+a.maximum+" item";return 1!=a.maximum&&(b+="s"),b},noResults:function(){return"No results found"},searching:function(){return"Searching…"}}}),b.define("select2/defaults",["jquery","require","./results","./selection/single","./selection/multiple","./selection/placeholder","./selection/allowClear","./selection/search","./selection/eventRelay","./utils","./translation","./diacritics","./data/select","./data/array","./data/ajax","./data/tags","./data/tokenizer","./data/minimumInputLength","./data/maximumInputLength","./data/maximumSelectionLength","./dropdown","./dropdown/search","./dropdown/hidePlaceholder","./dropdown/infiniteScroll","./dropdown/attachBody","./dropdown/minimumResultsForSearch","./dropdown/selectOnClose","./dropdown/closeOnSelect","./i18n/en"],function(a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,A,B,C){function D(){this.reset()}D.prototype.apply=function(l){if(l=a.extend(!0,{},this.defaults,l),null==l.dataAdapter){if(null!=l.ajax?l.dataAdapter=o:null!=l.data?l.dataAdapter=n:l.dataAdapter=m,l.minimumInputLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,r)),l.maximumInputLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,s)),l.maximumSelectionLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,t)),l.tags&&(l.dataAdapter=j.Decorate(l.dataAdapter,p)),(null!=l.tokenSeparators||null!=l.tokenizer)&&(l.dataAdapter=j.Decorate(l.dataAdapter,q)),null!=l.query){var C=b(l.amdBase+"compat/query");l.dataAdapter=j.Decorate(l.dataAdapter,C)}if(null!=l.initSelection){var D=b(l.amdBase+"compat/initSelection");l.dataAdapter=j.Decorate(l.dataAdapter,D)}}if(null==l.resultsAdapter&&(l.resultsAdapter=c,null!=l.ajax&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,x)),null!=l.placeholder&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,w)),l.selectOnClose&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,A))),null==l.dropdownAdapter){if(l.multiple)l.dropdownAdapter=u;else{var E=j.Decorate(u,v);l.dropdownAdapter=E}if(0!==l.minimumResultsForSearch&&(l.dropdownAdapter=j.Decorate(l.dropdownAdapter,z)),l.closeOnSelect&&(l.dropdownAdapter=j.Decorate(l.dropdownAdapter,B)),null!=l.dropdownCssClass||null!=l.dropdownCss||null!=l.adaptDropdownCssClass){var F=b(l.amdBase+"compat/dropdownCss");l.dropdownAdapter=j.Decorate(l.dropdownAdapter,F)}l.dropdownAdapter=j.Decorate(l.dropdownAdapter,y)}if(null==l.selectionAdapter){if(l.multiple?l.selectionAdapter=e:l.selectionAdapter=d,null!=l.placeholder&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,f)),l.allowClear&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,g)),l.multiple&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,h)),null!=l.containerCssClass||null!=l.containerCss||null!=l.adaptContainerCssClass){var G=b(l.amdBase+"compat/containerCss");l.selectionAdapter=j.Decorate(l.selectionAdapter,G)}l.selectionAdapter=j.Decorate(l.selectionAdapter,i)}if("string"==typeof l.language)if(l.language.indexOf("-")>0){var H=l.language.split("-"),I=H[0];l.language=[l.language,I]}else l.language=[l.language];if(a.isArray(l.language)){var J=new k;l.language.push("en");for(var K=l.language,L=0;L<K.length;L++){var M=K[L],N={};try{N=k.loadPath(M)}catch(O){try{M=this.defaults.amdLanguageBase+M,N=k.loadPath(M)}catch(P){l.debug&&window.console&&console.warn&&console.warn('Select2: The language file for "'+M+'" could not be automatically loaded. A fallback will be used instead.');continue}}J.extend(N)}l.translations=J}else{var Q=k.loadPath(this.defaults.amdLanguageBase+"en"),R=new k(l.language);R.extend(Q),l.translations=R}return l},D.prototype.reset=function(){function b(a){function b(a){return l[a]||a}return a.replace(/[^\u0000-\u007E]/g,b)}function c(d,e){if(""===a.trim(d.term))return e;if(e.children&&e.children.length>0){for(var f=a.extend(!0,{},e),g=e.children.length-1;g>=0;g--){var h=e.children[g],i=c(d,h);null==i&&f.children.splice(g,1)}return f.children.length>0?f:c(d,f)}var j=b(e.text).toUpperCase(),k=b(d.term).toUpperCase();return j.indexOf(k)>-1?e:null}this.defaults={amdBase:"./",amdLanguageBase:"./i18n/",closeOnSelect:!0,debug:!1,dropdownAutoWidth:!1,escapeMarkup:j.escapeMarkup,language:C,matcher:c,minimumInputLength:0,maximumInputLength:0,maximumSelectionLength:0,minimumResultsForSearch:0,selectOnClose:!1,sorter:function(a){return a},templateResult:function(a){return a.text},templateSelection:function(a){return a.text},theme:"default",width:"resolve"}},D.prototype.set=function(b,c){var d=a.camelCase(b),e={};e[d]=c;var f=j._convertData(e);a.extend(this.defaults,f)};var E=new D;return E}),b.define("select2/options",["require","jquery","./defaults","./utils"],function(a,b,c,d){function e(b,e){if(this.options=b,null!=e&&this.fromElement(e),this.options=c.apply(this.options),e&&e.is("input")){var f=a(this.get("amdBase")+"compat/inputData");this.options.dataAdapter=d.Decorate(this.options.dataAdapter,f)}}return e.prototype.fromElement=function(a){var c=["select2"];null==this.options.multiple&&(this.options.multiple=a.prop("multiple")),null==this.options.disabled&&(this.options.disabled=a.prop("disabled")),null==this.options.language&&(a.prop("lang")?this.options.language=a.prop("lang").toLowerCase():a.closest("[lang]").prop("lang")&&(this.options.language=a.closest("[lang]").prop("lang"))),null==this.options.dir&&(a.prop("dir")?this.options.dir=a.prop("dir"):a.closest("[dir]").prop("dir")?this.options.dir=a.closest("[dir]").prop("dir"):this.options.dir="ltr"),a.prop("disabled",this.options.disabled),a.prop("multiple",this.options.multiple),a.data("select2Tags")&&(this.options.debug&&window.console&&console.warn&&console.warn('Select2: The `data-select2-tags` attribute has been changed to use the `data-data` and `data-tags="true"` attributes and will be removed in future versions of Select2.'),a.data("data",a.data("select2Tags")),a.data("tags",!0)),a.data("ajaxUrl")&&(this.options.debug&&window.console&&console.warn&&console.warn("Select2: The `data-ajax-url` attribute has been changed to `data-ajax--url` and support for the old attribute will be removed in future versions of Select2."),a.attr("ajax--url",a.data("ajaxUrl")),a.data("ajax--url",a.data("ajaxUrl")));var e={};e=b.fn.jquery&&"1."==b.fn.jquery.substr(0,2)&&a[0].dataset?b.extend(!0,{},a[0].dataset,a.data()):a.data();var f=b.extend(!0,{},e);f=d._convertData(f);for(var g in f)b.inArray(g,c)>-1||(b.isPlainObject(this.options[g])?b.extend(this.options[g],f[g]):this.options[g]=f[g]);return this},e.prototype.get=function(a){return this.options[a]},e.prototype.set=function(a,b){this.options[a]=b},e}),b.define("select2/core",["jquery","./options","./utils","./keys"],function(a,b,c,d){var e=function(a,c){null!=a.data("select2")&&a.data("select2").destroy(),this.$element=a,this.id=this._generateId(a),c=c||{},this.options=new b(c,a),e.__super__.constructor.call(this);var d=a.attr("tabindex")||0;a.data("old-tabindex",d),a.attr("tabindex","-1");var f=this.options.get("dataAdapter");this.dataAdapter=new f(a,this.options);var g=this.render();this._placeContainer(g);var h=this.options.get("selectionAdapter");this.selection=new h(a,this.options),this.$selection=this.selection.render(),this.selection.position(this.$selection,g);var i=this.options.get("dropdownAdapter");this.dropdown=new i(a,this.options),this.$dropdown=this.dropdown.render(),this.dropdown.position(this.$dropdown,g);var j=this.options.get("resultsAdapter");this.results=new j(a,this.options,this.dataAdapter),this.$results=this.results.render(),this.results.position(this.$results,this.$dropdown);var k=this;this._bindAdapters(),this._registerDomEvents(),this._registerDataEvents(),this._registerSelectionEvents(),this._registerDropdownEvents(),this._registerResultsEvents(),this._registerEvents(),this.dataAdapter.current(function(a){k.trigger("selection:update",{data:a})}),a.addClass("select2-hidden-accessible"),a.attr("aria-hidden","true"),this._syncAttributes(),a.data("select2",this)};return c.Extend(e,c.Observable),e.prototype._generateId=function(a){var b="";return b=null!=a.attr("id")?a.attr("id"):null!=a.attr("name")?a.attr("name")+"-"+c.generateChars(2):c.generateChars(4),b=b.replace(/(:|\.|\[|\]|,)/g,""),b="select2-"+b},e.prototype._placeContainer=function(a){a.insertAfter(this.$element);var b=this._resolveWidth(this.$element,this.options.get("width"));null!=b&&a.css("width",b)},e.prototype._resolveWidth=function(a,b){var c=/^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i;if("resolve"==b){var d=this._resolveWidth(a,"style");return null!=d?d:this._resolveWidth(a,"element")}if("element"==b){var e=a.outerWidth(!1);return 0>=e?"auto":e+"px"}if("style"==b){var f=a.attr("style");if("string"!=typeof f)return null;for(var g=f.split(";"),h=0,i=g.length;i>h;h+=1){var j=g[h].replace(/\s/g,""),k=j.match(c);if(null!==k&&k.length>=1)return k[1]}return null}return b},e.prototype._bindAdapters=function(){this.dataAdapter.bind(this,this.$container),this.selection.bind(this,this.$container),this.dropdown.bind(this,this.$container),this.results.bind(this,this.$container)},e.prototype._registerDomEvents=function(){var b=this;this.$element.on("change.select2",function(){b.dataAdapter.current(function(a){b.trigger("selection:update",{data:a})})}),this.$element.on("focus.select2",function(a){b.trigger("focus",a)}),this._syncA=c.bind(this._syncAttributes,this),this._syncS=c.bind(this._syncSubtree,this),this.$element[0].attachEvent&&this.$element[0].attachEvent("onpropertychange",this._syncA);var d=window.MutationObserver||window.WebKitMutationObserver||window.MozMutationObserver;null!=d?(this._observer=new d(function(c){a.each(c,b._syncA),a.each(c,b._syncS)}),this._observer.observe(this.$element[0],{attributes:!0,childList:!0,subtree:!1})):this.$element[0].addEventListener&&(this.$element[0].addEventListener("DOMAttrModified",b._syncA,!1),this.$element[0].addEventListener("DOMNodeInserted",b._syncS,!1),this.$element[0].addEventListener("DOMNodeRemoved",b._syncS,!1))},e.prototype._registerDataEvents=function(){var a=this;this.dataAdapter.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerSelectionEvents=function(){var b=this,c=["toggle","focus"];this.selection.on("toggle",function(){b.toggleDropdown()}),this.selection.on("focus",function(a){b.focus(a)}),this.selection.on("*",function(d,e){-1===a.inArray(d,c)&&b.trigger(d,e)})},e.prototype._registerDropdownEvents=function(){var a=this;this.dropdown.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerResultsEvents=function(){var a=this;this.results.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerEvents=function(){var a=this;this.on("open",function(){a.$container.addClass("select2-container--open")}),this.on("close",function(){a.$container.removeClass("select2-container--open")}),this.on("enable",function(){a.$container.removeClass("select2-container--disabled")}),this.on("disable",function(){a.$container.addClass("select2-container--disabled")}),this.on("blur",function(){a.$container.removeClass("select2-container--focus")}),this.on("query",function(b){a.isOpen()||a.trigger("open",{}),this.dataAdapter.query(b,function(c){a.trigger("results:all",{data:c,query:b})})}),this.on("query:append",function(b){this.dataAdapter.query(b,function(c){a.trigger("results:append",{data:c,query:b})})}),this.on("keypress",function(b){var c=b.which;a.isOpen()?c===d.ESC||c===d.TAB||c===d.UP&&b.altKey?(a.close(),b.preventDefault()):c===d.ENTER?(a.trigger("results:select",{}),b.preventDefault()):c===d.SPACE&&b.ctrlKey?(a.trigger("results:toggle",{}),b.preventDefault()):c===d.UP?(a.trigger("results:previous",{}),b.preventDefault()):c===d.DOWN&&(a.trigger("results:next",{}),b.preventDefault()):(c===d.ENTER||c===d.SPACE||c===d.DOWN&&b.altKey)&&(a.open(),b.preventDefault())})},e.prototype._syncAttributes=function(){this.options.set("disabled",this.$element.prop("disabled")),this.options.get("disabled")?(this.isOpen()&&this.close(),this.trigger("disable",{})):this.trigger("enable",{})},e.prototype._syncSubtree=function(a,b){var c=!1,d=this;if(!a||!a.target||"OPTION"===a.target.nodeName||"OPTGROUP"===a.target.nodeName){if(b)if(b.addedNodes&&b.addedNodes.length>0)for(var e=0;e<b.addedNodes.length;e++){var f=b.addedNodes[e];f.selected&&(c=!0)}else b.removedNodes&&b.removedNodes.length>0&&(c=!0);else c=!0;c&&this.dataAdapter.current(function(a){d.trigger("selection:update",{data:a})})}},e.prototype.trigger=function(a,b){var c=e.__super__.trigger,d={open:"opening",close:"closing",select:"selecting",unselect:"unselecting"};if(void 0===b&&(b={}),a in d){var f=d[a],g={prevented:!1,name:a,args:b};if(c.call(this,f,g),g.prevented)return void(b.prevented=!0)}c.call(this,a,b)},e.prototype.toggleDropdown=function(){this.options.get("disabled")||(this.isOpen()?this.close():this.open())},e.prototype.open=function(){this.isOpen()||this.trigger("query",{})},e.prototype.close=function(){this.isOpen()&&this.trigger("close",{})},e.prototype.isOpen=function(){return this.$container.hasClass("select2-container--open")},e.prototype.hasFocus=function(){return this.$container.hasClass("select2-container--focus")},e.prototype.focus=function(a){this.hasFocus()||(this.$container.addClass("select2-container--focus"),this.trigger("focus",{}))},e.prototype.enable=function(a){this.options.get("debug")&&window.console&&console.warn&&console.warn('Select2: The `select2("enable")` method has been deprecated and will be removed in later Select2 versions. Use $element.prop("disabled") instead.'),(null==a||0===a.length)&&(a=[!0]);var b=!a[0];this.$element.prop("disabled",b)},e.prototype.data=function(){this.options.get("debug")&&arguments.length>0&&window.console&&console.warn&&console.warn('Select2: Data can no longer be set using `select2("data")`. You should consider setting the value instead using `$element.val()`.');var a=[];return this.dataAdapter.current(function(b){a=b}),a},e.prototype.val=function(b){if(this.options.get("debug")&&window.console&&console.warn&&console.warn('Select2: The `select2("val")` method has been deprecated and will be removed in later Select2 versions. Use $element.val() instead.'),null==b||0===b.length)return this.$element.val();var c=b[0];a.isArray(c)&&(c=a.map(c,function(a){return a.toString()})),this.$element.val(c).trigger("change")},e.prototype.destroy=function(){this.$container.remove(),this.$element[0].detachEvent&&this.$element[0].detachEvent("onpropertychange",this._syncA),null!=this._observer?(this._observer.disconnect(),this._observer=null):this.$element[0].removeEventListener&&(this.$element[0].removeEventListener("DOMAttrModified",this._syncA,!1),this.$element[0].removeEventListener("DOMNodeInserted",this._syncS,!1),this.$element[0].removeEventListener("DOMNodeRemoved",this._syncS,!1)),this._syncA=null,this._syncS=null,this.$element.off(".select2"),this.$element.attr("tabindex",this.$element.data("old-tabindex")),this.$element.removeClass("select2-hidden-accessible"),this.$element.attr("aria-hidden","false"),this.$element.removeData("select2"),this.dataAdapter.destroy(),this.selection.destroy(),this.dropdown.destroy(),this.results.destroy(),this.dataAdapter=null,this.selection=null,this.dropdown=null,this.results=null;
},e.prototype.render=function(){var b=a('<span class="select2 select2-container"><span class="selection"></span><span class="dropdown-wrapper" aria-hidden="true"></span></span>');return b.attr("dir",this.options.get("dir")),this.$container=b,this.$container.addClass("select2-container--"+this.options.get("theme")),b.data("element",this.$element),b},e}),b.define("select2/compat/utils",["jquery"],function(a){function b(b,c,d){var e,f,g=[];e=a.trim(b.attr("class")),e&&(e=""+e,a(e.split(/\s+/)).each(function(){0===this.indexOf("select2-")&&g.push(this)})),e=a.trim(c.attr("class")),e&&(e=""+e,a(e.split(/\s+/)).each(function(){0!==this.indexOf("select2-")&&(f=d(this),null!=f&&g.push(f))})),b.attr("class",g.join(" "))}return{syncCssClasses:b}}),b.define("select2/compat/containerCss",["jquery","./utils"],function(a,b){function c(a){return null}function d(){}return d.prototype.render=function(d){var e=d.call(this),f=this.options.get("containerCssClass")||"";a.isFunction(f)&&(f=f(this.$element));var g=this.options.get("adaptContainerCssClass");if(g=g||c,-1!==f.indexOf(":all:")){f=f.replace(":all:","");var h=g;g=function(a){var b=h(a);return null!=b?b+" "+a:a}}var i=this.options.get("containerCss")||{};return a.isFunction(i)&&(i=i(this.$element)),b.syncCssClasses(e,this.$element,g),e.css(i),e.addClass(f),e},d}),b.define("select2/compat/dropdownCss",["jquery","./utils"],function(a,b){function c(a){return null}function d(){}return d.prototype.render=function(d){var e=d.call(this),f=this.options.get("dropdownCssClass")||"";a.isFunction(f)&&(f=f(this.$element));var g=this.options.get("adaptDropdownCssClass");if(g=g||c,-1!==f.indexOf(":all:")){f=f.replace(":all:","");var h=g;g=function(a){var b=h(a);return null!=b?b+" "+a:a}}var i=this.options.get("dropdownCss")||{};return a.isFunction(i)&&(i=i(this.$element)),b.syncCssClasses(e,this.$element,g),e.css(i),e.addClass(f),e},d}),b.define("select2/compat/initSelection",["jquery"],function(a){function b(a,b,c){c.get("debug")&&window.console&&console.warn&&console.warn("Select2: The `initSelection` option has been deprecated in favor of a custom data adapter that overrides the `current` method. This method is now called multiple times instead of a single time when the instance is initialized. Support will be removed for the `initSelection` option in future versions of Select2"),this.initSelection=c.get("initSelection"),this._isInitialized=!1,a.call(this,b,c)}return b.prototype.current=function(b,c){var d=this;return this._isInitialized?void b.call(this,c):void this.initSelection.call(null,this.$element,function(b){d._isInitialized=!0,a.isArray(b)||(b=[b]),c(b)})},b}),b.define("select2/compat/inputData",["jquery"],function(a){function b(a,b,c){this._currentData=[],this._valueSeparator=c.get("valueSeparator")||",","hidden"===b.prop("type")&&c.get("debug")&&console&&console.warn&&console.warn("Select2: Using a hidden input with Select2 is no longer supported and may stop working in the future. It is recommended to use a `<select>` element instead."),a.call(this,b,c)}return b.prototype.current=function(b,c){function d(b,c){var e=[];return b.selected||-1!==a.inArray(b.id,c)?(b.selected=!0,e.push(b)):b.selected=!1,b.children&&e.push.apply(e,d(b.children,c)),e}for(var e=[],f=0;f<this._currentData.length;f++){var g=this._currentData[f];e.push.apply(e,d(g,this.$element.val().split(this._valueSeparator)))}c(e)},b.prototype.select=function(b,c){if(this.options.get("multiple")){var d=this.$element.val();d+=this._valueSeparator+c.id,this.$element.val(d),this.$element.trigger("change")}else this.current(function(b){a.map(b,function(a){a.selected=!1})}),this.$element.val(c.id),this.$element.trigger("change")},b.prototype.unselect=function(a,b){var c=this;b.selected=!1,this.current(function(a){for(var d=[],e=0;e<a.length;e++){var f=a[e];b.id!=f.id&&d.push(f.id)}c.$element.val(d.join(c._valueSeparator)),c.$element.trigger("change")})},b.prototype.query=function(a,b,c){for(var d=[],e=0;e<this._currentData.length;e++){var f=this._currentData[e],g=this.matches(b,f);null!==g&&d.push(g)}c({results:d})},b.prototype.addOptions=function(b,c){var d=a.map(c,function(b){return a.data(b[0],"data")});this._currentData.push.apply(this._currentData,d)},b}),b.define("select2/compat/matcher",["jquery"],function(a){function b(b){function c(c,d){var e=a.extend(!0,{},d);if(null==c.term||""===a.trim(c.term))return e;if(d.children){for(var f=d.children.length-1;f>=0;f--){var g=d.children[f],h=b(c.term,g.text,g);h||e.children.splice(f,1)}if(e.children.length>0)return e}return b(c.term,d.text,d)?e:null}return c}return b}),b.define("select2/compat/query",[],function(){function a(a,b,c){c.get("debug")&&window.console&&console.warn&&console.warn("Select2: The `query` option has been deprecated in favor of a custom data adapter that overrides the `query` method. Support will be removed for the `query` option in future versions of Select2."),a.call(this,b,c)}return a.prototype.query=function(a,b,c){b.callback=c;var d=this.options.get("query");d.call(null,b)},a}),b.define("select2/dropdown/attachContainer",[],function(){function a(a,b,c){a.call(this,b,c)}return a.prototype.position=function(a,b,c){var d=c.find(".dropdown-wrapper");d.append(b),b.addClass("select2-dropdown--below"),c.addClass("select2-container--below")},a}),b.define("select2/dropdown/stopPropagation",[],function(){function a(){}return a.prototype.bind=function(a,b,c){a.call(this,b,c);var d=["blur","change","click","dblclick","focus","focusin","focusout","input","keydown","keyup","keypress","mousedown","mouseenter","mouseleave","mousemove","mouseover","mouseup","search","touchend","touchstart"];this.$dropdown.on(d.join(" "),function(a){a.stopPropagation()})},a}),b.define("select2/selection/stopPropagation",[],function(){function a(){}return a.prototype.bind=function(a,b,c){a.call(this,b,c);var d=["blur","change","click","dblclick","focus","focusin","focusout","input","keydown","keyup","keypress","mousedown","mouseenter","mouseleave","mousemove","mouseover","mouseup","search","touchend","touchstart"];this.$selection.on(d.join(" "),function(a){a.stopPropagation()})},a}),function(c){"function"==typeof b.define&&b.define.amd?b.define("jquery-mousewheel",["jquery"],c):"object"==typeof exports?module.exports=c:c(a)}(function(a){function b(b){var g=b||window.event,h=i.call(arguments,1),j=0,l=0,m=0,n=0,o=0,p=0;if(b=a.event.fix(g),b.type="mousewheel","detail"in g&&(m=-1*g.detail),"wheelDelta"in g&&(m=g.wheelDelta),"wheelDeltaY"in g&&(m=g.wheelDeltaY),"wheelDeltaX"in g&&(l=-1*g.wheelDeltaX),"axis"in g&&g.axis===g.HORIZONTAL_AXIS&&(l=-1*m,m=0),j=0===m?l:m,"deltaY"in g&&(m=-1*g.deltaY,j=m),"deltaX"in g&&(l=g.deltaX,0===m&&(j=-1*l)),0!==m||0!==l){if(1===g.deltaMode){var q=a.data(this,"mousewheel-line-height");j*=q,m*=q,l*=q}else if(2===g.deltaMode){var r=a.data(this,"mousewheel-page-height");j*=r,m*=r,l*=r}if(n=Math.max(Math.abs(m),Math.abs(l)),(!f||f>n)&&(f=n,d(g,n)&&(f/=40)),d(g,n)&&(j/=40,l/=40,m/=40),j=Math[j>=1?"floor":"ceil"](j/f),l=Math[l>=1?"floor":"ceil"](l/f),m=Math[m>=1?"floor":"ceil"](m/f),k.settings.normalizeOffset&&this.getBoundingClientRect){var s=this.getBoundingClientRect();o=b.clientX-s.left,p=b.clientY-s.top}return b.deltaX=l,b.deltaY=m,b.deltaFactor=f,b.offsetX=o,b.offsetY=p,b.deltaMode=0,h.unshift(b,j,l,m),e&&clearTimeout(e),e=setTimeout(c,200),(a.event.dispatch||a.event.handle).apply(this,h)}}function c(){f=null}function d(a,b){return k.settings.adjustOldDeltas&&"mousewheel"===a.type&&b%120===0}var e,f,g=["wheel","mousewheel","DOMMouseScroll","MozMousePixelScroll"],h="onwheel"in document||document.documentMode>=9?["wheel"]:["mousewheel","DomMouseScroll","MozMousePixelScroll"],i=Array.prototype.slice;if(a.event.fixHooks)for(var j=g.length;j;)a.event.fixHooks[g[--j]]=a.event.mouseHooks;var k=a.event.special.mousewheel={version:"3.1.12",setup:function(){if(this.addEventListener)for(var c=h.length;c;)this.addEventListener(h[--c],b,!1);else this.onmousewheel=b;a.data(this,"mousewheel-line-height",k.getLineHeight(this)),a.data(this,"mousewheel-page-height",k.getPageHeight(this))},teardown:function(){if(this.removeEventListener)for(var c=h.length;c;)this.removeEventListener(h[--c],b,!1);else this.onmousewheel=null;a.removeData(this,"mousewheel-line-height"),a.removeData(this,"mousewheel-page-height")},getLineHeight:function(b){var c=a(b),d=c["offsetParent"in a.fn?"offsetParent":"parent"]();return d.length||(d=a("body")),parseInt(d.css("fontSize"),10)||parseInt(c.css("fontSize"),10)||16},getPageHeight:function(b){return a(b).height()},settings:{adjustOldDeltas:!0,normalizeOffset:!0}};a.fn.extend({mousewheel:function(a){return a?this.bind("mousewheel",a):this.trigger("mousewheel")},unmousewheel:function(a){return this.unbind("mousewheel",a)}})}),b.define("jquery.select2",["jquery","jquery-mousewheel","./select2/core","./select2/defaults"],function(a,b,c,d){if(null==a.fn.select2){var e=["open","close","destroy"];a.fn.select2=function(b){if(b=b||{},"object"==typeof b)return this.each(function(){var d=a.extend(!0,{},b);new c(a(this),d)}),this;if("string"==typeof b){var d,f=Array.prototype.slice.call(arguments,1);return this.each(function(){var c=a(this).data("select2");null==c&&window.console&&console.error&&console.error("The select2('"+b+"') method was called on an element that is not using Select2."),d=c[b].apply(c,f)}),a.inArray(b,e)>-1?this:d}throw new Error("Invalid arguments for Select2: "+b)}}return null==a.fn.select2.defaults&&(a.fn.select2.defaults=d),c}),{define:b.define,require:b.require}}(),c=b.require("jquery.select2");return a.fn.select2.amd=b,c});PK�
�[iybx\;\;$assets/inc/select2/4/select2.min.cssnu�[���.select2-container{box-sizing:border-box;display:inline-block;margin:0;position:relative;vertical-align:middle}.select2-container .select2-selection--single{box-sizing:border-box;cursor:pointer;display:block;height:28px;user-select:none;-webkit-user-select:none}.select2-container .select2-selection--single .select2-selection__rendered{display:block;padding-left:8px;padding-right:20px;overflow:hidden;text-overflow:ellipsis;white-space:nowrap}.select2-container .select2-selection--single .select2-selection__clear{position:relative}.select2-container[dir="rtl"] .select2-selection--single .select2-selection__rendered{padding-right:8px;padding-left:20px}.select2-container .select2-selection--multiple{box-sizing:border-box;cursor:pointer;display:block;min-height:32px;user-select:none;-webkit-user-select:none}.select2-container .select2-selection--multiple .select2-selection__rendered{display:inline-block;overflow:hidden;padding-left:8px;text-overflow:ellipsis;white-space:nowrap}.select2-container .select2-search--inline{float:left}.select2-container .select2-search--inline .select2-search__field{box-sizing:border-box;border:none;font-size:100%;margin-top:5px;padding:0}.select2-container .select2-search--inline .select2-search__field::-webkit-search-cancel-button{-webkit-appearance:none}.select2-dropdown{background-color:white;border:1px solid #aaa;border-radius:4px;box-sizing:border-box;display:block;position:absolute;left:-100000px;width:100%;z-index:1051}.select2-results{display:block}.select2-results__options{list-style:none;margin:0;padding:0}.select2-results__option{padding:6px;user-select:none;-webkit-user-select:none}.select2-results__option[aria-selected]{cursor:pointer}.select2-container--open .select2-dropdown{left:0}.select2-container--open .select2-dropdown--above{border-bottom:none;border-bottom-left-radius:0;border-bottom-right-radius:0}.select2-container--open .select2-dropdown--below{border-top:none;border-top-left-radius:0;border-top-right-radius:0}.select2-search--dropdown{display:block;padding:4px}.select2-search--dropdown .select2-search__field{padding:4px;width:100%;box-sizing:border-box}.select2-search--dropdown .select2-search__field::-webkit-search-cancel-button{-webkit-appearance:none}.select2-search--dropdown.select2-search--hide{display:none}.select2-close-mask{border:0;margin:0;padding:0;display:block;position:fixed;left:0;top:0;min-height:100%;min-width:100%;height:auto;width:auto;opacity:0;z-index:99;background-color:#fff;filter:alpha(opacity=0)}.select2-hidden-accessible{border:0 !important;clip:rect(0 0 0 0) !important;height:1px !important;margin:-1px !important;overflow:hidden !important;padding:0 !important;position:absolute !important;width:1px !important}.select2-container--default .select2-selection--single{background-color:#fff;border:1px solid #aaa;border-radius:4px}.select2-container--default .select2-selection--single .select2-selection__rendered{color:#444;line-height:28px}.select2-container--default .select2-selection--single .select2-selection__clear{cursor:pointer;float:right;font-weight:bold}.select2-container--default .select2-selection--single .select2-selection__placeholder{color:#999}.select2-container--default .select2-selection--single .select2-selection__arrow{height:26px;position:absolute;top:1px;right:1px;width:20px}.select2-container--default .select2-selection--single .select2-selection__arrow b{border-color:#888 transparent transparent transparent;border-style:solid;border-width:5px 4px 0 4px;height:0;left:50%;margin-left:-4px;margin-top:-2px;position:absolute;top:50%;width:0}.select2-container--default[dir="rtl"] .select2-selection--single .select2-selection__clear{float:left}.select2-container--default[dir="rtl"] .select2-selection--single .select2-selection__arrow{left:1px;right:auto}.select2-container--default.select2-container--disabled .select2-selection--single{background-color:#eee;cursor:default}.select2-container--default.select2-container--disabled .select2-selection--single .select2-selection__clear{display:none}.select2-container--default.select2-container--open .select2-selection--single .select2-selection__arrow b{border-color:transparent transparent #888 transparent;border-width:0 4px 5px 4px}.select2-container--default .select2-selection--multiple{background-color:white;border:1px solid #aaa;border-radius:4px;cursor:text}.select2-container--default .select2-selection--multiple .select2-selection__rendered{box-sizing:border-box;list-style:none;margin:0;padding:0 5px;width:100%}.select2-container--default .select2-selection--multiple .select2-selection__rendered li{list-style:none}.select2-container--default .select2-selection--multiple .select2-selection__placeholder{color:#999;margin-top:5px;float:left}.select2-container--default .select2-selection--multiple .select2-selection__clear{cursor:pointer;float:right;font-weight:bold;margin-top:5px;margin-right:10px}.select2-container--default .select2-selection--multiple .select2-selection__choice{background-color:#e4e4e4;border:1px solid #aaa;border-radius:4px;cursor:default;float:left;margin-right:5px;margin-top:5px;padding:0 5px}.select2-container--default .select2-selection--multiple .select2-selection__choice__remove{color:#999;cursor:pointer;display:inline-block;font-weight:bold;margin-right:2px}.select2-container--default .select2-selection--multiple .select2-selection__choice__remove:hover{color:#333}.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice,.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__placeholder,.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-search--inline{float:right}.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice{margin-left:5px;margin-right:auto}.select2-container--default[dir="rtl"] .select2-selection--multiple .select2-selection__choice__remove{margin-left:2px;margin-right:auto}.select2-container--default.select2-container--focus .select2-selection--multiple{border:solid black 1px;outline:0}.select2-container--default.select2-container--disabled .select2-selection--multiple{background-color:#eee;cursor:default}.select2-container--default.select2-container--disabled .select2-selection__choice__remove{display:none}.select2-container--default.select2-container--open.select2-container--above .select2-selection--single,.select2-container--default.select2-container--open.select2-container--above .select2-selection--multiple{border-top-left-radius:0;border-top-right-radius:0}.select2-container--default.select2-container--open.select2-container--below .select2-selection--single,.select2-container--default.select2-container--open.select2-container--below .select2-selection--multiple{border-bottom-left-radius:0;border-bottom-right-radius:0}.select2-container--default .select2-search--dropdown .select2-search__field{border:1px solid #aaa}.select2-container--default .select2-search--inline .select2-search__field{background:transparent;border:none;outline:0;box-shadow:none;-webkit-appearance:textfield}.select2-container--default .select2-results>.select2-results__options{max-height:200px;overflow-y:auto}.select2-container--default .select2-results__option[role=group]{padding:0}.select2-container--default .select2-results__option[aria-disabled=true]{color:#999}.select2-container--default .select2-results__option[aria-selected=true]{background-color:#ddd}.select2-container--default .select2-results__option .select2-results__option{padding-left:1em}.select2-container--default .select2-results__option .select2-results__option .select2-results__group{padding-left:0}.select2-container--default .select2-results__option .select2-results__option .select2-results__option{margin-left:-1em;padding-left:2em}.select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option{margin-left:-2em;padding-left:3em}.select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option{margin-left:-3em;padding-left:4em}.select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option{margin-left:-4em;padding-left:5em}.select2-container--default .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option .select2-results__option{margin-left:-5em;padding-left:6em}.select2-container--default .select2-results__option--highlighted[aria-selected]{background-color:#5897fb;color:white}.select2-container--default .select2-results__group{cursor:default;display:block;padding:6px}.select2-container--classic .select2-selection--single{background-color:#f7f7f7;border:1px solid #aaa;border-radius:4px;outline:0;background-image:-webkit-linear-gradient(top, #fff 50%, #eee 100%);background-image:-o-linear-gradient(top, #fff 50%, #eee 100%);background-image:linear-gradient(to bottom, #fff 50%, #eee 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFFFFFFF', endColorstr='#FFEEEEEE', GradientType=0)}.select2-container--classic .select2-selection--single:focus{border:1px solid #5897fb}.select2-container--classic .select2-selection--single .select2-selection__rendered{color:#444;line-height:28px}.select2-container--classic .select2-selection--single .select2-selection__clear{cursor:pointer;float:right;font-weight:bold;margin-right:10px}.select2-container--classic .select2-selection--single .select2-selection__placeholder{color:#999}.select2-container--classic .select2-selection--single .select2-selection__arrow{background-color:#ddd;border:none;border-left:1px solid #aaa;border-top-right-radius:4px;border-bottom-right-radius:4px;height:26px;position:absolute;top:1px;right:1px;width:20px;background-image:-webkit-linear-gradient(top, #eee 50%, #ccc 100%);background-image:-o-linear-gradient(top, #eee 50%, #ccc 100%);background-image:linear-gradient(to bottom, #eee 50%, #ccc 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFEEEEEE', endColorstr='#FFCCCCCC', GradientType=0)}.select2-container--classic .select2-selection--single .select2-selection__arrow b{border-color:#888 transparent transparent transparent;border-style:solid;border-width:5px 4px 0 4px;height:0;left:50%;margin-left:-4px;margin-top:-2px;position:absolute;top:50%;width:0}.select2-container--classic[dir="rtl"] .select2-selection--single .select2-selection__clear{float:left}.select2-container--classic[dir="rtl"] .select2-selection--single .select2-selection__arrow{border:none;border-right:1px solid #aaa;border-radius:0;border-top-left-radius:4px;border-bottom-left-radius:4px;left:1px;right:auto}.select2-container--classic.select2-container--open .select2-selection--single{border:1px solid #5897fb}.select2-container--classic.select2-container--open .select2-selection--single .select2-selection__arrow{background:transparent;border:none}.select2-container--classic.select2-container--open .select2-selection--single .select2-selection__arrow b{border-color:transparent transparent #888 transparent;border-width:0 4px 5px 4px}.select2-container--classic.select2-container--open.select2-container--above .select2-selection--single{border-top:none;border-top-left-radius:0;border-top-right-radius:0;background-image:-webkit-linear-gradient(top, #fff 0%, #eee 50%);background-image:-o-linear-gradient(top, #fff 0%, #eee 50%);background-image:linear-gradient(to bottom, #fff 0%, #eee 50%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFFFFFFF', endColorstr='#FFEEEEEE', GradientType=0)}.select2-container--classic.select2-container--open.select2-container--below .select2-selection--single{border-bottom:none;border-bottom-left-radius:0;border-bottom-right-radius:0;background-image:-webkit-linear-gradient(top, #eee 50%, #fff 100%);background-image:-o-linear-gradient(top, #eee 50%, #fff 100%);background-image:linear-gradient(to bottom, #eee 50%, #fff 100%);background-repeat:repeat-x;filter:progid:DXImageTransform.Microsoft.gradient(startColorstr='#FFEEEEEE', endColorstr='#FFFFFFFF', GradientType=0)}.select2-container--classic .select2-selection--multiple{background-color:white;border:1px solid #aaa;border-radius:4px;cursor:text;outline:0}.select2-container--classic .select2-selection--multiple:focus{border:1px solid #5897fb}.select2-container--classic .select2-selection--multiple .select2-selection__rendered{list-style:none;margin:0;padding:0 5px}.select2-container--classic .select2-selection--multiple .select2-selection__clear{display:none}.select2-container--classic .select2-selection--multiple .select2-selection__choice{background-color:#e4e4e4;border:1px solid #aaa;border-radius:4px;cursor:default;float:left;margin-right:5px;margin-top:5px;padding:0 5px}.select2-container--classic .select2-selection--multiple .select2-selection__choice__remove{color:#888;cursor:pointer;display:inline-block;font-weight:bold;margin-right:2px}.select2-container--classic .select2-selection--multiple .select2-selection__choice__remove:hover{color:#555}.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice{float:right}.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice{margin-left:5px;margin-right:auto}.select2-container--classic[dir="rtl"] .select2-selection--multiple .select2-selection__choice__remove{margin-left:2px;margin-right:auto}.select2-container--classic.select2-container--open .select2-selection--multiple{border:1px solid #5897fb}.select2-container--classic.select2-container--open.select2-container--above .select2-selection--multiple{border-top:none;border-top-left-radius:0;border-top-right-radius:0}.select2-container--classic.select2-container--open.select2-container--below .select2-selection--multiple{border-bottom:none;border-bottom-left-radius:0;border-bottom-right-radius:0}.select2-container--classic .select2-search--dropdown .select2-search__field{border:1px solid #aaa;outline:0}.select2-container--classic .select2-search--inline .select2-search__field{outline:0;box-shadow:none}.select2-container--classic .select2-dropdown{background-color:#fff;border:1px solid transparent}.select2-container--classic .select2-dropdown--above{border-bottom:none}.select2-container--classic .select2-dropdown--below{border-top:none}.select2-container--classic .select2-results>.select2-results__options{max-height:200px;overflow-y:auto}.select2-container--classic .select2-results__option[role=group]{padding:0}.select2-container--classic .select2-results__option[aria-disabled=true]{color:grey}.select2-container--classic .select2-results__option--highlighted[aria-selected]{background-color:#3875d7;color:#fff}.select2-container--classic .select2-results__group{cursor:default;display:block;padding:6px}.select2-container--classic.select2-container--open .select2-dropdown{border-color:#5897fb}
PK�
�[	%�n*n*assets/inc/select2/4/select2.jsnu�[���/*!
 * Select2 4.0.3
 * https://select2.github.io
 *
 * Released under the MIT license
 * https://github.com/select2/select2/blob/master/LICENSE.md
 */
(function (factory) {
  if (typeof define === 'function' && define.amd) {
    // AMD. Register as an anonymous module.
    define(['jquery'], factory);
  } else if (typeof exports === 'object') {
    // Node/CommonJS
    factory(require('jquery'));
  } else {
    // Browser globals
    factory(jQuery);
  }
}(function (jQuery) {
  // This is needed so we can catch the AMD loader configuration and use it
  // The inner file should be wrapped (by `banner.start.js`) in a function that
  // returns the AMD loader references.
  var S2 =
(function () {
  // Restore the Select2 AMD loader so it can be used
  // Needed mostly in the language files, where the loader is not inserted
  if (jQuery && jQuery.fn && jQuery.fn.select2 && jQuery.fn.select2.amd) {
    var S2 = jQuery.fn.select2.amd;
  }
var S2;(function () { if (!S2 || !S2.requirejs) {
if (!S2) { S2 = {}; } else { require = S2; }
/**
 * @license almond 0.3.1 Copyright (c) 2011-2014, The Dojo Foundation All Rights Reserved.
 * Available via the MIT or new BSD license.
 * see: http://github.com/jrburke/almond for details
 */
//Going sloppy to avoid 'use strict' string cost, but strict practices should
//be followed.
/*jslint sloppy: true */
/*global setTimeout: false */

var requirejs, require, define;
(function (undef) {
    var main, req, makeMap, handlers,
        defined = {},
        waiting = {},
        config = {},
        defining = {},
        hasOwn = Object.prototype.hasOwnProperty,
        aps = [].slice,
        jsSuffixRegExp = /\.js$/;

    function hasProp(obj, prop) {
        return hasOwn.call(obj, prop);
    }

    /**
     * Given a relative module name, like ./something, normalize it to
     * a real name that can be mapped to a path.
     * @param {String} name the relative name
     * @param {String} baseName a real name that the name arg is relative
     * to.
     * @returns {String} normalized name
     */
    function normalize(name, baseName) {
        var nameParts, nameSegment, mapValue, foundMap, lastIndex,
            foundI, foundStarMap, starI, i, j, part,
            baseParts = baseName && baseName.split("/"),
            map = config.map,
            starMap = (map && map['*']) || {};

        //Adjust any relative paths.
        if (name && name.charAt(0) === ".") {
            //If have a base name, try to normalize against it,
            //otherwise, assume it is a top-level require that will
            //be relative to baseUrl in the end.
            if (baseName) {
                name = name.split('/');
                lastIndex = name.length - 1;

                // Node .js allowance:
                if (config.nodeIdCompat && jsSuffixRegExp.test(name[lastIndex])) {
                    name[lastIndex] = name[lastIndex].replace(jsSuffixRegExp, '');
                }

                //Lop off the last part of baseParts, so that . matches the
                //"directory" and not name of the baseName's module. For instance,
                //baseName of "one/two/three", maps to "one/two/three.js", but we
                //want the directory, "one/two" for this normalization.
                name = baseParts.slice(0, baseParts.length - 1).concat(name);

                //start trimDots
                for (i = 0; i < name.length; i += 1) {
                    part = name[i];
                    if (part === ".") {
                        name.splice(i, 1);
                        i -= 1;
                    } else if (part === "..") {
                        if (i === 1 && (name[2] === '..' || name[0] === '..')) {
                            //End of the line. Keep at least one non-dot
                            //path segment at the front so it can be mapped
                            //correctly to disk. Otherwise, there is likely
                            //no path mapping for a path starting with '..'.
                            //This can still fail, but catches the most reasonable
                            //uses of ..
                            break;
                        } else if (i > 0) {
                            name.splice(i - 1, 2);
                            i -= 2;
                        }
                    }
                }
                //end trimDots

                name = name.join("/");
            } else if (name.indexOf('./') === 0) {
                // No baseName, so this is ID is resolved relative
                // to baseUrl, pull off the leading dot.
                name = name.substring(2);
            }
        }

        //Apply map config if available.
        if ((baseParts || starMap) && map) {
            nameParts = name.split('/');

            for (i = nameParts.length; i > 0; i -= 1) {
                nameSegment = nameParts.slice(0, i).join("/");

                if (baseParts) {
                    //Find the longest baseName segment match in the config.
                    //So, do joins on the biggest to smallest lengths of baseParts.
                    for (j = baseParts.length; j > 0; j -= 1) {
                        mapValue = map[baseParts.slice(0, j).join('/')];

                        //baseName segment has  config, find if it has one for
                        //this name.
                        if (mapValue) {
                            mapValue = mapValue[nameSegment];
                            if (mapValue) {
                                //Match, update name to the new value.
                                foundMap = mapValue;
                                foundI = i;
                                break;
                            }
                        }
                    }
                }

                if (foundMap) {
                    break;
                }

                //Check for a star map match, but just hold on to it,
                //if there is a shorter segment match later in a matching
                //config, then favor over this star map.
                if (!foundStarMap && starMap && starMap[nameSegment]) {
                    foundStarMap = starMap[nameSegment];
                    starI = i;
                }
            }

            if (!foundMap && foundStarMap) {
                foundMap = foundStarMap;
                foundI = starI;
            }

            if (foundMap) {
                nameParts.splice(0, foundI, foundMap);
                name = nameParts.join('/');
            }
        }

        return name;
    }

    function makeRequire(relName, forceSync) {
        return function () {
            //A version of a require function that passes a moduleName
            //value for items that may need to
            //look up paths relative to the moduleName
            var args = aps.call(arguments, 0);

            //If first arg is not require('string'), and there is only
            //one arg, it is the array form without a callback. Insert
            //a null so that the following concat is correct.
            if (typeof args[0] !== 'string' && args.length === 1) {
                args.push(null);
            }
            return req.apply(undef, args.concat([relName, forceSync]));
        };
    }

    function makeNormalize(relName) {
        return function (name) {
            return normalize(name, relName);
        };
    }

    function makeLoad(depName) {
        return function (value) {
            defined[depName] = value;
        };
    }

    function callDep(name) {
        if (hasProp(waiting, name)) {
            var args = waiting[name];
            delete waiting[name];
            defining[name] = true;
            main.apply(undef, args);
        }

        if (!hasProp(defined, name) && !hasProp(defining, name)) {
            throw new Error('No ' + name);
        }
        return defined[name];
    }

    //Turns a plugin!resource to [plugin, resource]
    //with the plugin being undefined if the name
    //did not have a plugin prefix.
    function splitPrefix(name) {
        var prefix,
            index = name ? name.indexOf('!') : -1;
        if (index > -1) {
            prefix = name.substring(0, index);
            name = name.substring(index + 1, name.length);
        }
        return [prefix, name];
    }

    /**
     * Makes a name map, normalizing the name, and using a plugin
     * for normalization if necessary. Grabs a ref to plugin
     * too, as an optimization.
     */
    makeMap = function (name, relName) {
        var plugin,
            parts = splitPrefix(name),
            prefix = parts[0];

        name = parts[1];

        if (prefix) {
            prefix = normalize(prefix, relName);
            plugin = callDep(prefix);
        }

        //Normalize according
        if (prefix) {
            if (plugin && plugin.normalize) {
                name = plugin.normalize(name, makeNormalize(relName));
            } else {
                name = normalize(name, relName);
            }
        } else {
            name = normalize(name, relName);
            parts = splitPrefix(name);
            prefix = parts[0];
            name = parts[1];
            if (prefix) {
                plugin = callDep(prefix);
            }
        }

        //Using ridiculous property names for space reasons
        return {
            f: prefix ? prefix + '!' + name : name, //fullName
            n: name,
            pr: prefix,
            p: plugin
        };
    };

    function makeConfig(name) {
        return function () {
            return (config && config.config && config.config[name]) || {};
        };
    }

    handlers = {
        require: function (name) {
            return makeRequire(name);
        },
        exports: function (name) {
            var e = defined[name];
            if (typeof e !== 'undefined') {
                return e;
            } else {
                return (defined[name] = {});
            }
        },
        module: function (name) {
            return {
                id: name,
                uri: '',
                exports: defined[name],
                config: makeConfig(name)
            };
        }
    };

    main = function (name, deps, callback, relName) {
        var cjsModule, depName, ret, map, i,
            args = [],
            callbackType = typeof callback,
            usingExports;

        //Use name if no relName
        relName = relName || name;

        //Call the callback to define the module, if necessary.
        if (callbackType === 'undefined' || callbackType === 'function') {
            //Pull out the defined dependencies and pass the ordered
            //values to the callback.
            //Default to [require, exports, module] if no deps
            deps = !deps.length && callback.length ? ['require', 'exports', 'module'] : deps;
            for (i = 0; i < deps.length; i += 1) {
                map = makeMap(deps[i], relName);
                depName = map.f;

                //Fast path CommonJS standard dependencies.
                if (depName === "require") {
                    args[i] = handlers.require(name);
                } else if (depName === "exports") {
                    //CommonJS module spec 1.1
                    args[i] = handlers.exports(name);
                    usingExports = true;
                } else if (depName === "module") {
                    //CommonJS module spec 1.1
                    cjsModule = args[i] = handlers.module(name);
                } else if (hasProp(defined, depName) ||
                           hasProp(waiting, depName) ||
                           hasProp(defining, depName)) {
                    args[i] = callDep(depName);
                } else if (map.p) {
                    map.p.load(map.n, makeRequire(relName, true), makeLoad(depName), {});
                    args[i] = defined[depName];
                } else {
                    throw new Error(name + ' missing ' + depName);
                }
            }

            ret = callback ? callback.apply(defined[name], args) : undefined;

            if (name) {
                //If setting exports via "module" is in play,
                //favor that over return value and exports. After that,
                //favor a non-undefined return value over exports use.
                if (cjsModule && cjsModule.exports !== undef &&
                        cjsModule.exports !== defined[name]) {
                    defined[name] = cjsModule.exports;
                } else if (ret !== undef || !usingExports) {
                    //Use the return value from the function.
                    defined[name] = ret;
                }
            }
        } else if (name) {
            //May just be an object definition for the module. Only
            //worry about defining if have a module name.
            defined[name] = callback;
        }
    };

    requirejs = require = req = function (deps, callback, relName, forceSync, alt) {
        if (typeof deps === "string") {
            if (handlers[deps]) {
                //callback in this case is really relName
                return handlers[deps](callback);
            }
            //Just return the module wanted. In this scenario, the
            //deps arg is the module name, and second arg (if passed)
            //is just the relName.
            //Normalize module name, if it contains . or ..
            return callDep(makeMap(deps, callback).f);
        } else if (!deps.splice) {
            //deps is a config object, not an array.
            config = deps;
            if (config.deps) {
                req(config.deps, config.callback);
            }
            if (!callback) {
                return;
            }

            if (callback.splice) {
                //callback is an array, which means it is a dependency list.
                //Adjust args if there are dependencies
                deps = callback;
                callback = relName;
                relName = null;
            } else {
                deps = undef;
            }
        }

        //Support require(['a'])
        callback = callback || function () {};

        //If relName is a function, it is an errback handler,
        //so remove it.
        if (typeof relName === 'function') {
            relName = forceSync;
            forceSync = alt;
        }

        //Simulate async callback;
        if (forceSync) {
            main(undef, deps, callback, relName);
        } else {
            //Using a non-zero value because of concern for what old browsers
            //do, and latest browsers "upgrade" to 4 if lower value is used:
            //http://www.whatwg.org/specs/web-apps/current-work/multipage/timers.html#dom-windowtimers-settimeout:
            //If want a value immediately, use require('id') instead -- something
            //that works in almond on the global level, but not guaranteed and
            //unlikely to work in other AMD implementations.
            setTimeout(function () {
                main(undef, deps, callback, relName);
            }, 4);
        }

        return req;
    };

    /**
     * Just drops the config on the floor, but returns req in case
     * the config return value is used.
     */
    req.config = function (cfg) {
        return req(cfg);
    };

    /**
     * Expose module registry for debugging and tooling
     */
    requirejs._defined = defined;

    define = function (name, deps, callback) {
        if (typeof name !== 'string') {
            throw new Error('See almond README: incorrect module build, no module name');
        }

        //This module may not have dependencies
        if (!deps.splice) {
            //deps is not an array, so probably means
            //an object literal or factory function for
            //the value. Adjust args.
            callback = deps;
            deps = [];
        }

        if (!hasProp(defined, name) && !hasProp(waiting, name)) {
            waiting[name] = [name, deps, callback];
        }
    };

    define.amd = {
        jQuery: true
    };
}());

S2.requirejs = requirejs;S2.require = require;S2.define = define;
}
}());
S2.define("almond", function(){});

/* global jQuery:false, $:false */
S2.define('jquery',[],function () {
  var _$ = jQuery || $;

  if (_$ == null && console && console.error) {
    console.error(
      'Select2: An instance of jQuery or a jQuery-compatible library was not ' +
      'found. Make sure that you are including jQuery before Select2 on your ' +
      'web page.'
    );
  }

  return _$;
});

S2.define('select2/utils',[
  'jquery'
], function ($) {
  var Utils = {};

  Utils.Extend = function (ChildClass, SuperClass) {
    var __hasProp = {}.hasOwnProperty;

    function BaseConstructor () {
      this.constructor = ChildClass;
    }

    for (var key in SuperClass) {
      if (__hasProp.call(SuperClass, key)) {
        ChildClass[key] = SuperClass[key];
      }
    }

    BaseConstructor.prototype = SuperClass.prototype;
    ChildClass.prototype = new BaseConstructor();
    ChildClass.__super__ = SuperClass.prototype;

    return ChildClass;
  };

  function getMethods (theClass) {
    var proto = theClass.prototype;

    var methods = [];

    for (var methodName in proto) {
      var m = proto[methodName];

      if (typeof m !== 'function') {
        continue;
      }

      if (methodName === 'constructor') {
        continue;
      }

      methods.push(methodName);
    }

    return methods;
  }

  Utils.Decorate = function (SuperClass, DecoratorClass) {
    var decoratedMethods = getMethods(DecoratorClass);
    var superMethods = getMethods(SuperClass);

    function DecoratedClass () {
      var unshift = Array.prototype.unshift;

      var argCount = DecoratorClass.prototype.constructor.length;

      var calledConstructor = SuperClass.prototype.constructor;

      if (argCount > 0) {
        unshift.call(arguments, SuperClass.prototype.constructor);

        calledConstructor = DecoratorClass.prototype.constructor;
      }

      calledConstructor.apply(this, arguments);
    }

    DecoratorClass.displayName = SuperClass.displayName;

    function ctr () {
      this.constructor = DecoratedClass;
    }

    DecoratedClass.prototype = new ctr();

    for (var m = 0; m < superMethods.length; m++) {
        var superMethod = superMethods[m];

        DecoratedClass.prototype[superMethod] =
          SuperClass.prototype[superMethod];
    }

    var calledMethod = function (methodName) {
      // Stub out the original method if it's not decorating an actual method
      var originalMethod = function () {};

      if (methodName in DecoratedClass.prototype) {
        originalMethod = DecoratedClass.prototype[methodName];
      }

      var decoratedMethod = DecoratorClass.prototype[methodName];

      return function () {
        var unshift = Array.prototype.unshift;

        unshift.call(arguments, originalMethod);

        return decoratedMethod.apply(this, arguments);
      };
    };

    for (var d = 0; d < decoratedMethods.length; d++) {
      var decoratedMethod = decoratedMethods[d];

      DecoratedClass.prototype[decoratedMethod] = calledMethod(decoratedMethod);
    }

    return DecoratedClass;
  };

  var Observable = function () {
    this.listeners = {};
  };

  Observable.prototype.on = function (event, callback) {
    this.listeners = this.listeners || {};

    if (event in this.listeners) {
      this.listeners[event].push(callback);
    } else {
      this.listeners[event] = [callback];
    }
  };

  Observable.prototype.trigger = function (event) {
    var slice = Array.prototype.slice;
    var params = slice.call(arguments, 1);

    this.listeners = this.listeners || {};

    // Params should always come in as an array
    if (params == null) {
      params = [];
    }

    // If there are no arguments to the event, use a temporary object
    if (params.length === 0) {
      params.push({});
    }

    // Set the `_type` of the first object to the event
    params[0]._type = event;

    if (event in this.listeners) {
      this.invoke(this.listeners[event], slice.call(arguments, 1));
    }

    if ('*' in this.listeners) {
      this.invoke(this.listeners['*'], arguments);
    }
  };

  Observable.prototype.invoke = function (listeners, params) {
    for (var i = 0, len = listeners.length; i < len; i++) {
      listeners[i].apply(this, params);
    }
  };

  Utils.Observable = Observable;

  Utils.generateChars = function (length) {
    var chars = '';

    for (var i = 0; i < length; i++) {
      var randomChar = Math.floor(Math.random() * 36);
      chars += randomChar.toString(36);
    }

    return chars;
  };

  Utils.bind = function (func, context) {
    return function () {
      func.apply(context, arguments);
    };
  };

  Utils._convertData = function (data) {
    for (var originalKey in data) {
      var keys = originalKey.split('-');

      var dataLevel = data;

      if (keys.length === 1) {
        continue;
      }

      for (var k = 0; k < keys.length; k++) {
        var key = keys[k];

        // Lowercase the first letter
        // By default, dash-separated becomes camelCase
        key = key.substring(0, 1).toLowerCase() + key.substring(1);

        if (!(key in dataLevel)) {
          dataLevel[key] = {};
        }

        if (k == keys.length - 1) {
          dataLevel[key] = data[originalKey];
        }

        dataLevel = dataLevel[key];
      }

      delete data[originalKey];
    }

    return data;
  };

  Utils.hasScroll = function (index, el) {
    // Adapted from the function created by @ShadowScripter
    // and adapted by @BillBarry on the Stack Exchange Code Review website.
    // The original code can be found at
    // http://codereview.stackexchange.com/q/13338
    // and was designed to be used with the Sizzle selector engine.

    var $el = $(el);
    var overflowX = el.style.overflowX;
    var overflowY = el.style.overflowY;

    //Check both x and y declarations
    if (overflowX === overflowY &&
        (overflowY === 'hidden' || overflowY === 'visible')) {
      return false;
    }

    if (overflowX === 'scroll' || overflowY === 'scroll') {
      return true;
    }

    return ($el.innerHeight() < el.scrollHeight ||
      $el.innerWidth() < el.scrollWidth);
  };

  Utils.escapeMarkup = function (markup) {
    var replaceMap = {
      '\\': '&#92;',
      '&': '&amp;',
      '<': '&lt;',
      '>': '&gt;',
      '"': '&quot;',
      '\'': '&#39;',
      '/': '&#47;'
    };

    // Do not try to escape the markup if it's not a string
    if (typeof markup !== 'string') {
      return markup;
    }

    return String(markup).replace(/[&<>"'\/\\]/g, function (match) {
      return replaceMap[match];
    });
  };

  // Append an array of jQuery nodes to a given element.
  Utils.appendMany = function ($element, $nodes) {
    // jQuery 1.7.x does not support $.fn.append() with an array
    // Fall back to a jQuery object collection using $.fn.add()
    if ($.fn.jquery.substr(0, 3) === '1.7') {
      var $jqNodes = $();

      $.map($nodes, function (node) {
        $jqNodes = $jqNodes.add(node);
      });

      $nodes = $jqNodes;
    }

    $element.append($nodes);
  };

  return Utils;
});

S2.define('select2/results',[
  'jquery',
  './utils'
], function ($, Utils) {
  function Results ($element, options, dataAdapter) {
    this.$element = $element;
    this.data = dataAdapter;
    this.options = options;

    Results.__super__.constructor.call(this);
  }

  Utils.Extend(Results, Utils.Observable);

  Results.prototype.render = function () {
    var $results = $(
      '<ul class="select2-results__options" role="tree"></ul>'
    );

    if (this.options.get('multiple')) {
      $results.attr('aria-multiselectable', 'true');
    }

    this.$results = $results;

    return $results;
  };

  Results.prototype.clear = function () {
    this.$results.empty();
  };

  Results.prototype.displayMessage = function (params) {
    var escapeMarkup = this.options.get('escapeMarkup');

    this.clear();
    this.hideLoading();

    var $message = $(
      '<li role="treeitem" aria-live="assertive"' +
      ' class="select2-results__option"></li>'
    );

    var message = this.options.get('translations').get(params.message);

    $message.append(
      escapeMarkup(
        message(params.args)
      )
    );

    $message[0].className += ' select2-results__message';

    this.$results.append($message);
  };

  Results.prototype.hideMessages = function () {
    this.$results.find('.select2-results__message').remove();
  };

  Results.prototype.append = function (data) {
    this.hideLoading();

    var $options = [];

    if (data.results == null || data.results.length === 0) {
      if (this.$results.children().length === 0) {
        this.trigger('results:message', {
          message: 'noResults'
        });
      }

      return;
    }

    data.results = this.sort(data.results);

    for (var d = 0; d < data.results.length; d++) {
      var item = data.results[d];

      var $option = this.option(item);

      $options.push($option);
    }

    this.$results.append($options);
  };

  Results.prototype.position = function ($results, $dropdown) {
    var $resultsContainer = $dropdown.find('.select2-results');
    $resultsContainer.append($results);
  };

  Results.prototype.sort = function (data) {
    var sorter = this.options.get('sorter');

    return sorter(data);
  };

  Results.prototype.highlightFirstItem = function () {
    var $options = this.$results
      .find('.select2-results__option[aria-selected]');

    var $selected = $options.filter('[aria-selected=true]');

    // Check if there are any selected options
    if ($selected.length > 0) {
      // If there are selected options, highlight the first
      $selected.first().trigger('mouseenter');
    } else {
      // If there are no selected options, highlight the first option
      // in the dropdown
      $options.first().trigger('mouseenter');
    }

    this.ensureHighlightVisible();
  };

  Results.prototype.setClasses = function () {
    var self = this;

    this.data.current(function (selected) {
      var selectedIds = $.map(selected, function (s) {
        return s.id.toString();
      });

      var $options = self.$results
        .find('.select2-results__option[aria-selected]');

      $options.each(function () {
        var $option = $(this);

        var item = $.data(this, 'data');

        // id needs to be converted to a string when comparing
        var id = '' + item.id;

        if ((item.element != null && item.element.selected) ||
            (item.element == null && $.inArray(id, selectedIds) > -1)) {
          $option.attr('aria-selected', 'true');
        } else {
          $option.attr('aria-selected', 'false');
        }
      });

    });
  };

  Results.prototype.showLoading = function (params) {
    this.hideLoading();

    var loadingMore = this.options.get('translations').get('searching');

    var loading = {
      disabled: true,
      loading: true,
      text: loadingMore(params)
    };
    var $loading = this.option(loading);
    $loading.className += ' loading-results';

    this.$results.prepend($loading);
  };

  Results.prototype.hideLoading = function () {
    this.$results.find('.loading-results').remove();
  };

  Results.prototype.option = function (data) {
    var option = document.createElement('li');
    option.className = 'select2-results__option';

    var attrs = {
      'role': 'treeitem',
      'aria-selected': 'false'
    };

    if (data.disabled) {
      delete attrs['aria-selected'];
      attrs['aria-disabled'] = 'true';
    }

    if (data.id == null) {
      delete attrs['aria-selected'];
    }

    if (data._resultId != null) {
      option.id = data._resultId;
    }

    if (data.title) {
      option.title = data.title;
    }

    if (data.children) {
      attrs.role = 'group';
      attrs['aria-label'] = data.text;
      delete attrs['aria-selected'];
    }

    for (var attr in attrs) {
      var val = attrs[attr];

      option.setAttribute(attr, val);
    }

    if (data.children) {
      var $option = $(option);

      var label = document.createElement('strong');
      label.className = 'select2-results__group';

      var $label = $(label);
      this.template(data, label);

      var $children = [];

      for (var c = 0; c < data.children.length; c++) {
        var child = data.children[c];

        var $child = this.option(child);

        $children.push($child);
      }

      var $childrenContainer = $('<ul></ul>', {
        'class': 'select2-results__options select2-results__options--nested'
      });

      $childrenContainer.append($children);

      $option.append(label);
      $option.append($childrenContainer);
    } else {
      this.template(data, option);
    }

    $.data(option, 'data', data);

    return option;
  };

  Results.prototype.bind = function (container, $container) {
    var self = this;

    var id = container.id + '-results';

    this.$results.attr('id', id);

    container.on('results:all', function (params) {
      self.clear();
      self.append(params.data);

      if (container.isOpen()) {
        self.setClasses();
        self.highlightFirstItem();
      }
    });

    container.on('results:append', function (params) {
      self.append(params.data);

      if (container.isOpen()) {
        self.setClasses();
      }
    });

    container.on('query', function (params) {
      self.hideMessages();
      self.showLoading(params);
    });

    container.on('select', function () {
      if (!container.isOpen()) {
        return;
      }

      self.setClasses();
      self.highlightFirstItem();
    });

    container.on('unselect', function () {
      if (!container.isOpen()) {
        return;
      }

      self.setClasses();
      self.highlightFirstItem();
    });

    container.on('open', function () {
      // When the dropdown is open, aria-expended="true"
      self.$results.attr('aria-expanded', 'true');
      self.$results.attr('aria-hidden', 'false');

      self.setClasses();
      self.ensureHighlightVisible();
    });

    container.on('close', function () {
      // When the dropdown is closed, aria-expended="false"
      self.$results.attr('aria-expanded', 'false');
      self.$results.attr('aria-hidden', 'true');
      self.$results.removeAttr('aria-activedescendant');
    });

    container.on('results:toggle', function () {
      var $highlighted = self.getHighlightedResults();

      if ($highlighted.length === 0) {
        return;
      }

      $highlighted.trigger('mouseup');
    });

    container.on('results:select', function () {
      var $highlighted = self.getHighlightedResults();

      if ($highlighted.length === 0) {
        return;
      }

      var data = $highlighted.data('data');

      if ($highlighted.attr('aria-selected') == 'true') {
        self.trigger('close', {});
      } else {
        self.trigger('select', {
          data: data
        });
      }
    });

    container.on('results:previous', function () {
      var $highlighted = self.getHighlightedResults();

      var $options = self.$results.find('[aria-selected]');

      var currentIndex = $options.index($highlighted);

      // If we are already at te top, don't move further
      if (currentIndex === 0) {
        return;
      }

      var nextIndex = currentIndex - 1;

      // If none are highlighted, highlight the first
      if ($highlighted.length === 0) {
        nextIndex = 0;
      }

      var $next = $options.eq(nextIndex);

      $next.trigger('mouseenter');

      var currentOffset = self.$results.offset().top;
      var nextTop = $next.offset().top;
      var nextOffset = self.$results.scrollTop() + (nextTop - currentOffset);

      if (nextIndex === 0) {
        self.$results.scrollTop(0);
      } else if (nextTop - currentOffset < 0) {
        self.$results.scrollTop(nextOffset);
      }
    });

    container.on('results:next', function () {
      var $highlighted = self.getHighlightedResults();

      var $options = self.$results.find('[aria-selected]');

      var currentIndex = $options.index($highlighted);

      var nextIndex = currentIndex + 1;

      // If we are at the last option, stay there
      if (nextIndex >= $options.length) {
        return;
      }

      var $next = $options.eq(nextIndex);

      $next.trigger('mouseenter');

      var currentOffset = self.$results.offset().top +
        self.$results.outerHeight(false);
      var nextBottom = $next.offset().top + $next.outerHeight(false);
      var nextOffset = self.$results.scrollTop() + nextBottom - currentOffset;

      if (nextIndex === 0) {
        self.$results.scrollTop(0);
      } else if (nextBottom > currentOffset) {
        self.$results.scrollTop(nextOffset);
      }
    });

    container.on('results:focus', function (params) {
      params.element.addClass('select2-results__option--highlighted');
    });

    container.on('results:message', function (params) {
      self.displayMessage(params);
    });

    if ($.fn.mousewheel) {
      this.$results.on('mousewheel', function (e) {
        var top = self.$results.scrollTop();

        var bottom = self.$results.get(0).scrollHeight - top + e.deltaY;

        var isAtTop = e.deltaY > 0 && top - e.deltaY <= 0;
        var isAtBottom = e.deltaY < 0 && bottom <= self.$results.height();

        if (isAtTop) {
          self.$results.scrollTop(0);

          e.preventDefault();
          e.stopPropagation();
        } else if (isAtBottom) {
          self.$results.scrollTop(
            self.$results.get(0).scrollHeight - self.$results.height()
          );

          e.preventDefault();
          e.stopPropagation();
        }
      });
    }

    this.$results.on('mouseup', '.select2-results__option[aria-selected]',
      function (evt) {
      var $this = $(this);

      var data = $this.data('data');

      if ($this.attr('aria-selected') === 'true') {
        if (self.options.get('multiple')) {
          self.trigger('unselect', {
            originalEvent: evt,
            data: data
          });
        } else {
          self.trigger('close', {});
        }

        return;
      }

      self.trigger('select', {
        originalEvent: evt,
        data: data
      });
    });

    this.$results.on('mouseenter', '.select2-results__option[aria-selected]',
      function (evt) {
      var data = $(this).data('data');

      self.getHighlightedResults()
          .removeClass('select2-results__option--highlighted');

      self.trigger('results:focus', {
        data: data,
        element: $(this)
      });
    });
  };

  Results.prototype.getHighlightedResults = function () {
    var $highlighted = this.$results
    .find('.select2-results__option--highlighted');

    return $highlighted;
  };

  Results.prototype.destroy = function () {
    this.$results.remove();
  };

  Results.prototype.ensureHighlightVisible = function () {
    var $highlighted = this.getHighlightedResults();

    if ($highlighted.length === 0) {
      return;
    }

    var $options = this.$results.find('[aria-selected]');

    var currentIndex = $options.index($highlighted);

    var currentOffset = this.$results.offset().top;
    var nextTop = $highlighted.offset().top;
    var nextOffset = this.$results.scrollTop() + (nextTop - currentOffset);

    var offsetDelta = nextTop - currentOffset;
    nextOffset -= $highlighted.outerHeight(false) * 2;

    if (currentIndex <= 2) {
      this.$results.scrollTop(0);
    } else if (offsetDelta > this.$results.outerHeight() || offsetDelta < 0) {
      this.$results.scrollTop(nextOffset);
    }
  };

  Results.prototype.template = function (result, container) {
    var template = this.options.get('templateResult');
    var escapeMarkup = this.options.get('escapeMarkup');

    var content = template(result, container);

    if (content == null) {
      container.style.display = 'none';
    } else if (typeof content === 'string') {
      container.innerHTML = escapeMarkup(content);
    } else {
      $(container).append(content);
    }
  };

  return Results;
});

S2.define('select2/keys',[

], function () {
  var KEYS = {
    BACKSPACE: 8,
    TAB: 9,
    ENTER: 13,
    SHIFT: 16,
    CTRL: 17,
    ALT: 18,
    ESC: 27,
    SPACE: 32,
    PAGE_UP: 33,
    PAGE_DOWN: 34,
    END: 35,
    HOME: 36,
    LEFT: 37,
    UP: 38,
    RIGHT: 39,
    DOWN: 40,
    DELETE: 46
  };

  return KEYS;
});

S2.define('select2/selection/base',[
  'jquery',
  '../utils',
  '../keys'
], function ($, Utils, KEYS) {
  function BaseSelection ($element, options) {
    this.$element = $element;
    this.options = options;

    BaseSelection.__super__.constructor.call(this);
  }

  Utils.Extend(BaseSelection, Utils.Observable);

  BaseSelection.prototype.render = function () {
    var $selection = $(
      '<span class="select2-selection" role="combobox" ' +
      ' aria-haspopup="true" aria-expanded="false">' +
      '</span>'
    );

    this._tabindex = 0;

    if (this.$element.data('old-tabindex') != null) {
      this._tabindex = this.$element.data('old-tabindex');
    } else if (this.$element.attr('tabindex') != null) {
      this._tabindex = this.$element.attr('tabindex');
    }

    $selection.attr('title', this.$element.attr('title'));
    $selection.attr('tabindex', this._tabindex);

    this.$selection = $selection;

    return $selection;
  };

  BaseSelection.prototype.bind = function (container, $container) {
    var self = this;

    var id = container.id + '-container';
    var resultsId = container.id + '-results';

    this.container = container;

    this.$selection.on('focus', function (evt) {
      self.trigger('focus', evt);
    });

    this.$selection.on('blur', function (evt) {
      self._handleBlur(evt);
    });

    this.$selection.on('keydown', function (evt) {
      self.trigger('keypress', evt);

      if (evt.which === KEYS.SPACE) {
        evt.preventDefault();
      }
    });

    container.on('results:focus', function (params) {
      self.$selection.attr('aria-activedescendant', params.data._resultId);
    });

    container.on('selection:update', function (params) {
      self.update(params.data);
    });

    container.on('open', function () {
      // When the dropdown is open, aria-expanded="true"
      self.$selection.attr('aria-expanded', 'true');
      self.$selection.attr('aria-owns', resultsId);

      self._attachCloseHandler(container);
    });

    container.on('close', function () {
      // When the dropdown is closed, aria-expanded="false"
      self.$selection.attr('aria-expanded', 'false');
      self.$selection.removeAttr('aria-activedescendant');
      self.$selection.removeAttr('aria-owns');

      self.$selection.focus();

      self._detachCloseHandler(container);
    });

    container.on('enable', function () {
      self.$selection.attr('tabindex', self._tabindex);
    });

    container.on('disable', function () {
      self.$selection.attr('tabindex', '-1');
    });
  };

  BaseSelection.prototype._handleBlur = function (evt) {
    var self = this;

    // This needs to be delayed as the active element is the body when the tab
    // key is pressed, possibly along with others.
    window.setTimeout(function () {
      // Don't trigger `blur` if the focus is still in the selection
      if (
        (document.activeElement == self.$selection[0]) ||
        ($.contains(self.$selection[0], document.activeElement))
      ) {
        return;
      }

      self.trigger('blur', evt);
    }, 1);
  };

  BaseSelection.prototype._attachCloseHandler = function (container) {
    var self = this;

    $(document.body).on('mousedown.select2.' + container.id, function (e) {
      var $target = $(e.target);

      var $select = $target.closest('.select2');

      var $all = $('.select2.select2-container--open');

      $all.each(function () {
        var $this = $(this);

        if (this == $select[0]) {
          return;
        }

        var $element = $this.data('element');

        $element.select2('close');
      });
    });
  };

  BaseSelection.prototype._detachCloseHandler = function (container) {
    $(document.body).off('mousedown.select2.' + container.id);
  };

  BaseSelection.prototype.position = function ($selection, $container) {
    var $selectionContainer = $container.find('.selection');
    $selectionContainer.append($selection);
  };

  BaseSelection.prototype.destroy = function () {
    this._detachCloseHandler(this.container);
  };

  BaseSelection.prototype.update = function (data) {
    throw new Error('The `update` method must be defined in child classes.');
  };

  return BaseSelection;
});

S2.define('select2/selection/single',[
  'jquery',
  './base',
  '../utils',
  '../keys'
], function ($, BaseSelection, Utils, KEYS) {
  function SingleSelection () {
    SingleSelection.__super__.constructor.apply(this, arguments);
  }

  Utils.Extend(SingleSelection, BaseSelection);

  SingleSelection.prototype.render = function () {
    var $selection = SingleSelection.__super__.render.call(this);

    $selection.addClass('select2-selection--single');

    $selection.html(
      '<span class="select2-selection__rendered"></span>' +
      '<span class="select2-selection__arrow" role="presentation">' +
        '<b role="presentation"></b>' +
      '</span>'
    );

    return $selection;
  };

  SingleSelection.prototype.bind = function (container, $container) {
    var self = this;

    SingleSelection.__super__.bind.apply(this, arguments);

    var id = container.id + '-container';

    this.$selection.find('.select2-selection__rendered').attr('id', id);
    this.$selection.attr('aria-labelledby', id);

    this.$selection.on('mousedown', function (evt) {
      // Only respond to left clicks
      if (evt.which !== 1) {
        return;
      }

      self.trigger('toggle', {
        originalEvent: evt
      });
    });

    this.$selection.on('focus', function (evt) {
      // User focuses on the container
    });

    this.$selection.on('blur', function (evt) {
      // User exits the container
    });

    container.on('focus', function (evt) {
      if (!container.isOpen()) {
        self.$selection.focus();
      }
    });

    container.on('selection:update', function (params) {
      self.update(params.data);
    });
  };

  SingleSelection.prototype.clear = function () {
    this.$selection.find('.select2-selection__rendered').empty();
  };

  SingleSelection.prototype.display = function (data, container) {
    var template = this.options.get('templateSelection');
    var escapeMarkup = this.options.get('escapeMarkup');

    return escapeMarkup(template(data, container));
  };

  SingleSelection.prototype.selectionContainer = function () {
    return $('<span></span>');
  };

  SingleSelection.prototype.update = function (data) {
    if (data.length === 0) {
      this.clear();
      return;
    }

    var selection = data[0];

    var $rendered = this.$selection.find('.select2-selection__rendered');
    var formatted = this.display(selection, $rendered);

    $rendered.empty().append(formatted);
    $rendered.prop('title', selection.title || selection.text);
  };

  return SingleSelection;
});

S2.define('select2/selection/multiple',[
  'jquery',
  './base',
  '../utils'
], function ($, BaseSelection, Utils) {
  function MultipleSelection ($element, options) {
    MultipleSelection.__super__.constructor.apply(this, arguments);
  }

  Utils.Extend(MultipleSelection, BaseSelection);

  MultipleSelection.prototype.render = function () {
    var $selection = MultipleSelection.__super__.render.call(this);

    $selection.addClass('select2-selection--multiple');

    $selection.html(
      '<ul class="select2-selection__rendered"></ul>'
    );

    return $selection;
  };

  MultipleSelection.prototype.bind = function (container, $container) {
    var self = this;

    MultipleSelection.__super__.bind.apply(this, arguments);

    this.$selection.on('click', function (evt) {
      self.trigger('toggle', {
        originalEvent: evt
      });
    });

    this.$selection.on(
      'click',
      '.select2-selection__choice__remove',
      function (evt) {
        // Ignore the event if it is disabled
        if (self.options.get('disabled')) {
          return;
        }

        var $remove = $(this);
        var $selection = $remove.parent();

        var data = $selection.data('data');

        self.trigger('unselect', {
          originalEvent: evt,
          data: data
        });
      }
    );
  };

  MultipleSelection.prototype.clear = function () {
    this.$selection.find('.select2-selection__rendered').empty();
  };

  MultipleSelection.prototype.display = function (data, container) {
    var template = this.options.get('templateSelection');
    var escapeMarkup = this.options.get('escapeMarkup');

    return escapeMarkup(template(data, container));
  };

  MultipleSelection.prototype.selectionContainer = function () {
    var $container = $(
      '<li class="select2-selection__choice">' +
        '<span class="select2-selection__choice__remove" role="presentation">' +
          '&times;' +
        '</span>' +
      '</li>'
    );

    return $container;
  };

  MultipleSelection.prototype.update = function (data) {
    this.clear();

    if (data.length === 0) {
      return;
    }

    var $selections = [];

    for (var d = 0; d < data.length; d++) {
      var selection = data[d];

      var $selection = this.selectionContainer();
      var formatted = this.display(selection, $selection);

      $selection.append(formatted);
      $selection.prop('title', selection.title || selection.text);

      $selection.data('data', selection);

      $selections.push($selection);
    }

    var $rendered = this.$selection.find('.select2-selection__rendered');

    Utils.appendMany($rendered, $selections);
  };

  return MultipleSelection;
});

S2.define('select2/selection/placeholder',[
  '../utils'
], function (Utils) {
  function Placeholder (decorated, $element, options) {
    this.placeholder = this.normalizePlaceholder(options.get('placeholder'));

    decorated.call(this, $element, options);
  }

  Placeholder.prototype.normalizePlaceholder = function (_, placeholder) {
    if (typeof placeholder === 'string') {
      placeholder = {
        id: '',
        text: placeholder
      };
    }

    return placeholder;
  };

  Placeholder.prototype.createPlaceholder = function (decorated, placeholder) {
    var $placeholder = this.selectionContainer();

    $placeholder.html(this.display(placeholder));
    $placeholder.addClass('select2-selection__placeholder')
                .removeClass('select2-selection__choice');

    return $placeholder;
  };

  Placeholder.prototype.update = function (decorated, data) {
    var singlePlaceholder = (
      data.length == 1 && data[0].id != this.placeholder.id
    );
    var multipleSelections = data.length > 1;

    if (multipleSelections || singlePlaceholder) {
      return decorated.call(this, data);
    }

    this.clear();

    var $placeholder = this.createPlaceholder(this.placeholder);

    this.$selection.find('.select2-selection__rendered').append($placeholder);
  };

  return Placeholder;
});

S2.define('select2/selection/allowClear',[
  'jquery',
  '../keys'
], function ($, KEYS) {
  function AllowClear () { }

  AllowClear.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    if (this.placeholder == null) {
      if (this.options.get('debug') && window.console && console.error) {
        console.error(
          'Select2: The `allowClear` option should be used in combination ' +
          'with the `placeholder` option.'
        );
      }
    }

    this.$selection.on('mousedown', '.select2-selection__clear',
      function (evt) {
        self._handleClear(evt);
    });

    container.on('keypress', function (evt) {
      self._handleKeyboardClear(evt, container);
    });
  };

  AllowClear.prototype._handleClear = function (_, evt) {
    // Ignore the event if it is disabled
    if (this.options.get('disabled')) {
      return;
    }

    var $clear = this.$selection.find('.select2-selection__clear');

    // Ignore the event if nothing has been selected
    if ($clear.length === 0) {
      return;
    }

    evt.stopPropagation();

    var data = $clear.data('data');

    for (var d = 0; d < data.length; d++) {
      var unselectData = {
        data: data[d]
      };

      // Trigger the `unselect` event, so people can prevent it from being
      // cleared.
      this.trigger('unselect', unselectData);

      // If the event was prevented, don't clear it out.
      if (unselectData.prevented) {
        return;
      }
    }

    this.$element.val(this.placeholder.id).trigger('change');

    this.trigger('toggle', {});
  };

  AllowClear.prototype._handleKeyboardClear = function (_, evt, container) {
    if (container.isOpen()) {
      return;
    }

    if (evt.which == KEYS.DELETE || evt.which == KEYS.BACKSPACE) {
      this._handleClear(evt);
    }
  };

  AllowClear.prototype.update = function (decorated, data) {
    decorated.call(this, data);

    if (this.$selection.find('.select2-selection__placeholder').length > 0 ||
        data.length === 0) {
      return;
    }

    var $remove = $(
      '<span class="select2-selection__clear">' +
        '&times;' +
      '</span>'
    );
    $remove.data('data', data);

    this.$selection.find('.select2-selection__rendered').prepend($remove);
  };

  return AllowClear;
});

S2.define('select2/selection/search',[
  'jquery',
  '../utils',
  '../keys'
], function ($, Utils, KEYS) {
  function Search (decorated, $element, options) {
    decorated.call(this, $element, options);
  }

  Search.prototype.render = function (decorated) {
    var $search = $(
      '<li class="select2-search select2-search--inline">' +
        '<input class="select2-search__field" type="search" tabindex="-1"' +
        ' autocomplete="off" autocorrect="off" autocapitalize="off"' +
        ' spellcheck="false" role="textbox" aria-autocomplete="list" />' +
      '</li>'
    );

    this.$searchContainer = $search;
    this.$search = $search.find('input');

    var $rendered = decorated.call(this);

    this._transferTabIndex();

    return $rendered;
  };

  Search.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('open', function () {
      self.$search.trigger('focus');
    });

    container.on('close', function () {
      self.$search.val('');
      self.$search.removeAttr('aria-activedescendant');
      self.$search.trigger('focus');
    });

    container.on('enable', function () {
      self.$search.prop('disabled', false);

      self._transferTabIndex();
    });

    container.on('disable', function () {
      self.$search.prop('disabled', true);
    });

    container.on('focus', function (evt) {
      self.$search.trigger('focus');
    });

    container.on('results:focus', function (params) {
      self.$search.attr('aria-activedescendant', params.id);
    });

    this.$selection.on('focusin', '.select2-search--inline', function (evt) {
      self.trigger('focus', evt);
    });

    this.$selection.on('focusout', '.select2-search--inline', function (evt) {
      self._handleBlur(evt);
    });

    this.$selection.on('keydown', '.select2-search--inline', function (evt) {
      evt.stopPropagation();

      self.trigger('keypress', evt);

      self._keyUpPrevented = evt.isDefaultPrevented();

      var key = evt.which;

      if (key === KEYS.BACKSPACE && self.$search.val() === '') {
        var $previousChoice = self.$searchContainer
          .prev('.select2-selection__choice');

        if ($previousChoice.length > 0) {
          var item = $previousChoice.data('data');

          self.searchRemoveChoice(item);

          evt.preventDefault();
        }
      }
    });

    // Try to detect the IE version should the `documentMode` property that
    // is stored on the document. This is only implemented in IE and is
    // slightly cleaner than doing a user agent check.
    // This property is not available in Edge, but Edge also doesn't have
    // this bug.
    var msie = document.documentMode;
    var disableInputEvents = msie && msie <= 11;

    // Workaround for browsers which do not support the `input` event
    // This will prevent double-triggering of events for browsers which support
    // both the `keyup` and `input` events.
    this.$selection.on(
      'input.searchcheck',
      '.select2-search--inline',
      function (evt) {
        // IE will trigger the `input` event when a placeholder is used on a
        // search box. To get around this issue, we are forced to ignore all
        // `input` events in IE and keep using `keyup`.
        if (disableInputEvents) {
          self.$selection.off('input.search input.searchcheck');
          return;
        }

        // Unbind the duplicated `keyup` event
        self.$selection.off('keyup.search');
      }
    );

    this.$selection.on(
      'keyup.search input.search',
      '.select2-search--inline',
      function (evt) {
        // IE will trigger the `input` event when a placeholder is used on a
        // search box. To get around this issue, we are forced to ignore all
        // `input` events in IE and keep using `keyup`.
        if (disableInputEvents && evt.type === 'input') {
          self.$selection.off('input.search input.searchcheck');
          return;
        }

        var key = evt.which;

        // We can freely ignore events from modifier keys
        if (key == KEYS.SHIFT || key == KEYS.CTRL || key == KEYS.ALT) {
          return;
        }

        // Tabbing will be handled during the `keydown` phase
        if (key == KEYS.TAB) {
          return;
        }

        self.handleSearch(evt);
      }
    );
  };

  /**
   * This method will transfer the tabindex attribute from the rendered
   * selection to the search box. This allows for the search box to be used as
   * the primary focus instead of the selection container.
   *
   * @private
   */
  Search.prototype._transferTabIndex = function (decorated) {
    this.$search.attr('tabindex', this.$selection.attr('tabindex'));
    this.$selection.attr('tabindex', '-1');
  };

  Search.prototype.createPlaceholder = function (decorated, placeholder) {
    this.$search.attr('placeholder', placeholder.text);
  };

  Search.prototype.update = function (decorated, data) {
    var searchHadFocus = this.$search[0] == document.activeElement;

    this.$search.attr('placeholder', '');

    decorated.call(this, data);

    this.$selection.find('.select2-selection__rendered')
                   .append(this.$searchContainer);

    this.resizeSearch();
    if (searchHadFocus) {
      this.$search.focus();
    }
  };

  Search.prototype.handleSearch = function () {
    this.resizeSearch();

    if (!this._keyUpPrevented) {
      var input = this.$search.val();

      this.trigger('query', {
        term: input
      });
    }

    this._keyUpPrevented = false;
  };

  Search.prototype.searchRemoveChoice = function (decorated, item) {
    this.trigger('unselect', {
      data: item
    });

    this.$search.val(item.text);
    this.handleSearch();
  };

  Search.prototype.resizeSearch = function () {
    this.$search.css('width', '25px');

    var width = '';

    if (this.$search.attr('placeholder') !== '') {
      width = this.$selection.find('.select2-selection__rendered').innerWidth();
    } else {
      var minimumWidth = this.$search.val().length + 1;

      width = (minimumWidth * 0.75) + 'em';
    }

    this.$search.css('width', width);
  };

  return Search;
});

S2.define('select2/selection/eventRelay',[
  'jquery'
], function ($) {
  function EventRelay () { }

  EventRelay.prototype.bind = function (decorated, container, $container) {
    var self = this;
    var relayEvents = [
      'open', 'opening',
      'close', 'closing',
      'select', 'selecting',
      'unselect', 'unselecting'
    ];

    var preventableEvents = ['opening', 'closing', 'selecting', 'unselecting'];

    decorated.call(this, container, $container);

    container.on('*', function (name, params) {
      // Ignore events that should not be relayed
      if ($.inArray(name, relayEvents) === -1) {
        return;
      }

      // The parameters should always be an object
      params = params || {};

      // Generate the jQuery event for the Select2 event
      var evt = $.Event('select2:' + name, {
        params: params
      });

      self.$element.trigger(evt);

      // Only handle preventable events if it was one
      if ($.inArray(name, preventableEvents) === -1) {
        return;
      }

      params.prevented = evt.isDefaultPrevented();
    });
  };

  return EventRelay;
});

S2.define('select2/translation',[
  'jquery',
  'require'
], function ($, require) {
  function Translation (dict) {
    this.dict = dict || {};
  }

  Translation.prototype.all = function () {
    return this.dict;
  };

  Translation.prototype.get = function (key) {
    return this.dict[key];
  };

  Translation.prototype.extend = function (translation) {
    this.dict = $.extend({}, translation.all(), this.dict);
  };

  // Static functions

  Translation._cache = {};

  Translation.loadPath = function (path) {
    if (!(path in Translation._cache)) {
      var translations = require(path);

      Translation._cache[path] = translations;
    }

    return new Translation(Translation._cache[path]);
  };

  return Translation;
});

S2.define('select2/diacritics',[

], function () {
  var diacritics = {
    '\u24B6': 'A',
    '\uFF21': 'A',
    '\u00C0': 'A',
    '\u00C1': 'A',
    '\u00C2': 'A',
    '\u1EA6': 'A',
    '\u1EA4': 'A',
    '\u1EAA': 'A',
    '\u1EA8': 'A',
    '\u00C3': 'A',
    '\u0100': 'A',
    '\u0102': 'A',
    '\u1EB0': 'A',
    '\u1EAE': 'A',
    '\u1EB4': 'A',
    '\u1EB2': 'A',
    '\u0226': 'A',
    '\u01E0': 'A',
    '\u00C4': 'A',
    '\u01DE': 'A',
    '\u1EA2': 'A',
    '\u00C5': 'A',
    '\u01FA': 'A',
    '\u01CD': 'A',
    '\u0200': 'A',
    '\u0202': 'A',
    '\u1EA0': 'A',
    '\u1EAC': 'A',
    '\u1EB6': 'A',
    '\u1E00': 'A',
    '\u0104': 'A',
    '\u023A': 'A',
    '\u2C6F': 'A',
    '\uA732': 'AA',
    '\u00C6': 'AE',
    '\u01FC': 'AE',
    '\u01E2': 'AE',
    '\uA734': 'AO',
    '\uA736': 'AU',
    '\uA738': 'AV',
    '\uA73A': 'AV',
    '\uA73C': 'AY',
    '\u24B7': 'B',
    '\uFF22': 'B',
    '\u1E02': 'B',
    '\u1E04': 'B',
    '\u1E06': 'B',
    '\u0243': 'B',
    '\u0182': 'B',
    '\u0181': 'B',
    '\u24B8': 'C',
    '\uFF23': 'C',
    '\u0106': 'C',
    '\u0108': 'C',
    '\u010A': 'C',
    '\u010C': 'C',
    '\u00C7': 'C',
    '\u1E08': 'C',
    '\u0187': 'C',
    '\u023B': 'C',
    '\uA73E': 'C',
    '\u24B9': 'D',
    '\uFF24': 'D',
    '\u1E0A': 'D',
    '\u010E': 'D',
    '\u1E0C': 'D',
    '\u1E10': 'D',
    '\u1E12': 'D',
    '\u1E0E': 'D',
    '\u0110': 'D',
    '\u018B': 'D',
    '\u018A': 'D',
    '\u0189': 'D',
    '\uA779': 'D',
    '\u01F1': 'DZ',
    '\u01C4': 'DZ',
    '\u01F2': 'Dz',
    '\u01C5': 'Dz',
    '\u24BA': 'E',
    '\uFF25': 'E',
    '\u00C8': 'E',
    '\u00C9': 'E',
    '\u00CA': 'E',
    '\u1EC0': 'E',
    '\u1EBE': 'E',
    '\u1EC4': 'E',
    '\u1EC2': 'E',
    '\u1EBC': 'E',
    '\u0112': 'E',
    '\u1E14': 'E',
    '\u1E16': 'E',
    '\u0114': 'E',
    '\u0116': 'E',
    '\u00CB': 'E',
    '\u1EBA': 'E',
    '\u011A': 'E',
    '\u0204': 'E',
    '\u0206': 'E',
    '\u1EB8': 'E',
    '\u1EC6': 'E',
    '\u0228': 'E',
    '\u1E1C': 'E',
    '\u0118': 'E',
    '\u1E18': 'E',
    '\u1E1A': 'E',
    '\u0190': 'E',
    '\u018E': 'E',
    '\u24BB': 'F',
    '\uFF26': 'F',
    '\u1E1E': 'F',
    '\u0191': 'F',
    '\uA77B': 'F',
    '\u24BC': 'G',
    '\uFF27': 'G',
    '\u01F4': 'G',
    '\u011C': 'G',
    '\u1E20': 'G',
    '\u011E': 'G',
    '\u0120': 'G',
    '\u01E6': 'G',
    '\u0122': 'G',
    '\u01E4': 'G',
    '\u0193': 'G',
    '\uA7A0': 'G',
    '\uA77D': 'G',
    '\uA77E': 'G',
    '\u24BD': 'H',
    '\uFF28': 'H',
    '\u0124': 'H',
    '\u1E22': 'H',
    '\u1E26': 'H',
    '\u021E': 'H',
    '\u1E24': 'H',
    '\u1E28': 'H',
    '\u1E2A': 'H',
    '\u0126': 'H',
    '\u2C67': 'H',
    '\u2C75': 'H',
    '\uA78D': 'H',
    '\u24BE': 'I',
    '\uFF29': 'I',
    '\u00CC': 'I',
    '\u00CD': 'I',
    '\u00CE': 'I',
    '\u0128': 'I',
    '\u012A': 'I',
    '\u012C': 'I',
    '\u0130': 'I',
    '\u00CF': 'I',
    '\u1E2E': 'I',
    '\u1EC8': 'I',
    '\u01CF': 'I',
    '\u0208': 'I',
    '\u020A': 'I',
    '\u1ECA': 'I',
    '\u012E': 'I',
    '\u1E2C': 'I',
    '\u0197': 'I',
    '\u24BF': 'J',
    '\uFF2A': 'J',
    '\u0134': 'J',
    '\u0248': 'J',
    '\u24C0': 'K',
    '\uFF2B': 'K',
    '\u1E30': 'K',
    '\u01E8': 'K',
    '\u1E32': 'K',
    '\u0136': 'K',
    '\u1E34': 'K',
    '\u0198': 'K',
    '\u2C69': 'K',
    '\uA740': 'K',
    '\uA742': 'K',
    '\uA744': 'K',
    '\uA7A2': 'K',
    '\u24C1': 'L',
    '\uFF2C': 'L',
    '\u013F': 'L',
    '\u0139': 'L',
    '\u013D': 'L',
    '\u1E36': 'L',
    '\u1E38': 'L',
    '\u013B': 'L',
    '\u1E3C': 'L',
    '\u1E3A': 'L',
    '\u0141': 'L',
    '\u023D': 'L',
    '\u2C62': 'L',
    '\u2C60': 'L',
    '\uA748': 'L',
    '\uA746': 'L',
    '\uA780': 'L',
    '\u01C7': 'LJ',
    '\u01C8': 'Lj',
    '\u24C2': 'M',
    '\uFF2D': 'M',
    '\u1E3E': 'M',
    '\u1E40': 'M',
    '\u1E42': 'M',
    '\u2C6E': 'M',
    '\u019C': 'M',
    '\u24C3': 'N',
    '\uFF2E': 'N',
    '\u01F8': 'N',
    '\u0143': 'N',
    '\u00D1': 'N',
    '\u1E44': 'N',
    '\u0147': 'N',
    '\u1E46': 'N',
    '\u0145': 'N',
    '\u1E4A': 'N',
    '\u1E48': 'N',
    '\u0220': 'N',
    '\u019D': 'N',
    '\uA790': 'N',
    '\uA7A4': 'N',
    '\u01CA': 'NJ',
    '\u01CB': 'Nj',
    '\u24C4': 'O',
    '\uFF2F': 'O',
    '\u00D2': 'O',
    '\u00D3': 'O',
    '\u00D4': 'O',
    '\u1ED2': 'O',
    '\u1ED0': 'O',
    '\u1ED6': 'O',
    '\u1ED4': 'O',
    '\u00D5': 'O',
    '\u1E4C': 'O',
    '\u022C': 'O',
    '\u1E4E': 'O',
    '\u014C': 'O',
    '\u1E50': 'O',
    '\u1E52': 'O',
    '\u014E': 'O',
    '\u022E': 'O',
    '\u0230': 'O',
    '\u00D6': 'O',
    '\u022A': 'O',
    '\u1ECE': 'O',
    '\u0150': 'O',
    '\u01D1': 'O',
    '\u020C': 'O',
    '\u020E': 'O',
    '\u01A0': 'O',
    '\u1EDC': 'O',
    '\u1EDA': 'O',
    '\u1EE0': 'O',
    '\u1EDE': 'O',
    '\u1EE2': 'O',
    '\u1ECC': 'O',
    '\u1ED8': 'O',
    '\u01EA': 'O',
    '\u01EC': 'O',
    '\u00D8': 'O',
    '\u01FE': 'O',
    '\u0186': 'O',
    '\u019F': 'O',
    '\uA74A': 'O',
    '\uA74C': 'O',
    '\u01A2': 'OI',
    '\uA74E': 'OO',
    '\u0222': 'OU',
    '\u24C5': 'P',
    '\uFF30': 'P',
    '\u1E54': 'P',
    '\u1E56': 'P',
    '\u01A4': 'P',
    '\u2C63': 'P',
    '\uA750': 'P',
    '\uA752': 'P',
    '\uA754': 'P',
    '\u24C6': 'Q',
    '\uFF31': 'Q',
    '\uA756': 'Q',
    '\uA758': 'Q',
    '\u024A': 'Q',
    '\u24C7': 'R',
    '\uFF32': 'R',
    '\u0154': 'R',
    '\u1E58': 'R',
    '\u0158': 'R',
    '\u0210': 'R',
    '\u0212': 'R',
    '\u1E5A': 'R',
    '\u1E5C': 'R',
    '\u0156': 'R',
    '\u1E5E': 'R',
    '\u024C': 'R',
    '\u2C64': 'R',
    '\uA75A': 'R',
    '\uA7A6': 'R',
    '\uA782': 'R',
    '\u24C8': 'S',
    '\uFF33': 'S',
    '\u1E9E': 'S',
    '\u015A': 'S',
    '\u1E64': 'S',
    '\u015C': 'S',
    '\u1E60': 'S',
    '\u0160': 'S',
    '\u1E66': 'S',
    '\u1E62': 'S',
    '\u1E68': 'S',
    '\u0218': 'S',
    '\u015E': 'S',
    '\u2C7E': 'S',
    '\uA7A8': 'S',
    '\uA784': 'S',
    '\u24C9': 'T',
    '\uFF34': 'T',
    '\u1E6A': 'T',
    '\u0164': 'T',
    '\u1E6C': 'T',
    '\u021A': 'T',
    '\u0162': 'T',
    '\u1E70': 'T',
    '\u1E6E': 'T',
    '\u0166': 'T',
    '\u01AC': 'T',
    '\u01AE': 'T',
    '\u023E': 'T',
    '\uA786': 'T',
    '\uA728': 'TZ',
    '\u24CA': 'U',
    '\uFF35': 'U',
    '\u00D9': 'U',
    '\u00DA': 'U',
    '\u00DB': 'U',
    '\u0168': 'U',
    '\u1E78': 'U',
    '\u016A': 'U',
    '\u1E7A': 'U',
    '\u016C': 'U',
    '\u00DC': 'U',
    '\u01DB': 'U',
    '\u01D7': 'U',
    '\u01D5': 'U',
    '\u01D9': 'U',
    '\u1EE6': 'U',
    '\u016E': 'U',
    '\u0170': 'U',
    '\u01D3': 'U',
    '\u0214': 'U',
    '\u0216': 'U',
    '\u01AF': 'U',
    '\u1EEA': 'U',
    '\u1EE8': 'U',
    '\u1EEE': 'U',
    '\u1EEC': 'U',
    '\u1EF0': 'U',
    '\u1EE4': 'U',
    '\u1E72': 'U',
    '\u0172': 'U',
    '\u1E76': 'U',
    '\u1E74': 'U',
    '\u0244': 'U',
    '\u24CB': 'V',
    '\uFF36': 'V',
    '\u1E7C': 'V',
    '\u1E7E': 'V',
    '\u01B2': 'V',
    '\uA75E': 'V',
    '\u0245': 'V',
    '\uA760': 'VY',
    '\u24CC': 'W',
    '\uFF37': 'W',
    '\u1E80': 'W',
    '\u1E82': 'W',
    '\u0174': 'W',
    '\u1E86': 'W',
    '\u1E84': 'W',
    '\u1E88': 'W',
    '\u2C72': 'W',
    '\u24CD': 'X',
    '\uFF38': 'X',
    '\u1E8A': 'X',
    '\u1E8C': 'X',
    '\u24CE': 'Y',
    '\uFF39': 'Y',
    '\u1EF2': 'Y',
    '\u00DD': 'Y',
    '\u0176': 'Y',
    '\u1EF8': 'Y',
    '\u0232': 'Y',
    '\u1E8E': 'Y',
    '\u0178': 'Y',
    '\u1EF6': 'Y',
    '\u1EF4': 'Y',
    '\u01B3': 'Y',
    '\u024E': 'Y',
    '\u1EFE': 'Y',
    '\u24CF': 'Z',
    '\uFF3A': 'Z',
    '\u0179': 'Z',
    '\u1E90': 'Z',
    '\u017B': 'Z',
    '\u017D': 'Z',
    '\u1E92': 'Z',
    '\u1E94': 'Z',
    '\u01B5': 'Z',
    '\u0224': 'Z',
    '\u2C7F': 'Z',
    '\u2C6B': 'Z',
    '\uA762': 'Z',
    '\u24D0': 'a',
    '\uFF41': 'a',
    '\u1E9A': 'a',
    '\u00E0': 'a',
    '\u00E1': 'a',
    '\u00E2': 'a',
    '\u1EA7': 'a',
    '\u1EA5': 'a',
    '\u1EAB': 'a',
    '\u1EA9': 'a',
    '\u00E3': 'a',
    '\u0101': 'a',
    '\u0103': 'a',
    '\u1EB1': 'a',
    '\u1EAF': 'a',
    '\u1EB5': 'a',
    '\u1EB3': 'a',
    '\u0227': 'a',
    '\u01E1': 'a',
    '\u00E4': 'a',
    '\u01DF': 'a',
    '\u1EA3': 'a',
    '\u00E5': 'a',
    '\u01FB': 'a',
    '\u01CE': 'a',
    '\u0201': 'a',
    '\u0203': 'a',
    '\u1EA1': 'a',
    '\u1EAD': 'a',
    '\u1EB7': 'a',
    '\u1E01': 'a',
    '\u0105': 'a',
    '\u2C65': 'a',
    '\u0250': 'a',
    '\uA733': 'aa',
    '\u00E6': 'ae',
    '\u01FD': 'ae',
    '\u01E3': 'ae',
    '\uA735': 'ao',
    '\uA737': 'au',
    '\uA739': 'av',
    '\uA73B': 'av',
    '\uA73D': 'ay',
    '\u24D1': 'b',
    '\uFF42': 'b',
    '\u1E03': 'b',
    '\u1E05': 'b',
    '\u1E07': 'b',
    '\u0180': 'b',
    '\u0183': 'b',
    '\u0253': 'b',
    '\u24D2': 'c',
    '\uFF43': 'c',
    '\u0107': 'c',
    '\u0109': 'c',
    '\u010B': 'c',
    '\u010D': 'c',
    '\u00E7': 'c',
    '\u1E09': 'c',
    '\u0188': 'c',
    '\u023C': 'c',
    '\uA73F': 'c',
    '\u2184': 'c',
    '\u24D3': 'd',
    '\uFF44': 'd',
    '\u1E0B': 'd',
    '\u010F': 'd',
    '\u1E0D': 'd',
    '\u1E11': 'd',
    '\u1E13': 'd',
    '\u1E0F': 'd',
    '\u0111': 'd',
    '\u018C': 'd',
    '\u0256': 'd',
    '\u0257': 'd',
    '\uA77A': 'd',
    '\u01F3': 'dz',
    '\u01C6': 'dz',
    '\u24D4': 'e',
    '\uFF45': 'e',
    '\u00E8': 'e',
    '\u00E9': 'e',
    '\u00EA': 'e',
    '\u1EC1': 'e',
    '\u1EBF': 'e',
    '\u1EC5': 'e',
    '\u1EC3': 'e',
    '\u1EBD': 'e',
    '\u0113': 'e',
    '\u1E15': 'e',
    '\u1E17': 'e',
    '\u0115': 'e',
    '\u0117': 'e',
    '\u00EB': 'e',
    '\u1EBB': 'e',
    '\u011B': 'e',
    '\u0205': 'e',
    '\u0207': 'e',
    '\u1EB9': 'e',
    '\u1EC7': 'e',
    '\u0229': 'e',
    '\u1E1D': 'e',
    '\u0119': 'e',
    '\u1E19': 'e',
    '\u1E1B': 'e',
    '\u0247': 'e',
    '\u025B': 'e',
    '\u01DD': 'e',
    '\u24D5': 'f',
    '\uFF46': 'f',
    '\u1E1F': 'f',
    '\u0192': 'f',
    '\uA77C': 'f',
    '\u24D6': 'g',
    '\uFF47': 'g',
    '\u01F5': 'g',
    '\u011D': 'g',
    '\u1E21': 'g',
    '\u011F': 'g',
    '\u0121': 'g',
    '\u01E7': 'g',
    '\u0123': 'g',
    '\u01E5': 'g',
    '\u0260': 'g',
    '\uA7A1': 'g',
    '\u1D79': 'g',
    '\uA77F': 'g',
    '\u24D7': 'h',
    '\uFF48': 'h',
    '\u0125': 'h',
    '\u1E23': 'h',
    '\u1E27': 'h',
    '\u021F': 'h',
    '\u1E25': 'h',
    '\u1E29': 'h',
    '\u1E2B': 'h',
    '\u1E96': 'h',
    '\u0127': 'h',
    '\u2C68': 'h',
    '\u2C76': 'h',
    '\u0265': 'h',
    '\u0195': 'hv',
    '\u24D8': 'i',
    '\uFF49': 'i',
    '\u00EC': 'i',
    '\u00ED': 'i',
    '\u00EE': 'i',
    '\u0129': 'i',
    '\u012B': 'i',
    '\u012D': 'i',
    '\u00EF': 'i',
    '\u1E2F': 'i',
    '\u1EC9': 'i',
    '\u01D0': 'i',
    '\u0209': 'i',
    '\u020B': 'i',
    '\u1ECB': 'i',
    '\u012F': 'i',
    '\u1E2D': 'i',
    '\u0268': 'i',
    '\u0131': 'i',
    '\u24D9': 'j',
    '\uFF4A': 'j',
    '\u0135': 'j',
    '\u01F0': 'j',
    '\u0249': 'j',
    '\u24DA': 'k',
    '\uFF4B': 'k',
    '\u1E31': 'k',
    '\u01E9': 'k',
    '\u1E33': 'k',
    '\u0137': 'k',
    '\u1E35': 'k',
    '\u0199': 'k',
    '\u2C6A': 'k',
    '\uA741': 'k',
    '\uA743': 'k',
    '\uA745': 'k',
    '\uA7A3': 'k',
    '\u24DB': 'l',
    '\uFF4C': 'l',
    '\u0140': 'l',
    '\u013A': 'l',
    '\u013E': 'l',
    '\u1E37': 'l',
    '\u1E39': 'l',
    '\u013C': 'l',
    '\u1E3D': 'l',
    '\u1E3B': 'l',
    '\u017F': 'l',
    '\u0142': 'l',
    '\u019A': 'l',
    '\u026B': 'l',
    '\u2C61': 'l',
    '\uA749': 'l',
    '\uA781': 'l',
    '\uA747': 'l',
    '\u01C9': 'lj',
    '\u24DC': 'm',
    '\uFF4D': 'm',
    '\u1E3F': 'm',
    '\u1E41': 'm',
    '\u1E43': 'm',
    '\u0271': 'm',
    '\u026F': 'm',
    '\u24DD': 'n',
    '\uFF4E': 'n',
    '\u01F9': 'n',
    '\u0144': 'n',
    '\u00F1': 'n',
    '\u1E45': 'n',
    '\u0148': 'n',
    '\u1E47': 'n',
    '\u0146': 'n',
    '\u1E4B': 'n',
    '\u1E49': 'n',
    '\u019E': 'n',
    '\u0272': 'n',
    '\u0149': 'n',
    '\uA791': 'n',
    '\uA7A5': 'n',
    '\u01CC': 'nj',
    '\u24DE': 'o',
    '\uFF4F': 'o',
    '\u00F2': 'o',
    '\u00F3': 'o',
    '\u00F4': 'o',
    '\u1ED3': 'o',
    '\u1ED1': 'o',
    '\u1ED7': 'o',
    '\u1ED5': 'o',
    '\u00F5': 'o',
    '\u1E4D': 'o',
    '\u022D': 'o',
    '\u1E4F': 'o',
    '\u014D': 'o',
    '\u1E51': 'o',
    '\u1E53': 'o',
    '\u014F': 'o',
    '\u022F': 'o',
    '\u0231': 'o',
    '\u00F6': 'o',
    '\u022B': 'o',
    '\u1ECF': 'o',
    '\u0151': 'o',
    '\u01D2': 'o',
    '\u020D': 'o',
    '\u020F': 'o',
    '\u01A1': 'o',
    '\u1EDD': 'o',
    '\u1EDB': 'o',
    '\u1EE1': 'o',
    '\u1EDF': 'o',
    '\u1EE3': 'o',
    '\u1ECD': 'o',
    '\u1ED9': 'o',
    '\u01EB': 'o',
    '\u01ED': 'o',
    '\u00F8': 'o',
    '\u01FF': 'o',
    '\u0254': 'o',
    '\uA74B': 'o',
    '\uA74D': 'o',
    '\u0275': 'o',
    '\u01A3': 'oi',
    '\u0223': 'ou',
    '\uA74F': 'oo',
    '\u24DF': 'p',
    '\uFF50': 'p',
    '\u1E55': 'p',
    '\u1E57': 'p',
    '\u01A5': 'p',
    '\u1D7D': 'p',
    '\uA751': 'p',
    '\uA753': 'p',
    '\uA755': 'p',
    '\u24E0': 'q',
    '\uFF51': 'q',
    '\u024B': 'q',
    '\uA757': 'q',
    '\uA759': 'q',
    '\u24E1': 'r',
    '\uFF52': 'r',
    '\u0155': 'r',
    '\u1E59': 'r',
    '\u0159': 'r',
    '\u0211': 'r',
    '\u0213': 'r',
    '\u1E5B': 'r',
    '\u1E5D': 'r',
    '\u0157': 'r',
    '\u1E5F': 'r',
    '\u024D': 'r',
    '\u027D': 'r',
    '\uA75B': 'r',
    '\uA7A7': 'r',
    '\uA783': 'r',
    '\u24E2': 's',
    '\uFF53': 's',
    '\u00DF': 's',
    '\u015B': 's',
    '\u1E65': 's',
    '\u015D': 's',
    '\u1E61': 's',
    '\u0161': 's',
    '\u1E67': 's',
    '\u1E63': 's',
    '\u1E69': 's',
    '\u0219': 's',
    '\u015F': 's',
    '\u023F': 's',
    '\uA7A9': 's',
    '\uA785': 's',
    '\u1E9B': 's',
    '\u24E3': 't',
    '\uFF54': 't',
    '\u1E6B': 't',
    '\u1E97': 't',
    '\u0165': 't',
    '\u1E6D': 't',
    '\u021B': 't',
    '\u0163': 't',
    '\u1E71': 't',
    '\u1E6F': 't',
    '\u0167': 't',
    '\u01AD': 't',
    '\u0288': 't',
    '\u2C66': 't',
    '\uA787': 't',
    '\uA729': 'tz',
    '\u24E4': 'u',
    '\uFF55': 'u',
    '\u00F9': 'u',
    '\u00FA': 'u',
    '\u00FB': 'u',
    '\u0169': 'u',
    '\u1E79': 'u',
    '\u016B': 'u',
    '\u1E7B': 'u',
    '\u016D': 'u',
    '\u00FC': 'u',
    '\u01DC': 'u',
    '\u01D8': 'u',
    '\u01D6': 'u',
    '\u01DA': 'u',
    '\u1EE7': 'u',
    '\u016F': 'u',
    '\u0171': 'u',
    '\u01D4': 'u',
    '\u0215': 'u',
    '\u0217': 'u',
    '\u01B0': 'u',
    '\u1EEB': 'u',
    '\u1EE9': 'u',
    '\u1EEF': 'u',
    '\u1EED': 'u',
    '\u1EF1': 'u',
    '\u1EE5': 'u',
    '\u1E73': 'u',
    '\u0173': 'u',
    '\u1E77': 'u',
    '\u1E75': 'u',
    '\u0289': 'u',
    '\u24E5': 'v',
    '\uFF56': 'v',
    '\u1E7D': 'v',
    '\u1E7F': 'v',
    '\u028B': 'v',
    '\uA75F': 'v',
    '\u028C': 'v',
    '\uA761': 'vy',
    '\u24E6': 'w',
    '\uFF57': 'w',
    '\u1E81': 'w',
    '\u1E83': 'w',
    '\u0175': 'w',
    '\u1E87': 'w',
    '\u1E85': 'w',
    '\u1E98': 'w',
    '\u1E89': 'w',
    '\u2C73': 'w',
    '\u24E7': 'x',
    '\uFF58': 'x',
    '\u1E8B': 'x',
    '\u1E8D': 'x',
    '\u24E8': 'y',
    '\uFF59': 'y',
    '\u1EF3': 'y',
    '\u00FD': 'y',
    '\u0177': 'y',
    '\u1EF9': 'y',
    '\u0233': 'y',
    '\u1E8F': 'y',
    '\u00FF': 'y',
    '\u1EF7': 'y',
    '\u1E99': 'y',
    '\u1EF5': 'y',
    '\u01B4': 'y',
    '\u024F': 'y',
    '\u1EFF': 'y',
    '\u24E9': 'z',
    '\uFF5A': 'z',
    '\u017A': 'z',
    '\u1E91': 'z',
    '\u017C': 'z',
    '\u017E': 'z',
    '\u1E93': 'z',
    '\u1E95': 'z',
    '\u01B6': 'z',
    '\u0225': 'z',
    '\u0240': 'z',
    '\u2C6C': 'z',
    '\uA763': 'z',
    '\u0386': '\u0391',
    '\u0388': '\u0395',
    '\u0389': '\u0397',
    '\u038A': '\u0399',
    '\u03AA': '\u0399',
    '\u038C': '\u039F',
    '\u038E': '\u03A5',
    '\u03AB': '\u03A5',
    '\u038F': '\u03A9',
    '\u03AC': '\u03B1',
    '\u03AD': '\u03B5',
    '\u03AE': '\u03B7',
    '\u03AF': '\u03B9',
    '\u03CA': '\u03B9',
    '\u0390': '\u03B9',
    '\u03CC': '\u03BF',
    '\u03CD': '\u03C5',
    '\u03CB': '\u03C5',
    '\u03B0': '\u03C5',
    '\u03C9': '\u03C9',
    '\u03C2': '\u03C3'
  };

  return diacritics;
});

S2.define('select2/data/base',[
  '../utils'
], function (Utils) {
  function BaseAdapter ($element, options) {
    BaseAdapter.__super__.constructor.call(this);
  }

  Utils.Extend(BaseAdapter, Utils.Observable);

  BaseAdapter.prototype.current = function (callback) {
    throw new Error('The `current` method must be defined in child classes.');
  };

  BaseAdapter.prototype.query = function (params, callback) {
    throw new Error('The `query` method must be defined in child classes.');
  };

  BaseAdapter.prototype.bind = function (container, $container) {
    // Can be implemented in subclasses
  };

  BaseAdapter.prototype.destroy = function () {
    // Can be implemented in subclasses
  };

  BaseAdapter.prototype.generateResultId = function (container, data) {
    var id = container.id + '-result-';

    id += Utils.generateChars(4);

    if (data.id != null) {
      id += '-' + data.id.toString();
    } else {
      id += '-' + Utils.generateChars(4);
    }
    return id;
  };

  return BaseAdapter;
});

S2.define('select2/data/select',[
  './base',
  '../utils',
  'jquery'
], function (BaseAdapter, Utils, $) {
  function SelectAdapter ($element, options) {
    this.$element = $element;
    this.options = options;

    SelectAdapter.__super__.constructor.call(this);
  }

  Utils.Extend(SelectAdapter, BaseAdapter);

  SelectAdapter.prototype.current = function (callback) {
    var data = [];
    var self = this;

    this.$element.find(':selected').each(function () {
      var $option = $(this);

      var option = self.item($option);

      data.push(option);
    });

    callback(data);
  };

  SelectAdapter.prototype.select = function (data) {
    var self = this;

    data.selected = true;

    // If data.element is a DOM node, use it instead
    if ($(data.element).is('option')) {
      data.element.selected = true;

      this.$element.trigger('change');

      return;
    }

    if (this.$element.prop('multiple')) {
      this.current(function (currentData) {
        var val = [];

        data = [data];
        data.push.apply(data, currentData);

        for (var d = 0; d < data.length; d++) {
          var id = data[d].id;

          if ($.inArray(id, val) === -1) {
            val.push(id);
          }
        }

        self.$element.val(val);
        self.$element.trigger('change');
      });
    } else {
      var val = data.id;

      this.$element.val(val);
      this.$element.trigger('change');
    }
  };

  SelectAdapter.prototype.unselect = function (data) {
    var self = this;

    if (!this.$element.prop('multiple')) {
      return;
    }

    data.selected = false;

    if ($(data.element).is('option')) {
      data.element.selected = false;

      this.$element.trigger('change');

      return;
    }

    this.current(function (currentData) {
      var val = [];

      for (var d = 0; d < currentData.length; d++) {
        var id = currentData[d].id;

        if (id !== data.id && $.inArray(id, val) === -1) {
          val.push(id);
        }
      }

      self.$element.val(val);

      self.$element.trigger('change');
    });
  };

  SelectAdapter.prototype.bind = function (container, $container) {
    var self = this;

    this.container = container;

    container.on('select', function (params) {
      self.select(params.data);
    });

    container.on('unselect', function (params) {
      self.unselect(params.data);
    });
  };

  SelectAdapter.prototype.destroy = function () {
    // Remove anything added to child elements
    this.$element.find('*').each(function () {
      // Remove any custom data set by Select2
      $.removeData(this, 'data');
    });
  };

  SelectAdapter.prototype.query = function (params, callback) {
    var data = [];
    var self = this;

    var $options = this.$element.children();

    $options.each(function () {
      var $option = $(this);

      if (!$option.is('option') && !$option.is('optgroup')) {
        return;
      }

      var option = self.item($option);

      var matches = self.matches(params, option);

      if (matches !== null) {
        data.push(matches);
      }
    });

    callback({
      results: data
    });
  };

  SelectAdapter.prototype.addOptions = function ($options) {
    Utils.appendMany(this.$element, $options);
  };

  SelectAdapter.prototype.option = function (data) {
    var option;

    if (data.children) {
      option = document.createElement('optgroup');
      option.label = data.text;
    } else {
      option = document.createElement('option');

      if (option.textContent !== undefined) {
        option.textContent = data.text;
      } else {
        option.innerText = data.text;
      }
    }

    if (data.id) {
      option.value = data.id;
    }

    if (data.disabled) {
      option.disabled = true;
    }

    if (data.selected) {
      option.selected = true;
    }

    if (data.title) {
      option.title = data.title;
    }

    var $option = $(option);

    var normalizedData = this._normalizeItem(data);
    normalizedData.element = option;

    // Override the option's data with the combined data
    $.data(option, 'data', normalizedData);

    return $option;
  };

  SelectAdapter.prototype.item = function ($option) {
    var data = {};

    data = $.data($option[0], 'data');

    if (data != null) {
      return data;
    }

    if ($option.is('option')) {
      data = {
        id: $option.val(),
        text: $option.text(),
        disabled: $option.prop('disabled'),
        selected: $option.prop('selected'),
        title: $option.prop('title')
      };
    } else if ($option.is('optgroup')) {
      data = {
        text: $option.prop('label'),
        children: [],
        title: $option.prop('title')
      };

      var $children = $option.children('option');
      var children = [];

      for (var c = 0; c < $children.length; c++) {
        var $child = $($children[c]);

        var child = this.item($child);

        children.push(child);
      }

      data.children = children;
    }

    data = this._normalizeItem(data);
    data.element = $option[0];

    $.data($option[0], 'data', data);

    return data;
  };

  SelectAdapter.prototype._normalizeItem = function (item) {
    if (!$.isPlainObject(item)) {
      item = {
        id: item,
        text: item
      };
    }

    item = $.extend({}, {
      text: ''
    }, item);

    var defaults = {
      selected: false,
      disabled: false
    };

    if (item.id != null) {
      item.id = item.id.toString();
    }

    if (item.text != null) {
      item.text = item.text.toString();
    }

    if (item._resultId == null && item.id && this.container != null) {
      item._resultId = this.generateResultId(this.container, item);
    }

    return $.extend({}, defaults, item);
  };

  SelectAdapter.prototype.matches = function (params, data) {
    var matcher = this.options.get('matcher');

    return matcher(params, data);
  };

  return SelectAdapter;
});

S2.define('select2/data/array',[
  './select',
  '../utils',
  'jquery'
], function (SelectAdapter, Utils, $) {
  function ArrayAdapter ($element, options) {
    var data = options.get('data') || [];

    ArrayAdapter.__super__.constructor.call(this, $element, options);

    this.addOptions(this.convertToOptions(data));
  }

  Utils.Extend(ArrayAdapter, SelectAdapter);

  ArrayAdapter.prototype.select = function (data) {
    var $option = this.$element.find('option').filter(function (i, elm) {
      return elm.value == data.id.toString();
    });

    if ($option.length === 0) {
      $option = this.option(data);

      this.addOptions($option);
    }

    ArrayAdapter.__super__.select.call(this, data);
  };

  ArrayAdapter.prototype.convertToOptions = function (data) {
    var self = this;

    var $existing = this.$element.find('option');
    var existingIds = $existing.map(function () {
      return self.item($(this)).id;
    }).get();

    var $options = [];

    // Filter out all items except for the one passed in the argument
    function onlyItem (item) {
      return function () {
        return $(this).val() == item.id;
      };
    }

    for (var d = 0; d < data.length; d++) {
      var item = this._normalizeItem(data[d]);

      // Skip items which were pre-loaded, only merge the data
      if ($.inArray(item.id, existingIds) >= 0) {
        var $existingOption = $existing.filter(onlyItem(item));

        var existingData = this.item($existingOption);
        var newData = $.extend(true, {}, item, existingData);

        var $newOption = this.option(newData);

        $existingOption.replaceWith($newOption);

        continue;
      }

      var $option = this.option(item);

      if (item.children) {
        var $children = this.convertToOptions(item.children);

        Utils.appendMany($option, $children);
      }

      $options.push($option);
    }

    return $options;
  };

  return ArrayAdapter;
});

S2.define('select2/data/ajax',[
  './array',
  '../utils',
  'jquery'
], function (ArrayAdapter, Utils, $) {
  function AjaxAdapter ($element, options) {
    this.ajaxOptions = this._applyDefaults(options.get('ajax'));

    if (this.ajaxOptions.processResults != null) {
      this.processResults = this.ajaxOptions.processResults;
    }

    AjaxAdapter.__super__.constructor.call(this, $element, options);
  }

  Utils.Extend(AjaxAdapter, ArrayAdapter);

  AjaxAdapter.prototype._applyDefaults = function (options) {
    var defaults = {
      data: function (params) {
        return $.extend({}, params, {
          q: params.term
        });
      },
      transport: function (params, success, failure) {
        var $request = $.ajax(params);

        $request.then(success);
        $request.fail(failure);

        return $request;
      }
    };

    return $.extend({}, defaults, options, true);
  };

  AjaxAdapter.prototype.processResults = function (results) {
    return results;
  };

  AjaxAdapter.prototype.query = function (params, callback) {
    var matches = [];
    var self = this;

    if (this._request != null) {
      // JSONP requests cannot always be aborted
      if ($.isFunction(this._request.abort)) {
        this._request.abort();
      }

      this._request = null;
    }

    var options = $.extend({
      type: 'GET'
    }, this.ajaxOptions);

    if (typeof options.url === 'function') {
      options.url = options.url.call(this.$element, params);
    }

    if (typeof options.data === 'function') {
      options.data = options.data.call(this.$element, params);
    }

    function request () {
      var $request = options.transport(options, function (data) {
        var results = self.processResults(data, params);

        if (self.options.get('debug') && window.console && console.error) {
          // Check to make sure that the response included a `results` key.
          if (!results || !results.results || !$.isArray(results.results)) {
            console.error(
              'Select2: The AJAX results did not return an array in the ' +
              '`results` key of the response.'
            );
          }
        }

        callback(results);
      }, function () {
        // Attempt to detect if a request was aborted
        // Only works if the transport exposes a status property
        if ($request.status && $request.status === '0') {
          return;
        }

        self.trigger('results:message', {
          message: 'errorLoading'
        });
      });

      self._request = $request;
    }

    if (this.ajaxOptions.delay && params.term != null) {
      if (this._queryTimeout) {
        window.clearTimeout(this._queryTimeout);
      }

      this._queryTimeout = window.setTimeout(request, this.ajaxOptions.delay);
    } else {
      request();
    }
  };

  return AjaxAdapter;
});

S2.define('select2/data/tags',[
  'jquery'
], function ($) {
  function Tags (decorated, $element, options) {
    var tags = options.get('tags');

    var createTag = options.get('createTag');

    if (createTag !== undefined) {
      this.createTag = createTag;
    }

    var insertTag = options.get('insertTag');

    if (insertTag !== undefined) {
        this.insertTag = insertTag;
    }

    decorated.call(this, $element, options);

    if ($.isArray(tags)) {
      for (var t = 0; t < tags.length; t++) {
        var tag = tags[t];
        var item = this._normalizeItem(tag);

        var $option = this.option(item);

        this.$element.append($option);
      }
    }
  }

  Tags.prototype.query = function (decorated, params, callback) {
    var self = this;

    this._removeOldTags();

    if (params.term == null || params.page != null) {
      decorated.call(this, params, callback);
      return;
    }

    function wrapper (obj, child) {
      var data = obj.results;

      for (var i = 0; i < data.length; i++) {
        var option = data[i];

        var checkChildren = (
          option.children != null &&
          !wrapper({
            results: option.children
          }, true)
        );

        var checkText = option.text === params.term;

        if (checkText || checkChildren) {
          if (child) {
            return false;
          }

          obj.data = data;
          callback(obj);

          return;
        }
      }

      if (child) {
        return true;
      }

      var tag = self.createTag(params);

      if (tag != null) {
        var $option = self.option(tag);
        $option.attr('data-select2-tag', true);

        self.addOptions([$option]);

        self.insertTag(data, tag);
      }

      obj.results = data;

      callback(obj);
    }

    decorated.call(this, params, wrapper);
  };

  Tags.prototype.createTag = function (decorated, params) {
    var term = $.trim(params.term);

    if (term === '') {
      return null;
    }

    return {
      id: term,
      text: term
    };
  };

  Tags.prototype.insertTag = function (_, data, tag) {
    data.unshift(tag);
  };

  Tags.prototype._removeOldTags = function (_) {
    var tag = this._lastTag;

    var $options = this.$element.find('option[data-select2-tag]');

    $options.each(function () {
      if (this.selected) {
        return;
      }

      $(this).remove();
    });
  };

  return Tags;
});

S2.define('select2/data/tokenizer',[
  'jquery'
], function ($) {
  function Tokenizer (decorated, $element, options) {
    var tokenizer = options.get('tokenizer');

    if (tokenizer !== undefined) {
      this.tokenizer = tokenizer;
    }

    decorated.call(this, $element, options);
  }

  Tokenizer.prototype.bind = function (decorated, container, $container) {
    decorated.call(this, container, $container);

    this.$search =  container.dropdown.$search || container.selection.$search ||
      $container.find('.select2-search__field');
  };

  Tokenizer.prototype.query = function (decorated, params, callback) {
    var self = this;

    function createAndSelect (data) {
      // Normalize the data object so we can use it for checks
      var item = self._normalizeItem(data);

      // Check if the data object already exists as a tag
      // Select it if it doesn't
      var $existingOptions = self.$element.find('option').filter(function () {
        return $(this).val() === item.id;
      });

      // If an existing option wasn't found for it, create the option
      if (!$existingOptions.length) {
        var $option = self.option(item);
        $option.attr('data-select2-tag', true);

        self._removeOldTags();
        self.addOptions([$option]);
      }

      // Select the item, now that we know there is an option for it
      select(item);
    }

    function select (data) {
      self.trigger('select', {
        data: data
      });
    }

    params.term = params.term || '';

    var tokenData = this.tokenizer(params, this.options, createAndSelect);

    if (tokenData.term !== params.term) {
      // Replace the search term if we have the search box
      if (this.$search.length) {
        this.$search.val(tokenData.term);
        this.$search.focus();
      }

      params.term = tokenData.term;
    }

    decorated.call(this, params, callback);
  };

  Tokenizer.prototype.tokenizer = function (_, params, options, callback) {
    var separators = options.get('tokenSeparators') || [];
    var term = params.term;
    var i = 0;

    var createTag = this.createTag || function (params) {
      return {
        id: params.term,
        text: params.term
      };
    };

    while (i < term.length) {
      var termChar = term[i];

      if ($.inArray(termChar, separators) === -1) {
        i++;

        continue;
      }

      var part = term.substr(0, i);
      var partParams = $.extend({}, params, {
        term: part
      });

      var data = createTag(partParams);

      if (data == null) {
        i++;
        continue;
      }

      callback(data);

      // Reset the term to not include the tokenized portion
      term = term.substr(i + 1) || '';
      i = 0;
    }

    return {
      term: term
    };
  };

  return Tokenizer;
});

S2.define('select2/data/minimumInputLength',[

], function () {
  function MinimumInputLength (decorated, $e, options) {
    this.minimumInputLength = options.get('minimumInputLength');

    decorated.call(this, $e, options);
  }

  MinimumInputLength.prototype.query = function (decorated, params, callback) {
    params.term = params.term || '';

    if (params.term.length < this.minimumInputLength) {
      this.trigger('results:message', {
        message: 'inputTooShort',
        args: {
          minimum: this.minimumInputLength,
          input: params.term,
          params: params
        }
      });

      return;
    }

    decorated.call(this, params, callback);
  };

  return MinimumInputLength;
});

S2.define('select2/data/maximumInputLength',[

], function () {
  function MaximumInputLength (decorated, $e, options) {
    this.maximumInputLength = options.get('maximumInputLength');

    decorated.call(this, $e, options);
  }

  MaximumInputLength.prototype.query = function (decorated, params, callback) {
    params.term = params.term || '';

    if (this.maximumInputLength > 0 &&
        params.term.length > this.maximumInputLength) {
      this.trigger('results:message', {
        message: 'inputTooLong',
        args: {
          maximum: this.maximumInputLength,
          input: params.term,
          params: params
        }
      });

      return;
    }

    decorated.call(this, params, callback);
  };

  return MaximumInputLength;
});

S2.define('select2/data/maximumSelectionLength',[

], function (){
  function MaximumSelectionLength (decorated, $e, options) {
    this.maximumSelectionLength = options.get('maximumSelectionLength');

    decorated.call(this, $e, options);
  }

  MaximumSelectionLength.prototype.query =
    function (decorated, params, callback) {
      var self = this;

      this.current(function (currentData) {
        var count = currentData != null ? currentData.length : 0;
        if (self.maximumSelectionLength > 0 &&
          count >= self.maximumSelectionLength) {
          self.trigger('results:message', {
            message: 'maximumSelected',
            args: {
              maximum: self.maximumSelectionLength
            }
          });
          return;
        }
        decorated.call(self, params, callback);
      });
  };

  return MaximumSelectionLength;
});

S2.define('select2/dropdown',[
  'jquery',
  './utils'
], function ($, Utils) {
  function Dropdown ($element, options) {
    this.$element = $element;
    this.options = options;

    Dropdown.__super__.constructor.call(this);
  }

  Utils.Extend(Dropdown, Utils.Observable);

  Dropdown.prototype.render = function () {
    var $dropdown = $(
      '<span class="select2-dropdown">' +
        '<span class="select2-results"></span>' +
      '</span>'
    );

    $dropdown.attr('dir', this.options.get('dir'));

    this.$dropdown = $dropdown;

    return $dropdown;
  };

  Dropdown.prototype.bind = function () {
    // Should be implemented in subclasses
  };

  Dropdown.prototype.position = function ($dropdown, $container) {
    // Should be implmented in subclasses
  };

  Dropdown.prototype.destroy = function () {
    // Remove the dropdown from the DOM
    this.$dropdown.remove();
  };

  return Dropdown;
});

S2.define('select2/dropdown/search',[
  'jquery',
  '../utils'
], function ($, Utils) {
  function Search () { }

  Search.prototype.render = function (decorated) {
    var $rendered = decorated.call(this);

    var $search = $(
      '<span class="select2-search select2-search--dropdown">' +
        '<input class="select2-search__field" type="search" tabindex="-1"' +
        ' autocomplete="off" autocorrect="off" autocapitalize="off"' +
        ' spellcheck="false" role="textbox" />' +
      '</span>'
    );

    this.$searchContainer = $search;
    this.$search = $search.find('input');

    $rendered.prepend($search);

    return $rendered;
  };

  Search.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    this.$search.on('keydown', function (evt) {
      self.trigger('keypress', evt);

      self._keyUpPrevented = evt.isDefaultPrevented();
    });

    // Workaround for browsers which do not support the `input` event
    // This will prevent double-triggering of events for browsers which support
    // both the `keyup` and `input` events.
    this.$search.on('input', function (evt) {
      // Unbind the duplicated `keyup` event
      $(this).off('keyup');
    });

    this.$search.on('keyup input', function (evt) {
      self.handleSearch(evt);
    });

    container.on('open', function () {
      self.$search.attr('tabindex', 0);

      self.$search.focus();

      window.setTimeout(function () {
        self.$search.focus();
      }, 0);
    });

    container.on('close', function () {
      self.$search.attr('tabindex', -1);

      self.$search.val('');
    });

    container.on('focus', function () {
      if (container.isOpen()) {
        self.$search.focus();
      }
    });

    container.on('results:all', function (params) {
      if (params.query.term == null || params.query.term === '') {
        var showSearch = self.showSearch(params);

        if (showSearch) {
          self.$searchContainer.removeClass('select2-search--hide');
        } else {
          self.$searchContainer.addClass('select2-search--hide');
        }
      }
    });
  };

  Search.prototype.handleSearch = function (evt) {
    if (!this._keyUpPrevented) {
      var input = this.$search.val();

      this.trigger('query', {
        term: input
      });
    }

    this._keyUpPrevented = false;
  };

  Search.prototype.showSearch = function (_, params) {
    return true;
  };

  return Search;
});

S2.define('select2/dropdown/hidePlaceholder',[

], function () {
  function HidePlaceholder (decorated, $element, options, dataAdapter) {
    this.placeholder = this.normalizePlaceholder(options.get('placeholder'));

    decorated.call(this, $element, options, dataAdapter);
  }

  HidePlaceholder.prototype.append = function (decorated, data) {
    data.results = this.removePlaceholder(data.results);

    decorated.call(this, data);
  };

  HidePlaceholder.prototype.normalizePlaceholder = function (_, placeholder) {
    if (typeof placeholder === 'string') {
      placeholder = {
        id: '',
        text: placeholder
      };
    }

    return placeholder;
  };

  HidePlaceholder.prototype.removePlaceholder = function (_, data) {
    var modifiedData = data.slice(0);

    for (var d = data.length - 1; d >= 0; d--) {
      var item = data[d];

      if (this.placeholder.id === item.id) {
        modifiedData.splice(d, 1);
      }
    }

    return modifiedData;
  };

  return HidePlaceholder;
});

S2.define('select2/dropdown/infiniteScroll',[
  'jquery'
], function ($) {
  function InfiniteScroll (decorated, $element, options, dataAdapter) {
    this.lastParams = {};

    decorated.call(this, $element, options, dataAdapter);

    this.$loadingMore = this.createLoadingMore();
    this.loading = false;
  }

  InfiniteScroll.prototype.append = function (decorated, data) {
    this.$loadingMore.remove();
    this.loading = false;

    decorated.call(this, data);

    if (this.showLoadingMore(data)) {
      this.$results.append(this.$loadingMore);
    }
  };

  InfiniteScroll.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('query', function (params) {
      self.lastParams = params;
      self.loading = true;
    });

    container.on('query:append', function (params) {
      self.lastParams = params;
      self.loading = true;
    });

    this.$results.on('scroll', function () {
      var isLoadMoreVisible = $.contains(
        document.documentElement,
        self.$loadingMore[0]
      );

      if (self.loading || !isLoadMoreVisible) {
        return;
      }

      var currentOffset = self.$results.offset().top +
        self.$results.outerHeight(false);
      var loadingMoreOffset = self.$loadingMore.offset().top +
        self.$loadingMore.outerHeight(false);

      if (currentOffset + 50 >= loadingMoreOffset) {
        self.loadMore();
      }
    });
  };

  InfiniteScroll.prototype.loadMore = function () {
    this.loading = true;

    var params = $.extend({}, {page: 1}, this.lastParams);

    params.page++;

    this.trigger('query:append', params);
  };

  InfiniteScroll.prototype.showLoadingMore = function (_, data) {
    return data.pagination && data.pagination.more;
  };

  InfiniteScroll.prototype.createLoadingMore = function () {
    var $option = $(
      '<li ' +
      'class="select2-results__option select2-results__option--load-more"' +
      'role="treeitem" aria-disabled="true"></li>'
    );

    var message = this.options.get('translations').get('loadingMore');

    $option.html(message(this.lastParams));

    return $option;
  };

  return InfiniteScroll;
});

S2.define('select2/dropdown/attachBody',[
  'jquery',
  '../utils'
], function ($, Utils) {
  function AttachBody (decorated, $element, options) {
    this.$dropdownParent = options.get('dropdownParent') || $(document.body);

    decorated.call(this, $element, options);
  }

  AttachBody.prototype.bind = function (decorated, container, $container) {
    var self = this;

    var setupResultsEvents = false;

    decorated.call(this, container, $container);

    container.on('open', function () {
      self._showDropdown();
      self._attachPositioningHandler(container);

      if (!setupResultsEvents) {
        setupResultsEvents = true;

        container.on('results:all', function () {
          self._positionDropdown();
          self._resizeDropdown();
        });

        container.on('results:append', function () {
          self._positionDropdown();
          self._resizeDropdown();
        });
      }
    });

    container.on('close', function () {
      self._hideDropdown();
      self._detachPositioningHandler(container);
    });

    this.$dropdownContainer.on('mousedown', function (evt) {
      evt.stopPropagation();
    });
  };

  AttachBody.prototype.destroy = function (decorated) {
    decorated.call(this);

    this.$dropdownContainer.remove();
  };

  AttachBody.prototype.position = function (decorated, $dropdown, $container) {
    // Clone all of the container classes
    $dropdown.attr('class', $container.attr('class'));

    $dropdown.removeClass('select2');
    $dropdown.addClass('select2-container--open');

    $dropdown.css({
      position: 'absolute',
      top: -999999
    });

    this.$container = $container;
  };

  AttachBody.prototype.render = function (decorated) {
    var $container = $('<span></span>');

    var $dropdown = decorated.call(this);
    $container.append($dropdown);

    this.$dropdownContainer = $container;

    return $container;
  };

  AttachBody.prototype._hideDropdown = function (decorated) {
    this.$dropdownContainer.detach();
  };

  AttachBody.prototype._attachPositioningHandler =
      function (decorated, container) {
    var self = this;

    var scrollEvent = 'scroll.select2.' + container.id;
    var resizeEvent = 'resize.select2.' + container.id;
    var orientationEvent = 'orientationchange.select2.' + container.id;

    var $watchers = this.$container.parents().filter(Utils.hasScroll);
    $watchers.each(function () {
      $(this).data('select2-scroll-position', {
        x: $(this).scrollLeft(),
        y: $(this).scrollTop()
      });
    });

    $watchers.on(scrollEvent, function (ev) {
      var position = $(this).data('select2-scroll-position');
      $(this).scrollTop(position.y);
    });

    $(window).on(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent,
      function (e) {
      self._positionDropdown();
      self._resizeDropdown();
    });
  };

  AttachBody.prototype._detachPositioningHandler =
      function (decorated, container) {
    var scrollEvent = 'scroll.select2.' + container.id;
    var resizeEvent = 'resize.select2.' + container.id;
    var orientationEvent = 'orientationchange.select2.' + container.id;

    var $watchers = this.$container.parents().filter(Utils.hasScroll);
    $watchers.off(scrollEvent);

    $(window).off(scrollEvent + ' ' + resizeEvent + ' ' + orientationEvent);
  };

  AttachBody.prototype._positionDropdown = function () {
    var $window = $(window);

    var isCurrentlyAbove = this.$dropdown.hasClass('select2-dropdown--above');
    var isCurrentlyBelow = this.$dropdown.hasClass('select2-dropdown--below');

    var newDirection = null;

    var offset = this.$container.offset();

    offset.bottom = offset.top + this.$container.outerHeight(false);

    var container = {
      height: this.$container.outerHeight(false)
    };

    container.top = offset.top;
    container.bottom = offset.top + container.height;

    var dropdown = {
      height: this.$dropdown.outerHeight(false)
    };

    var viewport = {
      top: $window.scrollTop(),
      bottom: $window.scrollTop() + $window.height()
    };

    var enoughRoomAbove = viewport.top < (offset.top - dropdown.height);
    var enoughRoomBelow = viewport.bottom > (offset.bottom + dropdown.height);

    var css = {
      left: offset.left,
      top: container.bottom
    };

    // Determine what the parent element is to use for calciulating the offset
    var $offsetParent = this.$dropdownParent;

    // For statically positoned elements, we need to get the element
    // that is determining the offset
    if ($offsetParent.css('position') === 'static') {
      $offsetParent = $offsetParent.offsetParent();
    }

    var parentOffset = $offsetParent.offset();

    css.top -= parentOffset.top;
    css.left -= parentOffset.left;

    if (!isCurrentlyAbove && !isCurrentlyBelow) {
      newDirection = 'below';
    }

    if (!enoughRoomBelow && enoughRoomAbove && !isCurrentlyAbove) {
      newDirection = 'above';
    } else if (!enoughRoomAbove && enoughRoomBelow && isCurrentlyAbove) {
      newDirection = 'below';
    }

    if (newDirection == 'above' ||
      (isCurrentlyAbove && newDirection !== 'below')) {
      css.top = container.top - parentOffset.top - dropdown.height;
    }

    if (newDirection != null) {
      this.$dropdown
        .removeClass('select2-dropdown--below select2-dropdown--above')
        .addClass('select2-dropdown--' + newDirection);
      this.$container
        .removeClass('select2-container--below select2-container--above')
        .addClass('select2-container--' + newDirection);
    }

    this.$dropdownContainer.css(css);
  };

  AttachBody.prototype._resizeDropdown = function () {
    var css = {
      width: this.$container.outerWidth(false) + 'px'
    };

    if (this.options.get('dropdownAutoWidth')) {
      css.minWidth = css.width;
      css.position = 'relative';
      css.width = 'auto';
    }

    this.$dropdown.css(css);
  };

  AttachBody.prototype._showDropdown = function (decorated) {
    this.$dropdownContainer.appendTo(this.$dropdownParent);

    this._positionDropdown();
    this._resizeDropdown();
  };

  return AttachBody;
});

S2.define('select2/dropdown/minimumResultsForSearch',[

], function () {
  function countResults (data) {
    var count = 0;

    for (var d = 0; d < data.length; d++) {
      var item = data[d];

      if (item.children) {
        count += countResults(item.children);
      } else {
        count++;
      }
    }

    return count;
  }

  function MinimumResultsForSearch (decorated, $element, options, dataAdapter) {
    this.minimumResultsForSearch = options.get('minimumResultsForSearch');

    if (this.minimumResultsForSearch < 0) {
      this.minimumResultsForSearch = Infinity;
    }

    decorated.call(this, $element, options, dataAdapter);
  }

  MinimumResultsForSearch.prototype.showSearch = function (decorated, params) {
    if (countResults(params.data.results) < this.minimumResultsForSearch) {
      return false;
    }

    return decorated.call(this, params);
  };

  return MinimumResultsForSearch;
});

S2.define('select2/dropdown/selectOnClose',[

], function () {
  function SelectOnClose () { }

  SelectOnClose.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('close', function (params) {
      self._handleSelectOnClose(params);
    });
  };

  SelectOnClose.prototype._handleSelectOnClose = function (_, params) {
    if (params && params.originalSelect2Event != null) {
      var event = params.originalSelect2Event;

      // Don't select an item if the close event was triggered from a select or
      // unselect event
      if (event._type === 'select' || event._type === 'unselect') {
        return;
      }
    }

    var $highlightedResults = this.getHighlightedResults();

    // Only select highlighted results
    if ($highlightedResults.length < 1) {
      return;
    }

    var data = $highlightedResults.data('data');

    // Don't re-select already selected resulte
    if (
      (data.element != null && data.element.selected) ||
      (data.element == null && data.selected)
    ) {
      return;
    }

    this.trigger('select', {
        data: data
    });
  };

  return SelectOnClose;
});

S2.define('select2/dropdown/closeOnSelect',[

], function () {
  function CloseOnSelect () { }

  CloseOnSelect.prototype.bind = function (decorated, container, $container) {
    var self = this;

    decorated.call(this, container, $container);

    container.on('select', function (evt) {
      self._selectTriggered(evt);
    });

    container.on('unselect', function (evt) {
      self._selectTriggered(evt);
    });
  };

  CloseOnSelect.prototype._selectTriggered = function (_, evt) {
    var originalEvent = evt.originalEvent;

    // Don't close if the control key is being held
    if (originalEvent && originalEvent.ctrlKey) {
      return;
    }

    this.trigger('close', {
      originalEvent: originalEvent,
      originalSelect2Event: evt
    });
  };

  return CloseOnSelect;
});

S2.define('select2/i18n/en',[],function () {
  // English
  return {
    errorLoading: function () {
      return 'The results could not be loaded.';
    },
    inputTooLong: function (args) {
      var overChars = args.input.length - args.maximum;

      var message = 'Please delete ' + overChars + ' character';

      if (overChars != 1) {
        message += 's';
      }

      return message;
    },
    inputTooShort: function (args) {
      var remainingChars = args.minimum - args.input.length;

      var message = 'Please enter ' + remainingChars + ' or more characters';

      return message;
    },
    loadingMore: function () {
      return 'Loading more results…';
    },
    maximumSelected: function (args) {
      var message = 'You can only select ' + args.maximum + ' item';

      if (args.maximum != 1) {
        message += 's';
      }

      return message;
    },
    noResults: function () {
      return 'No results found';
    },
    searching: function () {
      return 'Searching…';
    }
  };
});

S2.define('select2/defaults',[
  'jquery',
  'require',

  './results',

  './selection/single',
  './selection/multiple',
  './selection/placeholder',
  './selection/allowClear',
  './selection/search',
  './selection/eventRelay',

  './utils',
  './translation',
  './diacritics',

  './data/select',
  './data/array',
  './data/ajax',
  './data/tags',
  './data/tokenizer',
  './data/minimumInputLength',
  './data/maximumInputLength',
  './data/maximumSelectionLength',

  './dropdown',
  './dropdown/search',
  './dropdown/hidePlaceholder',
  './dropdown/infiniteScroll',
  './dropdown/attachBody',
  './dropdown/minimumResultsForSearch',
  './dropdown/selectOnClose',
  './dropdown/closeOnSelect',

  './i18n/en'
], function ($, require,

             ResultsList,

             SingleSelection, MultipleSelection, Placeholder, AllowClear,
             SelectionSearch, EventRelay,

             Utils, Translation, DIACRITICS,

             SelectData, ArrayData, AjaxData, Tags, Tokenizer,
             MinimumInputLength, MaximumInputLength, MaximumSelectionLength,

             Dropdown, DropdownSearch, HidePlaceholder, InfiniteScroll,
             AttachBody, MinimumResultsForSearch, SelectOnClose, CloseOnSelect,

             EnglishTranslation) {
  function Defaults () {
    this.reset();
  }

  Defaults.prototype.apply = function (options) {
    options = $.extend(true, {}, this.defaults, options);

    if (options.dataAdapter == null) {
      if (options.ajax != null) {
        options.dataAdapter = AjaxData;
      } else if (options.data != null) {
        options.dataAdapter = ArrayData;
      } else {
        options.dataAdapter = SelectData;
      }

      if (options.minimumInputLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MinimumInputLength
        );
      }

      if (options.maximumInputLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MaximumInputLength
        );
      }

      if (options.maximumSelectionLength > 0) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          MaximumSelectionLength
        );
      }

      if (options.tags) {
        options.dataAdapter = Utils.Decorate(options.dataAdapter, Tags);
      }

      if (options.tokenSeparators != null || options.tokenizer != null) {
        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          Tokenizer
        );
      }

      if (options.query != null) {
        var Query = require(options.amdBase + 'compat/query');

        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          Query
        );
      }

      if (options.initSelection != null) {
        var InitSelection = require(options.amdBase + 'compat/initSelection');

        options.dataAdapter = Utils.Decorate(
          options.dataAdapter,
          InitSelection
        );
      }
    }

    if (options.resultsAdapter == null) {
      options.resultsAdapter = ResultsList;

      if (options.ajax != null) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          InfiniteScroll
        );
      }

      if (options.placeholder != null) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          HidePlaceholder
        );
      }

      if (options.selectOnClose) {
        options.resultsAdapter = Utils.Decorate(
          options.resultsAdapter,
          SelectOnClose
        );
      }
    }

    if (options.dropdownAdapter == null) {
      if (options.multiple) {
        options.dropdownAdapter = Dropdown;
      } else {
        var SearchableDropdown = Utils.Decorate(Dropdown, DropdownSearch);

        options.dropdownAdapter = SearchableDropdown;
      }

      if (options.minimumResultsForSearch !== 0) {
        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          MinimumResultsForSearch
        );
      }

      if (options.closeOnSelect) {
        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          CloseOnSelect
        );
      }

      if (
        options.dropdownCssClass != null ||
        options.dropdownCss != null ||
        options.adaptDropdownCssClass != null
      ) {
        var DropdownCSS = require(options.amdBase + 'compat/dropdownCss');

        options.dropdownAdapter = Utils.Decorate(
          options.dropdownAdapter,
          DropdownCSS
        );
      }

      options.dropdownAdapter = Utils.Decorate(
        options.dropdownAdapter,
        AttachBody
      );
    }

    if (options.selectionAdapter == null) {
      if (options.multiple) {
        options.selectionAdapter = MultipleSelection;
      } else {
        options.selectionAdapter = SingleSelection;
      }

      // Add the placeholder mixin if a placeholder was specified
      if (options.placeholder != null) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          Placeholder
        );
      }

      if (options.allowClear) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          AllowClear
        );
      }

      if (options.multiple) {
        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          SelectionSearch
        );
      }

      if (
        options.containerCssClass != null ||
        options.containerCss != null ||
        options.adaptContainerCssClass != null
      ) {
        var ContainerCSS = require(options.amdBase + 'compat/containerCss');

        options.selectionAdapter = Utils.Decorate(
          options.selectionAdapter,
          ContainerCSS
        );
      }

      options.selectionAdapter = Utils.Decorate(
        options.selectionAdapter,
        EventRelay
      );
    }

    if (typeof options.language === 'string') {
      // Check if the language is specified with a region
      if (options.language.indexOf('-') > 0) {
        // Extract the region information if it is included
        var languageParts = options.language.split('-');
        var baseLanguage = languageParts[0];

        options.language = [options.language, baseLanguage];
      } else {
        options.language = [options.language];
      }
    }

    if ($.isArray(options.language)) {
      var languages = new Translation();
      options.language.push('en');

      var languageNames = options.language;

      for (var l = 0; l < languageNames.length; l++) {
        var name = languageNames[l];
        var language = {};

        try {
          // Try to load it with the original name
          language = Translation.loadPath(name);
        } catch (e) {
          try {
            // If we couldn't load it, check if it wasn't the full path
            name = this.defaults.amdLanguageBase + name;
            language = Translation.loadPath(name);
          } catch (ex) {
            // The translation could not be loaded at all. Sometimes this is
            // because of a configuration problem, other times this can be
            // because of how Select2 helps load all possible translation files.
            if (options.debug && window.console && console.warn) {
              console.warn(
                'Select2: The language file for "' + name + '" could not be ' +
                'automatically loaded. A fallback will be used instead.'
              );
            }

            continue;
          }
        }

        languages.extend(language);
      }

      options.translations = languages;
    } else {
      var baseTranslation = Translation.loadPath(
        this.defaults.amdLanguageBase + 'en'
      );
      var customTranslation = new Translation(options.language);

      customTranslation.extend(baseTranslation);

      options.translations = customTranslation;
    }

    return options;
  };

  Defaults.prototype.reset = function () {
    function stripDiacritics (text) {
      // Used 'uni range + named function' from http://jsperf.com/diacritics/18
      function match(a) {
        return DIACRITICS[a] || a;
      }

      return text.replace(/[^\u0000-\u007E]/g, match);
    }

    function matcher (params, data) {
      // Always return the object if there is nothing to compare
      if ($.trim(params.term) === '') {
        return data;
      }

      // Do a recursive check for options with children
      if (data.children && data.children.length > 0) {
        // Clone the data object if there are children
        // This is required as we modify the object to remove any non-matches
        var match = $.extend(true, {}, data);

        // Check each child of the option
        for (var c = data.children.length - 1; c >= 0; c--) {
          var child = data.children[c];

          var matches = matcher(params, child);

          // If there wasn't a match, remove the object in the array
          if (matches == null) {
            match.children.splice(c, 1);
          }
        }

        // If any children matched, return the new object
        if (match.children.length > 0) {
          return match;
        }

        // If there were no matching children, check just the plain object
        return matcher(params, match);
      }

      var original = stripDiacritics(data.text).toUpperCase();
      var term = stripDiacritics(params.term).toUpperCase();

      // Check if the text contains the term
      if (original.indexOf(term) > -1) {
        return data;
      }

      // If it doesn't contain the term, don't return anything
      return null;
    }

    this.defaults = {
      amdBase: './',
      amdLanguageBase: './i18n/',
      closeOnSelect: true,
      debug: false,
      dropdownAutoWidth: false,
      escapeMarkup: Utils.escapeMarkup,
      language: EnglishTranslation,
      matcher: matcher,
      minimumInputLength: 0,
      maximumInputLength: 0,
      maximumSelectionLength: 0,
      minimumResultsForSearch: 0,
      selectOnClose: false,
      sorter: function (data) {
        return data;
      },
      templateResult: function (result) {
        return result.text;
      },
      templateSelection: function (selection) {
        return selection.text;
      },
      theme: 'default',
      width: 'resolve'
    };
  };

  Defaults.prototype.set = function (key, value) {
    var camelKey = $.camelCase(key);

    var data = {};
    data[camelKey] = value;

    var convertedData = Utils._convertData(data);

    $.extend(this.defaults, convertedData);
  };

  var defaults = new Defaults();

  return defaults;
});

S2.define('select2/options',[
  'require',
  'jquery',
  './defaults',
  './utils'
], function (require, $, Defaults, Utils) {
  function Options (options, $element) {
    this.options = options;

    if ($element != null) {
      this.fromElement($element);
    }

    this.options = Defaults.apply(this.options);

    if ($element && $element.is('input')) {
      var InputCompat = require(this.get('amdBase') + 'compat/inputData');

      this.options.dataAdapter = Utils.Decorate(
        this.options.dataAdapter,
        InputCompat
      );
    }
  }

  Options.prototype.fromElement = function ($e) {
    var excludedData = ['select2'];

    if (this.options.multiple == null) {
      this.options.multiple = $e.prop('multiple');
    }

    if (this.options.disabled == null) {
      this.options.disabled = $e.prop('disabled');
    }

    if (this.options.language == null) {
      if ($e.prop('lang')) {
        this.options.language = $e.prop('lang').toLowerCase();
      } else if ($e.closest('[lang]').prop('lang')) {
        this.options.language = $e.closest('[lang]').prop('lang');
      }
    }

    if (this.options.dir == null) {
      if ($e.prop('dir')) {
        this.options.dir = $e.prop('dir');
      } else if ($e.closest('[dir]').prop('dir')) {
        this.options.dir = $e.closest('[dir]').prop('dir');
      } else {
        this.options.dir = 'ltr';
      }
    }

    $e.prop('disabled', this.options.disabled);
    $e.prop('multiple', this.options.multiple);

    if ($e.data('select2Tags')) {
      if (this.options.debug && window.console && console.warn) {
        console.warn(
          'Select2: The `data-select2-tags` attribute has been changed to ' +
          'use the `data-data` and `data-tags="true"` attributes and will be ' +
          'removed in future versions of Select2.'
        );
      }

      $e.data('data', $e.data('select2Tags'));
      $e.data('tags', true);
    }

    if ($e.data('ajaxUrl')) {
      if (this.options.debug && window.console && console.warn) {
        console.warn(
          'Select2: The `data-ajax-url` attribute has been changed to ' +
          '`data-ajax--url` and support for the old attribute will be removed' +
          ' in future versions of Select2.'
        );
      }

      $e.attr('ajax--url', $e.data('ajaxUrl'));
      $e.data('ajax--url', $e.data('ajaxUrl'));
    }

    var dataset = {};

    // Prefer the element's `dataset` attribute if it exists
    // jQuery 1.x does not correctly handle data attributes with multiple dashes
    if ($.fn.jquery && $.fn.jquery.substr(0, 2) == '1.' && $e[0].dataset) {
      dataset = $.extend(true, {}, $e[0].dataset, $e.data());
    } else {
      dataset = $e.data();
    }

    var data = $.extend(true, {}, dataset);

    data = Utils._convertData(data);

    for (var key in data) {
      if ($.inArray(key, excludedData) > -1) {
        continue;
      }

      if ($.isPlainObject(this.options[key])) {
        $.extend(this.options[key], data[key]);
      } else {
        this.options[key] = data[key];
      }
    }

    return this;
  };

  Options.prototype.get = function (key) {
    return this.options[key];
  };

  Options.prototype.set = function (key, val) {
    this.options[key] = val;
  };

  return Options;
});

S2.define('select2/core',[
  'jquery',
  './options',
  './utils',
  './keys'
], function ($, Options, Utils, KEYS) {
  var Select2 = function ($element, options) {
    if ($element.data('select2') != null) {
      $element.data('select2').destroy();
    }

    this.$element = $element;

    this.id = this._generateId($element);

    options = options || {};

    this.options = new Options(options, $element);

    Select2.__super__.constructor.call(this);

    // Set up the tabindex

    var tabindex = $element.attr('tabindex') || 0;
    $element.data('old-tabindex', tabindex);
    $element.attr('tabindex', '-1');

    // Set up containers and adapters

    var DataAdapter = this.options.get('dataAdapter');
    this.dataAdapter = new DataAdapter($element, this.options);

    var $container = this.render();

    this._placeContainer($container);

    var SelectionAdapter = this.options.get('selectionAdapter');
    this.selection = new SelectionAdapter($element, this.options);
    this.$selection = this.selection.render();

    this.selection.position(this.$selection, $container);

    var DropdownAdapter = this.options.get('dropdownAdapter');
    this.dropdown = new DropdownAdapter($element, this.options);
    this.$dropdown = this.dropdown.render();

    this.dropdown.position(this.$dropdown, $container);

    var ResultsAdapter = this.options.get('resultsAdapter');
    this.results = new ResultsAdapter($element, this.options, this.dataAdapter);
    this.$results = this.results.render();

    this.results.position(this.$results, this.$dropdown);

    // Bind events

    var self = this;

    // Bind the container to all of the adapters
    this._bindAdapters();

    // Register any DOM event handlers
    this._registerDomEvents();

    // Register any internal event handlers
    this._registerDataEvents();
    this._registerSelectionEvents();
    this._registerDropdownEvents();
    this._registerResultsEvents();
    this._registerEvents();

    // Set the initial state
    this.dataAdapter.current(function (initialData) {
      self.trigger('selection:update', {
        data: initialData
      });
    });

    // Hide the original select
    $element.addClass('select2-hidden-accessible');
    $element.attr('aria-hidden', 'true');

    // Synchronize any monitored attributes
    this._syncAttributes();

    $element.data('select2', this);
  };

  Utils.Extend(Select2, Utils.Observable);

  Select2.prototype._generateId = function ($element) {
    var id = '';

    if ($element.attr('id') != null) {
      id = $element.attr('id');
    } else if ($element.attr('name') != null) {
      id = $element.attr('name') + '-' + Utils.generateChars(2);
    } else {
      id = Utils.generateChars(4);
    }

    id = id.replace(/(:|\.|\[|\]|,)/g, '');
    id = 'select2-' + id;

    return id;
  };

  Select2.prototype._placeContainer = function ($container) {
    $container.insertAfter(this.$element);

    var width = this._resolveWidth(this.$element, this.options.get('width'));

    if (width != null) {
      $container.css('width', width);
    }
  };

  Select2.prototype._resolveWidth = function ($element, method) {
    var WIDTH = /^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i;

    if (method == 'resolve') {
      var styleWidth = this._resolveWidth($element, 'style');

      if (styleWidth != null) {
        return styleWidth;
      }

      return this._resolveWidth($element, 'element');
    }

    if (method == 'element') {
      var elementWidth = $element.outerWidth(false);

      if (elementWidth <= 0) {
        return 'auto';
      }

      return elementWidth + 'px';
    }

    if (method == 'style') {
      var style = $element.attr('style');

      if (typeof(style) !== 'string') {
        return null;
      }

      var attrs = style.split(';');

      for (var i = 0, l = attrs.length; i < l; i = i + 1) {
        var attr = attrs[i].replace(/\s/g, '');
        var matches = attr.match(WIDTH);

        if (matches !== null && matches.length >= 1) {
          return matches[1];
        }
      }

      return null;
    }

    return method;
  };

  Select2.prototype._bindAdapters = function () {
    this.dataAdapter.bind(this, this.$container);
    this.selection.bind(this, this.$container);

    this.dropdown.bind(this, this.$container);
    this.results.bind(this, this.$container);
  };

  Select2.prototype._registerDomEvents = function () {
    var self = this;

    this.$element.on('change.select2', function () {
      self.dataAdapter.current(function (data) {
        self.trigger('selection:update', {
          data: data
        });
      });
    });

    this.$element.on('focus.select2', function (evt) {
      self.trigger('focus', evt);
    });

    this._syncA = Utils.bind(this._syncAttributes, this);
    this._syncS = Utils.bind(this._syncSubtree, this);

    if (this.$element[0].attachEvent) {
      this.$element[0].attachEvent('onpropertychange', this._syncA);
    }

    var observer = window.MutationObserver ||
      window.WebKitMutationObserver ||
      window.MozMutationObserver
    ;

    if (observer != null) {
      this._observer = new observer(function (mutations) {
        $.each(mutations, self._syncA);
        $.each(mutations, self._syncS);
      });
      this._observer.observe(this.$element[0], {
        attributes: true,
        childList: true,
        subtree: false
      });
    } else if (this.$element[0].addEventListener) {
      this.$element[0].addEventListener(
        'DOMAttrModified',
        self._syncA,
        false
      );
      this.$element[0].addEventListener(
        'DOMNodeInserted',
        self._syncS,
        false
      );
      this.$element[0].addEventListener(
        'DOMNodeRemoved',
        self._syncS,
        false
      );
    }
  };

  Select2.prototype._registerDataEvents = function () {
    var self = this;

    this.dataAdapter.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerSelectionEvents = function () {
    var self = this;
    var nonRelayEvents = ['toggle', 'focus'];

    this.selection.on('toggle', function () {
      self.toggleDropdown();
    });

    this.selection.on('focus', function (params) {
      self.focus(params);
    });

    this.selection.on('*', function (name, params) {
      if ($.inArray(name, nonRelayEvents) !== -1) {
        return;
      }

      self.trigger(name, params);
    });
  };

  Select2.prototype._registerDropdownEvents = function () {
    var self = this;

    this.dropdown.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerResultsEvents = function () {
    var self = this;

    this.results.on('*', function (name, params) {
      self.trigger(name, params);
    });
  };

  Select2.prototype._registerEvents = function () {
    var self = this;

    this.on('open', function () {
      self.$container.addClass('select2-container--open');
    });

    this.on('close', function () {
      self.$container.removeClass('select2-container--open');
    });

    this.on('enable', function () {
      self.$container.removeClass('select2-container--disabled');
    });

    this.on('disable', function () {
      self.$container.addClass('select2-container--disabled');
    });

    this.on('blur', function () {
      self.$container.removeClass('select2-container--focus');
    });

    this.on('query', function (params) {
      if (!self.isOpen()) {
        self.trigger('open', {});
      }

      this.dataAdapter.query(params, function (data) {
        self.trigger('results:all', {
          data: data,
          query: params
        });
      });
    });

    this.on('query:append', function (params) {
      this.dataAdapter.query(params, function (data) {
        self.trigger('results:append', {
          data: data,
          query: params
        });
      });
    });

    this.on('keypress', function (evt) {
      var key = evt.which;

      if (self.isOpen()) {
        if (key === KEYS.ESC || key === KEYS.TAB ||
            (key === KEYS.UP && evt.altKey)) {
          self.close();

          evt.preventDefault();
        } else if (key === KEYS.ENTER) {
          self.trigger('results:select', {});

          evt.preventDefault();
        } else if ((key === KEYS.SPACE && evt.ctrlKey)) {
          self.trigger('results:toggle', {});

          evt.preventDefault();
        } else if (key === KEYS.UP) {
          self.trigger('results:previous', {});

          evt.preventDefault();
        } else if (key === KEYS.DOWN) {
          self.trigger('results:next', {});

          evt.preventDefault();
        }
      } else {
        if (key === KEYS.ENTER || key === KEYS.SPACE ||
            (key === KEYS.DOWN && evt.altKey)) {
          self.open();

          evt.preventDefault();
        }
      }
    });
  };

  Select2.prototype._syncAttributes = function () {
    this.options.set('disabled', this.$element.prop('disabled'));

    if (this.options.get('disabled')) {
      if (this.isOpen()) {
        this.close();
      }

      this.trigger('disable', {});
    } else {
      this.trigger('enable', {});
    }
  };

  Select2.prototype._syncSubtree = function (evt, mutations) {
    var changed = false;
    var self = this;

    // Ignore any mutation events raised for elements that aren't options or
    // optgroups. This handles the case when the select element is destroyed
    if (
      evt && evt.target && (
        evt.target.nodeName !== 'OPTION' && evt.target.nodeName !== 'OPTGROUP'
      )
    ) {
      return;
    }

    if (!mutations) {
      // If mutation events aren't supported, then we can only assume that the
      // change affected the selections
      changed = true;
    } else if (mutations.addedNodes && mutations.addedNodes.length > 0) {
      for (var n = 0; n < mutations.addedNodes.length; n++) {
        var node = mutations.addedNodes[n];

        if (node.selected) {
          changed = true;
        }
      }
    } else if (mutations.removedNodes && mutations.removedNodes.length > 0) {
      changed = true;
    }

    // Only re-pull the data if we think there is a change
    if (changed) {
      this.dataAdapter.current(function (currentData) {
        self.trigger('selection:update', {
          data: currentData
        });
      });
    }
  };

  /**
   * Override the trigger method to automatically trigger pre-events when
   * there are events that can be prevented.
   */
  Select2.prototype.trigger = function (name, args) {
    var actualTrigger = Select2.__super__.trigger;
    var preTriggerMap = {
      'open': 'opening',
      'close': 'closing',
      'select': 'selecting',
      'unselect': 'unselecting'
    };

    if (args === undefined) {
      args = {};
    }

    if (name in preTriggerMap) {
      var preTriggerName = preTriggerMap[name];
      var preTriggerArgs = {
        prevented: false,
        name: name,
        args: args
      };

      actualTrigger.call(this, preTriggerName, preTriggerArgs);

      if (preTriggerArgs.prevented) {
        args.prevented = true;

        return;
      }
    }

    actualTrigger.call(this, name, args);
  };

  Select2.prototype.toggleDropdown = function () {
    if (this.options.get('disabled')) {
      return;
    }

    if (this.isOpen()) {
      this.close();
    } else {
      this.open();
    }
  };

  Select2.prototype.open = function () {
    if (this.isOpen()) {
      return;
    }

    this.trigger('query', {});
  };

  Select2.prototype.close = function () {
    if (!this.isOpen()) {
      return;
    }

    this.trigger('close', {});
  };

  Select2.prototype.isOpen = function () {
    return this.$container.hasClass('select2-container--open');
  };

  Select2.prototype.hasFocus = function () {
    return this.$container.hasClass('select2-container--focus');
  };

  Select2.prototype.focus = function (data) {
    // No need to re-trigger focus events if we are already focused
    if (this.hasFocus()) {
      return;
    }

    this.$container.addClass('select2-container--focus');
    this.trigger('focus', {});
  };

  Select2.prototype.enable = function (args) {
    if (this.options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `select2("enable")` method has been deprecated and will' +
        ' be removed in later Select2 versions. Use $element.prop("disabled")' +
        ' instead.'
      );
    }

    if (args == null || args.length === 0) {
      args = [true];
    }

    var disabled = !args[0];

    this.$element.prop('disabled', disabled);
  };

  Select2.prototype.data = function () {
    if (this.options.get('debug') &&
        arguments.length > 0 && window.console && console.warn) {
      console.warn(
        'Select2: Data can no longer be set using `select2("data")`. You ' +
        'should consider setting the value instead using `$element.val()`.'
      );
    }

    var data = [];

    this.dataAdapter.current(function (currentData) {
      data = currentData;
    });

    return data;
  };

  Select2.prototype.val = function (args) {
    if (this.options.get('debug') && window.console && console.warn) {
      console.warn(
        'Select2: The `select2("val")` method has been deprecated and will be' +
        ' removed in later Select2 versions. Use $element.val() instead.'
      );
    }

    if (args == null || args.length === 0) {
      return this.$element.val();
    }

    var newVal = args[0];

    if ($.isArray(newVal)) {
      newVal = $.map(newVal, function (obj) {
        return obj.toString();
      });
    }

    this.$element.val(newVal).trigger('change');
  };

  Select2.prototype.destroy = function () {
    this.$container.remove();

    if (this.$element[0].detachEvent) {
      this.$element[0].detachEvent('onpropertychange', this._syncA);
    }

    if (this._observer != null) {
      this._observer.disconnect();
      this._observer = null;
    } else if (this.$element[0].removeEventListener) {
      this.$element[0]
        .removeEventListener('DOMAttrModified', this._syncA, false);
      this.$element[0]
        .removeEventListener('DOMNodeInserted', this._syncS, false);
      this.$element[0]
        .removeEventListener('DOMNodeRemoved', this._syncS, false);
    }

    this._syncA = null;
    this._syncS = null;

    this.$element.off('.select2');
    this.$element.attr('tabindex', this.$element.data('old-tabindex'));

    this.$element.removeClass('select2-hidden-accessible');
    this.$element.attr('aria-hidden', 'false');
    this.$element.removeData('select2');

    this.dataAdapter.destroy();
    this.selection.destroy();
    this.dropdown.destroy();
    this.results.destroy();

    this.dataAdapter = null;
    this.selection = null;
    this.dropdown = null;
    this.results = null;
  };

  Select2.prototype.render = function () {
    var $container = $(
      '<span class="select2 select2-container">' +
        '<span class="selection"></span>' +
        '<span class="dropdown-wrapper" aria-hidden="true"></span>' +
      '</span>'
    );

    $container.attr('dir', this.options.get('dir'));

    this.$container = $container;

    this.$container.addClass('select2-container--' + this.options.get('theme'));

    $container.data('element', this.$element);

    return $container;
  };

  return Select2;
});

S2.define('jquery-mousewheel',[
  'jquery'
], function ($) {
  // Used to shim jQuery.mousewheel for non-full builds.
  return $;
});

S2.define('jquery.select2',[
  'jquery',
  'jquery-mousewheel',

  './select2/core',
  './select2/defaults'
], function ($, _, Select2, Defaults) {
  if ($.fn.select2 == null) {
    // All methods that should return the element
    var thisMethods = ['open', 'close', 'destroy'];

    $.fn.select2 = function (options) {
      options = options || {};

      if (typeof options === 'object') {
        this.each(function () {
          var instanceOptions = $.extend(true, {}, options);

          var instance = new Select2($(this), instanceOptions);
        });

        return this;
      } else if (typeof options === 'string') {
        var ret;
        var args = Array.prototype.slice.call(arguments, 1);

        this.each(function () {
          var instance = $(this).data('select2');

          if (instance == null && window.console && console.error) {
            console.error(
              'The select2(\'' + options + '\') method was called on an ' +
              'element that is not using Select2.'
            );
          }

          ret = instance[options].apply(instance, args);
        });

        // Check if we should be returning `this`
        if ($.inArray(options, thisMethods) > -1) {
          return this;
        }

        return ret;
      } else {
        throw new Error('Invalid arguments for Select2: ' + options);
      }
    };
  }

  if ($.fn.select2.defaults == null) {
    $.fn.select2.defaults = Defaults;
  }

  return Select2;
});

  // Return the AMD loader configuration so it can be used outside of this file
  return {
    define: S2.define,
    require: S2.require
  };
}());

  // Autoload the jQuery bindings
  // We know that all of the modules exist above this, so we're safe
  var select2 = S2.require('jquery.select2');

  // Hold the AMD module references on the jQuery function that was just loaded
  // This allows Select2 to use the internal loader outside of this file, such
  // as in the language files.
  jQuery.fn.select2.amd = S2;

  // Return the Select2 instance for anyone who is importing it.
  return select2;
}));
PK�
�[v�Ahh#assets/inc/select2/4/select2.min.jsnu�[���/*! Select2 4.0.3 | https://github.com/select2/select2/blob/master/LICENSE.md */!function(a){"function"==typeof define&&define.amd?define(["jquery"],a):a("object"==typeof exports?require("jquery"):jQuery)}(function(a){var b=function(){if(a&&a.fn&&a.fn.select2&&a.fn.select2.amd)var b=a.fn.select2.amd;var b;return function(){if(!b||!b.requirejs){b?c=b:b={};var a,c,d;!function(b){function e(a,b){return u.call(a,b)}function f(a,b){var c,d,e,f,g,h,i,j,k,l,m,n=b&&b.split("/"),o=s.map,p=o&&o["*"]||{};if(a&&"."===a.charAt(0))if(b){for(a=a.split("/"),g=a.length-1,s.nodeIdCompat&&w.test(a[g])&&(a[g]=a[g].replace(w,"")),a=n.slice(0,n.length-1).concat(a),k=0;k<a.length;k+=1)if(m=a[k],"."===m)a.splice(k,1),k-=1;else if(".."===m){if(1===k&&(".."===a[2]||".."===a[0]))break;k>0&&(a.splice(k-1,2),k-=2)}a=a.join("/")}else 0===a.indexOf("./")&&(a=a.substring(2));if((n||p)&&o){for(c=a.split("/"),k=c.length;k>0;k-=1){if(d=c.slice(0,k).join("/"),n)for(l=n.length;l>0;l-=1)if(e=o[n.slice(0,l).join("/")],e&&(e=e[d])){f=e,h=k;break}if(f)break;!i&&p&&p[d]&&(i=p[d],j=k)}!f&&i&&(f=i,h=j),f&&(c.splice(0,h,f),a=c.join("/"))}return a}function g(a,c){return function(){var d=v.call(arguments,0);return"string"!=typeof d[0]&&1===d.length&&d.push(null),n.apply(b,d.concat([a,c]))}}function h(a){return function(b){return f(b,a)}}function i(a){return function(b){q[a]=b}}function j(a){if(e(r,a)){var c=r[a];delete r[a],t[a]=!0,m.apply(b,c)}if(!e(q,a)&&!e(t,a))throw new Error("No "+a);return q[a]}function k(a){var b,c=a?a.indexOf("!"):-1;return c>-1&&(b=a.substring(0,c),a=a.substring(c+1,a.length)),[b,a]}function l(a){return function(){return s&&s.config&&s.config[a]||{}}}var m,n,o,p,q={},r={},s={},t={},u=Object.prototype.hasOwnProperty,v=[].slice,w=/\.js$/;o=function(a,b){var c,d=k(a),e=d[0];return a=d[1],e&&(e=f(e,b),c=j(e)),e?a=c&&c.normalize?c.normalize(a,h(b)):f(a,b):(a=f(a,b),d=k(a),e=d[0],a=d[1],e&&(c=j(e))),{f:e?e+"!"+a:a,n:a,pr:e,p:c}},p={require:function(a){return g(a)},exports:function(a){var b=q[a];return"undefined"!=typeof b?b:q[a]={}},module:function(a){return{id:a,uri:"",exports:q[a],config:l(a)}}},m=function(a,c,d,f){var h,k,l,m,n,s,u=[],v=typeof d;if(f=f||a,"undefined"===v||"function"===v){for(c=!c.length&&d.length?["require","exports","module"]:c,n=0;n<c.length;n+=1)if(m=o(c[n],f),k=m.f,"require"===k)u[n]=p.require(a);else if("exports"===k)u[n]=p.exports(a),s=!0;else if("module"===k)h=u[n]=p.module(a);else if(e(q,k)||e(r,k)||e(t,k))u[n]=j(k);else{if(!m.p)throw new Error(a+" missing "+k);m.p.load(m.n,g(f,!0),i(k),{}),u[n]=q[k]}l=d?d.apply(q[a],u):void 0,a&&(h&&h.exports!==b&&h.exports!==q[a]?q[a]=h.exports:l===b&&s||(q[a]=l))}else a&&(q[a]=d)},a=c=n=function(a,c,d,e,f){if("string"==typeof a)return p[a]?p[a](c):j(o(a,c).f);if(!a.splice){if(s=a,s.deps&&n(s.deps,s.callback),!c)return;c.splice?(a=c,c=d,d=null):a=b}return c=c||function(){},"function"==typeof d&&(d=e,e=f),e?m(b,a,c,d):setTimeout(function(){m(b,a,c,d)},4),n},n.config=function(a){return n(a)},a._defined=q,d=function(a,b,c){if("string"!=typeof a)throw new Error("See almond README: incorrect module build, no module name");b.splice||(c=b,b=[]),e(q,a)||e(r,a)||(r[a]=[a,b,c])},d.amd={jQuery:!0}}(),b.requirejs=a,b.require=c,b.define=d}}(),b.define("almond",function(){}),b.define("jquery",[],function(){var b=a||$;return null==b&&console&&console.error&&console.error("Select2: An instance of jQuery or a jQuery-compatible library was not found. Make sure that you are including jQuery before Select2 on your web page."),b}),b.define("select2/utils",["jquery"],function(a){function b(a){var b=a.prototype,c=[];for(var d in b){var e=b[d];"function"==typeof e&&"constructor"!==d&&c.push(d)}return c}var c={};c.Extend=function(a,b){function c(){this.constructor=a}var d={}.hasOwnProperty;for(var e in b)d.call(b,e)&&(a[e]=b[e]);return c.prototype=b.prototype,a.prototype=new c,a.__super__=b.prototype,a},c.Decorate=function(a,c){function d(){var b=Array.prototype.unshift,d=c.prototype.constructor.length,e=a.prototype.constructor;d>0&&(b.call(arguments,a.prototype.constructor),e=c.prototype.constructor),e.apply(this,arguments)}function e(){this.constructor=d}var f=b(c),g=b(a);c.displayName=a.displayName,d.prototype=new e;for(var h=0;h<g.length;h++){var i=g[h];d.prototype[i]=a.prototype[i]}for(var j=(function(a){var b=function(){};a in d.prototype&&(b=d.prototype[a]);var e=c.prototype[a];return function(){var a=Array.prototype.unshift;return a.call(arguments,b),e.apply(this,arguments)}}),k=0;k<f.length;k++){var l=f[k];d.prototype[l]=j(l)}return d};var d=function(){this.listeners={}};return d.prototype.on=function(a,b){this.listeners=this.listeners||{},a in this.listeners?this.listeners[a].push(b):this.listeners[a]=[b]},d.prototype.trigger=function(a){var b=Array.prototype.slice,c=b.call(arguments,1);this.listeners=this.listeners||{},null==c&&(c=[]),0===c.length&&c.push({}),c[0]._type=a,a in this.listeners&&this.invoke(this.listeners[a],b.call(arguments,1)),"*"in this.listeners&&this.invoke(this.listeners["*"],arguments)},d.prototype.invoke=function(a,b){for(var c=0,d=a.length;d>c;c++)a[c].apply(this,b)},c.Observable=d,c.generateChars=function(a){for(var b="",c=0;a>c;c++){var d=Math.floor(36*Math.random());b+=d.toString(36)}return b},c.bind=function(a,b){return function(){a.apply(b,arguments)}},c._convertData=function(a){for(var b in a){var c=b.split("-"),d=a;if(1!==c.length){for(var e=0;e<c.length;e++){var f=c[e];f=f.substring(0,1).toLowerCase()+f.substring(1),f in d||(d[f]={}),e==c.length-1&&(d[f]=a[b]),d=d[f]}delete a[b]}}return a},c.hasScroll=function(b,c){var d=a(c),e=c.style.overflowX,f=c.style.overflowY;return e!==f||"hidden"!==f&&"visible"!==f?"scroll"===e||"scroll"===f?!0:d.innerHeight()<c.scrollHeight||d.innerWidth()<c.scrollWidth:!1},c.escapeMarkup=function(a){var b={"\\":"&#92;","&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;","/":"&#47;"};return"string"!=typeof a?a:String(a).replace(/[&<>"'\/\\]/g,function(a){return b[a]})},c.appendMany=function(b,c){if("1.7"===a.fn.jquery.substr(0,3)){var d=a();a.map(c,function(a){d=d.add(a)}),c=d}b.append(c)},c}),b.define("select2/results",["jquery","./utils"],function(a,b){function c(a,b,d){this.$element=a,this.data=d,this.options=b,c.__super__.constructor.call(this)}return b.Extend(c,b.Observable),c.prototype.render=function(){var b=a('<ul class="select2-results__options" role="tree"></ul>');return this.options.get("multiple")&&b.attr("aria-multiselectable","true"),this.$results=b,b},c.prototype.clear=function(){this.$results.empty()},c.prototype.displayMessage=function(b){var c=this.options.get("escapeMarkup");this.clear(),this.hideLoading();var d=a('<li role="treeitem" aria-live="assertive" class="select2-results__option"></li>'),e=this.options.get("translations").get(b.message);d.append(c(e(b.args))),d[0].className+=" select2-results__message",this.$results.append(d)},c.prototype.hideMessages=function(){this.$results.find(".select2-results__message").remove()},c.prototype.append=function(a){this.hideLoading();var b=[];if(null==a.results||0===a.results.length)return void(0===this.$results.children().length&&this.trigger("results:message",{message:"noResults"}));a.results=this.sort(a.results);for(var c=0;c<a.results.length;c++){var d=a.results[c],e=this.option(d);b.push(e)}this.$results.append(b)},c.prototype.position=function(a,b){var c=b.find(".select2-results");c.append(a)},c.prototype.sort=function(a){var b=this.options.get("sorter");return b(a)},c.prototype.highlightFirstItem=function(){var a=this.$results.find(".select2-results__option[aria-selected]"),b=a.filter("[aria-selected=true]");b.length>0?b.first().trigger("mouseenter"):a.first().trigger("mouseenter"),this.ensureHighlightVisible()},c.prototype.setClasses=function(){var b=this;this.data.current(function(c){var d=a.map(c,function(a){return a.id.toString()}),e=b.$results.find(".select2-results__option[aria-selected]");e.each(function(){var b=a(this),c=a.data(this,"data"),e=""+c.id;null!=c.element&&c.element.selected||null==c.element&&a.inArray(e,d)>-1?b.attr("aria-selected","true"):b.attr("aria-selected","false")})})},c.prototype.showLoading=function(a){this.hideLoading();var b=this.options.get("translations").get("searching"),c={disabled:!0,loading:!0,text:b(a)},d=this.option(c);d.className+=" loading-results",this.$results.prepend(d)},c.prototype.hideLoading=function(){this.$results.find(".loading-results").remove()},c.prototype.option=function(b){var c=document.createElement("li");c.className="select2-results__option";var d={role:"treeitem","aria-selected":"false"};b.disabled&&(delete d["aria-selected"],d["aria-disabled"]="true"),null==b.id&&delete d["aria-selected"],null!=b._resultId&&(c.id=b._resultId),b.title&&(c.title=b.title),b.children&&(d.role="group",d["aria-label"]=b.text,delete d["aria-selected"]);for(var e in d){var f=d[e];c.setAttribute(e,f)}if(b.children){var g=a(c),h=document.createElement("strong");h.className="select2-results__group";a(h);this.template(b,h);for(var i=[],j=0;j<b.children.length;j++){var k=b.children[j],l=this.option(k);i.push(l)}var m=a("<ul></ul>",{"class":"select2-results__options select2-results__options--nested"});m.append(i),g.append(h),g.append(m)}else this.template(b,c);return a.data(c,"data",b),c},c.prototype.bind=function(b,c){var d=this,e=b.id+"-results";this.$results.attr("id",e),b.on("results:all",function(a){d.clear(),d.append(a.data),b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("results:append",function(a){d.append(a.data),b.isOpen()&&d.setClasses()}),b.on("query",function(a){d.hideMessages(),d.showLoading(a)}),b.on("select",function(){b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("unselect",function(){b.isOpen()&&(d.setClasses(),d.highlightFirstItem())}),b.on("open",function(){d.$results.attr("aria-expanded","true"),d.$results.attr("aria-hidden","false"),d.setClasses(),d.ensureHighlightVisible()}),b.on("close",function(){d.$results.attr("aria-expanded","false"),d.$results.attr("aria-hidden","true"),d.$results.removeAttr("aria-activedescendant")}),b.on("results:toggle",function(){var a=d.getHighlightedResults();0!==a.length&&a.trigger("mouseup")}),b.on("results:select",function(){var a=d.getHighlightedResults();if(0!==a.length){var b=a.data("data");"true"==a.attr("aria-selected")?d.trigger("close",{}):d.trigger("select",{data:b})}}),b.on("results:previous",function(){var a=d.getHighlightedResults(),b=d.$results.find("[aria-selected]"),c=b.index(a);if(0!==c){var e=c-1;0===a.length&&(e=0);var f=b.eq(e);f.trigger("mouseenter");var g=d.$results.offset().top,h=f.offset().top,i=d.$results.scrollTop()+(h-g);0===e?d.$results.scrollTop(0):0>h-g&&d.$results.scrollTop(i)}}),b.on("results:next",function(){var a=d.getHighlightedResults(),b=d.$results.find("[aria-selected]"),c=b.index(a),e=c+1;if(!(e>=b.length)){var f=b.eq(e);f.trigger("mouseenter");var g=d.$results.offset().top+d.$results.outerHeight(!1),h=f.offset().top+f.outerHeight(!1),i=d.$results.scrollTop()+h-g;0===e?d.$results.scrollTop(0):h>g&&d.$results.scrollTop(i)}}),b.on("results:focus",function(a){a.element.addClass("select2-results__option--highlighted")}),b.on("results:message",function(a){d.displayMessage(a)}),a.fn.mousewheel&&this.$results.on("mousewheel",function(a){var b=d.$results.scrollTop(),c=d.$results.get(0).scrollHeight-b+a.deltaY,e=a.deltaY>0&&b-a.deltaY<=0,f=a.deltaY<0&&c<=d.$results.height();e?(d.$results.scrollTop(0),a.preventDefault(),a.stopPropagation()):f&&(d.$results.scrollTop(d.$results.get(0).scrollHeight-d.$results.height()),a.preventDefault(),a.stopPropagation())}),this.$results.on("mouseup",".select2-results__option[aria-selected]",function(b){var c=a(this),e=c.data("data");return"true"===c.attr("aria-selected")?void(d.options.get("multiple")?d.trigger("unselect",{originalEvent:b,data:e}):d.trigger("close",{})):void d.trigger("select",{originalEvent:b,data:e})}),this.$results.on("mouseenter",".select2-results__option[aria-selected]",function(b){var c=a(this).data("data");d.getHighlightedResults().removeClass("select2-results__option--highlighted"),d.trigger("results:focus",{data:c,element:a(this)})})},c.prototype.getHighlightedResults=function(){var a=this.$results.find(".select2-results__option--highlighted");return a},c.prototype.destroy=function(){this.$results.remove()},c.prototype.ensureHighlightVisible=function(){var a=this.getHighlightedResults();if(0!==a.length){var b=this.$results.find("[aria-selected]"),c=b.index(a),d=this.$results.offset().top,e=a.offset().top,f=this.$results.scrollTop()+(e-d),g=e-d;f-=2*a.outerHeight(!1),2>=c?this.$results.scrollTop(0):(g>this.$results.outerHeight()||0>g)&&this.$results.scrollTop(f)}},c.prototype.template=function(b,c){var d=this.options.get("templateResult"),e=this.options.get("escapeMarkup"),f=d(b,c);null==f?c.style.display="none":"string"==typeof f?c.innerHTML=e(f):a(c).append(f)},c}),b.define("select2/keys",[],function(){var a={BACKSPACE:8,TAB:9,ENTER:13,SHIFT:16,CTRL:17,ALT:18,ESC:27,SPACE:32,PAGE_UP:33,PAGE_DOWN:34,END:35,HOME:36,LEFT:37,UP:38,RIGHT:39,DOWN:40,DELETE:46};return a}),b.define("select2/selection/base",["jquery","../utils","../keys"],function(a,b,c){function d(a,b){this.$element=a,this.options=b,d.__super__.constructor.call(this)}return b.Extend(d,b.Observable),d.prototype.render=function(){var b=a('<span class="select2-selection" role="combobox"  aria-haspopup="true" aria-expanded="false"></span>');return this._tabindex=0,null!=this.$element.data("old-tabindex")?this._tabindex=this.$element.data("old-tabindex"):null!=this.$element.attr("tabindex")&&(this._tabindex=this.$element.attr("tabindex")),b.attr("title",this.$element.attr("title")),b.attr("tabindex",this._tabindex),this.$selection=b,b},d.prototype.bind=function(a,b){var d=this,e=(a.id+"-container",a.id+"-results");this.container=a,this.$selection.on("focus",function(a){d.trigger("focus",a)}),this.$selection.on("blur",function(a){d._handleBlur(a)}),this.$selection.on("keydown",function(a){d.trigger("keypress",a),a.which===c.SPACE&&a.preventDefault()}),a.on("results:focus",function(a){d.$selection.attr("aria-activedescendant",a.data._resultId)}),a.on("selection:update",function(a){d.update(a.data)}),a.on("open",function(){d.$selection.attr("aria-expanded","true"),d.$selection.attr("aria-owns",e),d._attachCloseHandler(a)}),a.on("close",function(){d.$selection.attr("aria-expanded","false"),d.$selection.removeAttr("aria-activedescendant"),d.$selection.removeAttr("aria-owns"),d.$selection.focus(),d._detachCloseHandler(a)}),a.on("enable",function(){d.$selection.attr("tabindex",d._tabindex)}),a.on("disable",function(){d.$selection.attr("tabindex","-1")})},d.prototype._handleBlur=function(b){var c=this;window.setTimeout(function(){document.activeElement==c.$selection[0]||a.contains(c.$selection[0],document.activeElement)||c.trigger("blur",b)},1)},d.prototype._attachCloseHandler=function(b){a(document.body).on("mousedown.select2."+b.id,function(b){var c=a(b.target),d=c.closest(".select2"),e=a(".select2.select2-container--open");e.each(function(){var b=a(this);if(this!=d[0]){var c=b.data("element");c.select2("close")}})})},d.prototype._detachCloseHandler=function(b){a(document.body).off("mousedown.select2."+b.id)},d.prototype.position=function(a,b){var c=b.find(".selection");c.append(a)},d.prototype.destroy=function(){this._detachCloseHandler(this.container)},d.prototype.update=function(a){throw new Error("The `update` method must be defined in child classes.")},d}),b.define("select2/selection/single",["jquery","./base","../utils","../keys"],function(a,b,c,d){function e(){e.__super__.constructor.apply(this,arguments)}return c.Extend(e,b),e.prototype.render=function(){var a=e.__super__.render.call(this);return a.addClass("select2-selection--single"),a.html('<span class="select2-selection__rendered"></span><span class="select2-selection__arrow" role="presentation"><b role="presentation"></b></span>'),a},e.prototype.bind=function(a,b){var c=this;e.__super__.bind.apply(this,arguments);var d=a.id+"-container";this.$selection.find(".select2-selection__rendered").attr("id",d),this.$selection.attr("aria-labelledby",d),this.$selection.on("mousedown",function(a){1===a.which&&c.trigger("toggle",{originalEvent:a})}),this.$selection.on("focus",function(a){}),this.$selection.on("blur",function(a){}),a.on("focus",function(b){a.isOpen()||c.$selection.focus()}),a.on("selection:update",function(a){c.update(a.data)})},e.prototype.clear=function(){this.$selection.find(".select2-selection__rendered").empty()},e.prototype.display=function(a,b){var c=this.options.get("templateSelection"),d=this.options.get("escapeMarkup");return d(c(a,b))},e.prototype.selectionContainer=function(){return a("<span></span>")},e.prototype.update=function(a){if(0===a.length)return void this.clear();var b=a[0],c=this.$selection.find(".select2-selection__rendered"),d=this.display(b,c);c.empty().append(d),c.prop("title",b.title||b.text)},e}),b.define("select2/selection/multiple",["jquery","./base","../utils"],function(a,b,c){function d(a,b){d.__super__.constructor.apply(this,arguments)}return c.Extend(d,b),d.prototype.render=function(){var a=d.__super__.render.call(this);return a.addClass("select2-selection--multiple"),a.html('<ul class="select2-selection__rendered"></ul>'),a},d.prototype.bind=function(b,c){var e=this;d.__super__.bind.apply(this,arguments),this.$selection.on("click",function(a){e.trigger("toggle",{originalEvent:a})}),this.$selection.on("click",".select2-selection__choice__remove",function(b){if(!e.options.get("disabled")){var c=a(this),d=c.parent(),f=d.data("data");e.trigger("unselect",{originalEvent:b,data:f})}})},d.prototype.clear=function(){this.$selection.find(".select2-selection__rendered").empty()},d.prototype.display=function(a,b){var c=this.options.get("templateSelection"),d=this.options.get("escapeMarkup");return d(c(a,b))},d.prototype.selectionContainer=function(){var b=a('<li class="select2-selection__choice"><span class="select2-selection__choice__remove" role="presentation">&times;</span></li>');return b},d.prototype.update=function(a){if(this.clear(),0!==a.length){for(var b=[],d=0;d<a.length;d++){var e=a[d],f=this.selectionContainer(),g=this.display(e,f);f.append(g),f.prop("title",e.title||e.text),f.data("data",e),b.push(f)}var h=this.$selection.find(".select2-selection__rendered");c.appendMany(h,b)}},d}),b.define("select2/selection/placeholder",["../utils"],function(a){function b(a,b,c){this.placeholder=this.normalizePlaceholder(c.get("placeholder")),a.call(this,b,c)}return b.prototype.normalizePlaceholder=function(a,b){return"string"==typeof b&&(b={id:"",text:b}),b},b.prototype.createPlaceholder=function(a,b){var c=this.selectionContainer();return c.html(this.display(b)),c.addClass("select2-selection__placeholder").removeClass("select2-selection__choice"),c},b.prototype.update=function(a,b){var c=1==b.length&&b[0].id!=this.placeholder.id,d=b.length>1;if(d||c)return a.call(this,b);this.clear();var e=this.createPlaceholder(this.placeholder);this.$selection.find(".select2-selection__rendered").append(e)},b}),b.define("select2/selection/allowClear",["jquery","../keys"],function(a,b){function c(){}return c.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),null==this.placeholder&&this.options.get("debug")&&window.console&&console.error&&console.error("Select2: The `allowClear` option should be used in combination with the `placeholder` option."),this.$selection.on("mousedown",".select2-selection__clear",function(a){d._handleClear(a)}),b.on("keypress",function(a){d._handleKeyboardClear(a,b)})},c.prototype._handleClear=function(a,b){if(!this.options.get("disabled")){var c=this.$selection.find(".select2-selection__clear");if(0!==c.length){b.stopPropagation();for(var d=c.data("data"),e=0;e<d.length;e++){var f={data:d[e]};if(this.trigger("unselect",f),f.prevented)return}this.$element.val(this.placeholder.id).trigger("change"),this.trigger("toggle",{})}}},c.prototype._handleKeyboardClear=function(a,c,d){d.isOpen()||(c.which==b.DELETE||c.which==b.BACKSPACE)&&this._handleClear(c)},c.prototype.update=function(b,c){if(b.call(this,c),!(this.$selection.find(".select2-selection__placeholder").length>0||0===c.length)){var d=a('<span class="select2-selection__clear">&times;</span>');d.data("data",c),this.$selection.find(".select2-selection__rendered").prepend(d)}},c}),b.define("select2/selection/search",["jquery","../utils","../keys"],function(a,b,c){function d(a,b,c){a.call(this,b,c)}return d.prototype.render=function(b){var c=a('<li class="select2-search select2-search--inline"><input class="select2-search__field" type="search" tabindex="-1" autocomplete="off" autocorrect="off" autocapitalize="off" spellcheck="false" role="textbox" aria-autocomplete="list" /></li>');this.$searchContainer=c,this.$search=c.find("input");var d=b.call(this);return this._transferTabIndex(),d},d.prototype.bind=function(a,b,d){var e=this;a.call(this,b,d),b.on("open",function(){e.$search.trigger("focus")}),b.on("close",function(){e.$search.val(""),e.$search.removeAttr("aria-activedescendant"),e.$search.trigger("focus")}),b.on("enable",function(){e.$search.prop("disabled",!1),e._transferTabIndex()}),b.on("disable",function(){e.$search.prop("disabled",!0)}),b.on("focus",function(a){e.$search.trigger("focus")}),b.on("results:focus",function(a){e.$search.attr("aria-activedescendant",a.id)}),this.$selection.on("focusin",".select2-search--inline",function(a){e.trigger("focus",a)}),this.$selection.on("focusout",".select2-search--inline",function(a){e._handleBlur(a)}),this.$selection.on("keydown",".select2-search--inline",function(a){a.stopPropagation(),e.trigger("keypress",a),e._keyUpPrevented=a.isDefaultPrevented();var b=a.which;if(b===c.BACKSPACE&&""===e.$search.val()){var d=e.$searchContainer.prev(".select2-selection__choice");if(d.length>0){var f=d.data("data");e.searchRemoveChoice(f),a.preventDefault()}}});var f=document.documentMode,g=f&&11>=f;this.$selection.on("input.searchcheck",".select2-search--inline",function(a){return g?void e.$selection.off("input.search input.searchcheck"):void e.$selection.off("keyup.search")}),this.$selection.on("keyup.search input.search",".select2-search--inline",function(a){if(g&&"input"===a.type)return void e.$selection.off("input.search input.searchcheck");var b=a.which;b!=c.SHIFT&&b!=c.CTRL&&b!=c.ALT&&b!=c.TAB&&e.handleSearch(a)})},d.prototype._transferTabIndex=function(a){this.$search.attr("tabindex",this.$selection.attr("tabindex")),this.$selection.attr("tabindex","-1")},d.prototype.createPlaceholder=function(a,b){this.$search.attr("placeholder",b.text)},d.prototype.update=function(a,b){var c=this.$search[0]==document.activeElement;this.$search.attr("placeholder",""),a.call(this,b),this.$selection.find(".select2-selection__rendered").append(this.$searchContainer),this.resizeSearch(),c&&this.$search.focus()},d.prototype.handleSearch=function(){if(this.resizeSearch(),!this._keyUpPrevented){var a=this.$search.val();this.trigger("query",{term:a})}this._keyUpPrevented=!1},d.prototype.searchRemoveChoice=function(a,b){this.trigger("unselect",{data:b}),this.$search.val(b.text),this.handleSearch()},d.prototype.resizeSearch=function(){this.$search.css("width","25px");var a="";if(""!==this.$search.attr("placeholder"))a=this.$selection.find(".select2-selection__rendered").innerWidth();else{var b=this.$search.val().length+1;a=.75*b+"em"}this.$search.css("width",a)},d}),b.define("select2/selection/eventRelay",["jquery"],function(a){function b(){}return b.prototype.bind=function(b,c,d){var e=this,f=["open","opening","close","closing","select","selecting","unselect","unselecting"],g=["opening","closing","selecting","unselecting"];b.call(this,c,d),c.on("*",function(b,c){if(-1!==a.inArray(b,f)){c=c||{};var d=a.Event("select2:"+b,{params:c});e.$element.trigger(d),-1!==a.inArray(b,g)&&(c.prevented=d.isDefaultPrevented())}})},b}),b.define("select2/translation",["jquery","require"],function(a,b){function c(a){this.dict=a||{}}return c.prototype.all=function(){return this.dict},c.prototype.get=function(a){return this.dict[a]},c.prototype.extend=function(b){this.dict=a.extend({},b.all(),this.dict)},c._cache={},c.loadPath=function(a){if(!(a in c._cache)){var d=b(a);c._cache[a]=d}return new c(c._cache[a])},c}),b.define("select2/diacritics",[],function(){var a={"Ⓐ":"A","A":"A","À":"A","Á":"A","Â":"A","Ầ":"A","Ấ":"A","Ẫ":"A","Ẩ":"A","Ã":"A","Ā":"A","Ă":"A","Ằ":"A","Ắ":"A","Ẵ":"A","Ẳ":"A","Ȧ":"A","Ǡ":"A","Ä":"A","Ǟ":"A","Ả":"A","Å":"A","Ǻ":"A","Ǎ":"A","Ȁ":"A","Ȃ":"A","Ạ":"A","Ậ":"A","Ặ":"A","Ḁ":"A","Ą":"A","Ⱥ":"A","Ɐ":"A","Ꜳ":"AA","Æ":"AE","Ǽ":"AE","Ǣ":"AE","Ꜵ":"AO","Ꜷ":"AU","Ꜹ":"AV","Ꜻ":"AV","Ꜽ":"AY","Ⓑ":"B","B":"B","Ḃ":"B","Ḅ":"B","Ḇ":"B","Ƀ":"B","Ƃ":"B","Ɓ":"B","Ⓒ":"C","C":"C","Ć":"C","Ĉ":"C","Ċ":"C","Č":"C","Ç":"C","Ḉ":"C","Ƈ":"C","Ȼ":"C","Ꜿ":"C","Ⓓ":"D","D":"D","Ḋ":"D","Ď":"D","Ḍ":"D","Ḑ":"D","Ḓ":"D","Ḏ":"D","Đ":"D","Ƌ":"D","Ɗ":"D","Ɖ":"D","Ꝺ":"D","DZ":"DZ","DŽ":"DZ","Dz":"Dz","Dž":"Dz","Ⓔ":"E","E":"E","È":"E","É":"E","Ê":"E","Ề":"E","Ế":"E","Ễ":"E","Ể":"E","Ẽ":"E","Ē":"E","Ḕ":"E","Ḗ":"E","Ĕ":"E","Ė":"E","Ë":"E","Ẻ":"E","Ě":"E","Ȅ":"E","Ȇ":"E","Ẹ":"E","Ệ":"E","Ȩ":"E","Ḝ":"E","Ę":"E","Ḙ":"E","Ḛ":"E","Ɛ":"E","Ǝ":"E","Ⓕ":"F","F":"F","Ḟ":"F","Ƒ":"F","Ꝼ":"F","Ⓖ":"G","G":"G","Ǵ":"G","Ĝ":"G","Ḡ":"G","Ğ":"G","Ġ":"G","Ǧ":"G","Ģ":"G","Ǥ":"G","Ɠ":"G","Ꞡ":"G","Ᵹ":"G","Ꝿ":"G","Ⓗ":"H","H":"H","Ĥ":"H","Ḣ":"H","Ḧ":"H","Ȟ":"H","Ḥ":"H","Ḩ":"H","Ḫ":"H","Ħ":"H","Ⱨ":"H","Ⱶ":"H","Ɥ":"H","Ⓘ":"I","I":"I","Ì":"I","Í":"I","Î":"I","Ĩ":"I","Ī":"I","Ĭ":"I","İ":"I","Ï":"I","Ḯ":"I","Ỉ":"I","Ǐ":"I","Ȉ":"I","Ȋ":"I","Ị":"I","Į":"I","Ḭ":"I","Ɨ":"I","Ⓙ":"J","J":"J","Ĵ":"J","Ɉ":"J","Ⓚ":"K","K":"K","Ḱ":"K","Ǩ":"K","Ḳ":"K","Ķ":"K","Ḵ":"K","Ƙ":"K","Ⱪ":"K","Ꝁ":"K","Ꝃ":"K","Ꝅ":"K","Ꞣ":"K","Ⓛ":"L","L":"L","Ŀ":"L","Ĺ":"L","Ľ":"L","Ḷ":"L","Ḹ":"L","Ļ":"L","Ḽ":"L","Ḻ":"L","Ł":"L","Ƚ":"L","Ɫ":"L","Ⱡ":"L","Ꝉ":"L","Ꝇ":"L","Ꞁ":"L","LJ":"LJ","Lj":"Lj","Ⓜ":"M","M":"M","Ḿ":"M","Ṁ":"M","Ṃ":"M","Ɱ":"M","Ɯ":"M","Ⓝ":"N","N":"N","Ǹ":"N","Ń":"N","Ñ":"N","Ṅ":"N","Ň":"N","Ṇ":"N","Ņ":"N","Ṋ":"N","Ṉ":"N","Ƞ":"N","Ɲ":"N","Ꞑ":"N","Ꞥ":"N","NJ":"NJ","Nj":"Nj","Ⓞ":"O","O":"O","Ò":"O","Ó":"O","Ô":"O","Ồ":"O","Ố":"O","Ỗ":"O","Ổ":"O","Õ":"O","Ṍ":"O","Ȭ":"O","Ṏ":"O","Ō":"O","Ṑ":"O","Ṓ":"O","Ŏ":"O","Ȯ":"O","Ȱ":"O","Ö":"O","Ȫ":"O","Ỏ":"O","Ő":"O","Ǒ":"O","Ȍ":"O","Ȏ":"O","Ơ":"O","Ờ":"O","Ớ":"O","Ỡ":"O","Ở":"O","Ợ":"O","Ọ":"O","Ộ":"O","Ǫ":"O","Ǭ":"O","Ø":"O","Ǿ":"O","Ɔ":"O","Ɵ":"O","Ꝋ":"O","Ꝍ":"O","Ƣ":"OI","Ꝏ":"OO","Ȣ":"OU","Ⓟ":"P","P":"P","Ṕ":"P","Ṗ":"P","Ƥ":"P","Ᵽ":"P","Ꝑ":"P","Ꝓ":"P","Ꝕ":"P","Ⓠ":"Q","Q":"Q","Ꝗ":"Q","Ꝙ":"Q","Ɋ":"Q","Ⓡ":"R","R":"R","Ŕ":"R","Ṙ":"R","Ř":"R","Ȑ":"R","Ȓ":"R","Ṛ":"R","Ṝ":"R","Ŗ":"R","Ṟ":"R","Ɍ":"R","Ɽ":"R","Ꝛ":"R","Ꞧ":"R","Ꞃ":"R","Ⓢ":"S","S":"S","ẞ":"S","Ś":"S","Ṥ":"S","Ŝ":"S","Ṡ":"S","Š":"S","Ṧ":"S","Ṣ":"S","Ṩ":"S","Ș":"S","Ş":"S","Ȿ":"S","Ꞩ":"S","Ꞅ":"S","Ⓣ":"T","T":"T","Ṫ":"T","Ť":"T","Ṭ":"T","Ț":"T","Ţ":"T","Ṱ":"T","Ṯ":"T","Ŧ":"T","Ƭ":"T","Ʈ":"T","Ⱦ":"T","Ꞇ":"T","Ꜩ":"TZ","Ⓤ":"U","U":"U","Ù":"U","Ú":"U","Û":"U","Ũ":"U","Ṹ":"U","Ū":"U","Ṻ":"U","Ŭ":"U","Ü":"U","Ǜ":"U","Ǘ":"U","Ǖ":"U","Ǚ":"U","Ủ":"U","Ů":"U","Ű":"U","Ǔ":"U","Ȕ":"U","Ȗ":"U","Ư":"U","Ừ":"U","Ứ":"U","Ữ":"U","Ử":"U","Ự":"U","Ụ":"U","Ṳ":"U","Ų":"U","Ṷ":"U","Ṵ":"U","Ʉ":"U","Ⓥ":"V","V":"V","Ṽ":"V","Ṿ":"V","Ʋ":"V","Ꝟ":"V","Ʌ":"V","Ꝡ":"VY","Ⓦ":"W","W":"W","Ẁ":"W","Ẃ":"W","Ŵ":"W","Ẇ":"W","Ẅ":"W","Ẉ":"W","Ⱳ":"W","Ⓧ":"X","X":"X","Ẋ":"X","Ẍ":"X","Ⓨ":"Y","Y":"Y","Ỳ":"Y","Ý":"Y","Ŷ":"Y","Ỹ":"Y","Ȳ":"Y","Ẏ":"Y","Ÿ":"Y","Ỷ":"Y","Ỵ":"Y","Ƴ":"Y","Ɏ":"Y","Ỿ":"Y","Ⓩ":"Z","Z":"Z","Ź":"Z","Ẑ":"Z","Ż":"Z","Ž":"Z","Ẓ":"Z","Ẕ":"Z","Ƶ":"Z","Ȥ":"Z","Ɀ":"Z","Ⱬ":"Z","Ꝣ":"Z","ⓐ":"a","a":"a","ẚ":"a","à":"a","á":"a","â":"a","ầ":"a","ấ":"a","ẫ":"a","ẩ":"a","ã":"a","ā":"a","ă":"a","ằ":"a","ắ":"a","ẵ":"a","ẳ":"a","ȧ":"a","ǡ":"a","ä":"a","ǟ":"a","ả":"a","å":"a","ǻ":"a","ǎ":"a","ȁ":"a","ȃ":"a","ạ":"a","ậ":"a","ặ":"a","ḁ":"a","ą":"a","ⱥ":"a","ɐ":"a","ꜳ":"aa","æ":"ae","ǽ":"ae","ǣ":"ae","ꜵ":"ao","ꜷ":"au","ꜹ":"av","ꜻ":"av","ꜽ":"ay","ⓑ":"b","b":"b","ḃ":"b","ḅ":"b","ḇ":"b","ƀ":"b","ƃ":"b","ɓ":"b","ⓒ":"c","c":"c","ć":"c","ĉ":"c","ċ":"c","č":"c","ç":"c","ḉ":"c","ƈ":"c","ȼ":"c","ꜿ":"c","ↄ":"c","ⓓ":"d","d":"d","ḋ":"d","ď":"d","ḍ":"d","ḑ":"d","ḓ":"d","ḏ":"d","đ":"d","ƌ":"d","ɖ":"d","ɗ":"d","ꝺ":"d","dz":"dz","dž":"dz","ⓔ":"e","e":"e","è":"e","é":"e","ê":"e","ề":"e","ế":"e","ễ":"e","ể":"e","ẽ":"e","ē":"e","ḕ":"e","ḗ":"e","ĕ":"e","ė":"e","ë":"e","ẻ":"e","ě":"e","ȅ":"e","ȇ":"e","ẹ":"e","ệ":"e","ȩ":"e","ḝ":"e","ę":"e","ḙ":"e","ḛ":"e","ɇ":"e","ɛ":"e","ǝ":"e","ⓕ":"f","f":"f","ḟ":"f","ƒ":"f","ꝼ":"f","ⓖ":"g","g":"g","ǵ":"g","ĝ":"g","ḡ":"g","ğ":"g","ġ":"g","ǧ":"g","ģ":"g","ǥ":"g","ɠ":"g","ꞡ":"g","ᵹ":"g","ꝿ":"g","ⓗ":"h","h":"h","ĥ":"h","ḣ":"h","ḧ":"h","ȟ":"h","ḥ":"h","ḩ":"h","ḫ":"h","ẖ":"h","ħ":"h","ⱨ":"h","ⱶ":"h","ɥ":"h","ƕ":"hv","ⓘ":"i","i":"i","ì":"i","í":"i","î":"i","ĩ":"i","ī":"i","ĭ":"i","ï":"i","ḯ":"i","ỉ":"i","ǐ":"i","ȉ":"i","ȋ":"i","ị":"i","į":"i","ḭ":"i","ɨ":"i","ı":"i","ⓙ":"j","j":"j","ĵ":"j","ǰ":"j","ɉ":"j","ⓚ":"k","k":"k","ḱ":"k","ǩ":"k","ḳ":"k","ķ":"k","ḵ":"k","ƙ":"k","ⱪ":"k","ꝁ":"k","ꝃ":"k","ꝅ":"k","ꞣ":"k","ⓛ":"l","l":"l","ŀ":"l","ĺ":"l","ľ":"l","ḷ":"l","ḹ":"l","ļ":"l","ḽ":"l","ḻ":"l","ſ":"l","ł":"l","ƚ":"l","ɫ":"l","ⱡ":"l","ꝉ":"l","ꞁ":"l","ꝇ":"l","lj":"lj","ⓜ":"m","m":"m","ḿ":"m","ṁ":"m","ṃ":"m","ɱ":"m","ɯ":"m","ⓝ":"n","n":"n","ǹ":"n","ń":"n","ñ":"n","ṅ":"n","ň":"n","ṇ":"n","ņ":"n","ṋ":"n","ṉ":"n","ƞ":"n","ɲ":"n","ʼn":"n","ꞑ":"n","ꞥ":"n","nj":"nj","ⓞ":"o","o":"o","ò":"o","ó":"o","ô":"o","ồ":"o","ố":"o","ỗ":"o","ổ":"o","õ":"o","ṍ":"o","ȭ":"o","ṏ":"o","ō":"o","ṑ":"o","ṓ":"o","ŏ":"o","ȯ":"o","ȱ":"o","ö":"o","ȫ":"o","ỏ":"o","ő":"o","ǒ":"o","ȍ":"o","ȏ":"o","ơ":"o","ờ":"o","ớ":"o","ỡ":"o","ở":"o","ợ":"o","ọ":"o","ộ":"o","ǫ":"o","ǭ":"o","ø":"o","ǿ":"o","ɔ":"o","ꝋ":"o","ꝍ":"o","ɵ":"o","ƣ":"oi","ȣ":"ou","ꝏ":"oo","ⓟ":"p","p":"p","ṕ":"p","ṗ":"p","ƥ":"p","ᵽ":"p","ꝑ":"p","ꝓ":"p","ꝕ":"p","ⓠ":"q","q":"q","ɋ":"q","ꝗ":"q","ꝙ":"q","ⓡ":"r","r":"r","ŕ":"r","ṙ":"r","ř":"r","ȑ":"r","ȓ":"r","ṛ":"r","ṝ":"r","ŗ":"r","ṟ":"r","ɍ":"r","ɽ":"r","ꝛ":"r","ꞧ":"r","ꞃ":"r","ⓢ":"s","s":"s","ß":"s","ś":"s","ṥ":"s","ŝ":"s","ṡ":"s","š":"s","ṧ":"s","ṣ":"s","ṩ":"s","ș":"s","ş":"s","ȿ":"s","ꞩ":"s","ꞅ":"s","ẛ":"s","ⓣ":"t","t":"t","ṫ":"t","ẗ":"t","ť":"t","ṭ":"t","ț":"t","ţ":"t","ṱ":"t","ṯ":"t","ŧ":"t","ƭ":"t","ʈ":"t","ⱦ":"t","ꞇ":"t","ꜩ":"tz","ⓤ":"u","u":"u","ù":"u","ú":"u","û":"u","ũ":"u","ṹ":"u","ū":"u","ṻ":"u","ŭ":"u","ü":"u","ǜ":"u","ǘ":"u","ǖ":"u","ǚ":"u","ủ":"u","ů":"u","ű":"u","ǔ":"u","ȕ":"u","ȗ":"u","ư":"u","ừ":"u","ứ":"u","ữ":"u","ử":"u","ự":"u","ụ":"u","ṳ":"u","ų":"u","ṷ":"u","ṵ":"u","ʉ":"u","ⓥ":"v","v":"v","ṽ":"v","ṿ":"v","ʋ":"v","ꝟ":"v","ʌ":"v","ꝡ":"vy","ⓦ":"w","w":"w","ẁ":"w","ẃ":"w","ŵ":"w","ẇ":"w","ẅ":"w","ẘ":"w","ẉ":"w","ⱳ":"w","ⓧ":"x","x":"x","ẋ":"x","ẍ":"x","ⓨ":"y","y":"y","ỳ":"y","ý":"y","ŷ":"y","ỹ":"y","ȳ":"y","ẏ":"y","ÿ":"y","ỷ":"y","ẙ":"y","ỵ":"y","ƴ":"y","ɏ":"y","ỿ":"y","ⓩ":"z","z":"z","ź":"z","ẑ":"z","ż":"z","ž":"z","ẓ":"z","ẕ":"z","ƶ":"z","ȥ":"z","ɀ":"z","ⱬ":"z","ꝣ":"z","Ά":"Α","Έ":"Ε","Ή":"Η","Ί":"Ι","Ϊ":"Ι","Ό":"Ο","Ύ":"Υ","Ϋ":"Υ","Ώ":"Ω","ά":"α","έ":"ε","ή":"η","ί":"ι","ϊ":"ι","ΐ":"ι","ό":"ο","ύ":"υ","ϋ":"υ","ΰ":"υ","ω":"ω","ς":"σ"};return a}),b.define("select2/data/base",["../utils"],function(a){function b(a,c){b.__super__.constructor.call(this)}return a.Extend(b,a.Observable),b.prototype.current=function(a){throw new Error("The `current` method must be defined in child classes.")},b.prototype.query=function(a,b){throw new Error("The `query` method must be defined in child classes.")},b.prototype.bind=function(a,b){},b.prototype.destroy=function(){},b.prototype.generateResultId=function(b,c){var d=b.id+"-result-";return d+=a.generateChars(4),d+=null!=c.id?"-"+c.id.toString():"-"+a.generateChars(4)},b}),b.define("select2/data/select",["./base","../utils","jquery"],function(a,b,c){function d(a,b){this.$element=a,this.options=b,d.__super__.constructor.call(this)}return b.Extend(d,a),d.prototype.current=function(a){var b=[],d=this;this.$element.find(":selected").each(function(){var a=c(this),e=d.item(a);b.push(e)}),a(b)},d.prototype.select=function(a){var b=this;if(a.selected=!0,c(a.element).is("option"))return a.element.selected=!0,void this.$element.trigger("change");
if(this.$element.prop("multiple"))this.current(function(d){var e=[];a=[a],a.push.apply(a,d);for(var f=0;f<a.length;f++){var g=a[f].id;-1===c.inArray(g,e)&&e.push(g)}b.$element.val(e),b.$element.trigger("change")});else{var d=a.id;this.$element.val(d),this.$element.trigger("change")}},d.prototype.unselect=function(a){var b=this;if(this.$element.prop("multiple"))return a.selected=!1,c(a.element).is("option")?(a.element.selected=!1,void this.$element.trigger("change")):void this.current(function(d){for(var e=[],f=0;f<d.length;f++){var g=d[f].id;g!==a.id&&-1===c.inArray(g,e)&&e.push(g)}b.$element.val(e),b.$element.trigger("change")})},d.prototype.bind=function(a,b){var c=this;this.container=a,a.on("select",function(a){c.select(a.data)}),a.on("unselect",function(a){c.unselect(a.data)})},d.prototype.destroy=function(){this.$element.find("*").each(function(){c.removeData(this,"data")})},d.prototype.query=function(a,b){var d=[],e=this,f=this.$element.children();f.each(function(){var b=c(this);if(b.is("option")||b.is("optgroup")){var f=e.item(b),g=e.matches(a,f);null!==g&&d.push(g)}}),b({results:d})},d.prototype.addOptions=function(a){b.appendMany(this.$element,a)},d.prototype.option=function(a){var b;a.children?(b=document.createElement("optgroup"),b.label=a.text):(b=document.createElement("option"),void 0!==b.textContent?b.textContent=a.text:b.innerText=a.text),a.id&&(b.value=a.id),a.disabled&&(b.disabled=!0),a.selected&&(b.selected=!0),a.title&&(b.title=a.title);var d=c(b),e=this._normalizeItem(a);return e.element=b,c.data(b,"data",e),d},d.prototype.item=function(a){var b={};if(b=c.data(a[0],"data"),null!=b)return b;if(a.is("option"))b={id:a.val(),text:a.text(),disabled:a.prop("disabled"),selected:a.prop("selected"),title:a.prop("title")};else if(a.is("optgroup")){b={text:a.prop("label"),children:[],title:a.prop("title")};for(var d=a.children("option"),e=[],f=0;f<d.length;f++){var g=c(d[f]),h=this.item(g);e.push(h)}b.children=e}return b=this._normalizeItem(b),b.element=a[0],c.data(a[0],"data",b),b},d.prototype._normalizeItem=function(a){c.isPlainObject(a)||(a={id:a,text:a}),a=c.extend({},{text:""},a);var b={selected:!1,disabled:!1};return null!=a.id&&(a.id=a.id.toString()),null!=a.text&&(a.text=a.text.toString()),null==a._resultId&&a.id&&null!=this.container&&(a._resultId=this.generateResultId(this.container,a)),c.extend({},b,a)},d.prototype.matches=function(a,b){var c=this.options.get("matcher");return c(a,b)},d}),b.define("select2/data/array",["./select","../utils","jquery"],function(a,b,c){function d(a,b){var c=b.get("data")||[];d.__super__.constructor.call(this,a,b),this.addOptions(this.convertToOptions(c))}return b.Extend(d,a),d.prototype.select=function(a){var b=this.$element.find("option").filter(function(b,c){return c.value==a.id.toString()});0===b.length&&(b=this.option(a),this.addOptions(b)),d.__super__.select.call(this,a)},d.prototype.convertToOptions=function(a){function d(a){return function(){return c(this).val()==a.id}}for(var e=this,f=this.$element.find("option"),g=f.map(function(){return e.item(c(this)).id}).get(),h=[],i=0;i<a.length;i++){var j=this._normalizeItem(a[i]);if(c.inArray(j.id,g)>=0){var k=f.filter(d(j)),l=this.item(k),m=c.extend(!0,{},j,l),n=this.option(m);k.replaceWith(n)}else{var o=this.option(j);if(j.children){var p=this.convertToOptions(j.children);b.appendMany(o,p)}h.push(o)}}return h},d}),b.define("select2/data/ajax",["./array","../utils","jquery"],function(a,b,c){function d(a,b){this.ajaxOptions=this._applyDefaults(b.get("ajax")),null!=this.ajaxOptions.processResults&&(this.processResults=this.ajaxOptions.processResults),d.__super__.constructor.call(this,a,b)}return b.Extend(d,a),d.prototype._applyDefaults=function(a){var b={data:function(a){return c.extend({},a,{q:a.term})},transport:function(a,b,d){var e=c.ajax(a);return e.then(b),e.fail(d),e}};return c.extend({},b,a,!0)},d.prototype.processResults=function(a){return a},d.prototype.query=function(a,b){function d(){var d=f.transport(f,function(d){var f=e.processResults(d,a);e.options.get("debug")&&window.console&&console.error&&(f&&f.results&&c.isArray(f.results)||console.error("Select2: The AJAX results did not return an array in the `results` key of the response.")),b(f)},function(){d.status&&"0"===d.status||e.trigger("results:message",{message:"errorLoading"})});e._request=d}var e=this;null!=this._request&&(c.isFunction(this._request.abort)&&this._request.abort(),this._request=null);var f=c.extend({type:"GET"},this.ajaxOptions);"function"==typeof f.url&&(f.url=f.url.call(this.$element,a)),"function"==typeof f.data&&(f.data=f.data.call(this.$element,a)),this.ajaxOptions.delay&&null!=a.term?(this._queryTimeout&&window.clearTimeout(this._queryTimeout),this._queryTimeout=window.setTimeout(d,this.ajaxOptions.delay)):d()},d}),b.define("select2/data/tags",["jquery"],function(a){function b(b,c,d){var e=d.get("tags"),f=d.get("createTag");void 0!==f&&(this.createTag=f);var g=d.get("insertTag");if(void 0!==g&&(this.insertTag=g),b.call(this,c,d),a.isArray(e))for(var h=0;h<e.length;h++){var i=e[h],j=this._normalizeItem(i),k=this.option(j);this.$element.append(k)}}return b.prototype.query=function(a,b,c){function d(a,f){for(var g=a.results,h=0;h<g.length;h++){var i=g[h],j=null!=i.children&&!d({results:i.children},!0),k=i.text===b.term;if(k||j)return f?!1:(a.data=g,void c(a))}if(f)return!0;var l=e.createTag(b);if(null!=l){var m=e.option(l);m.attr("data-select2-tag",!0),e.addOptions([m]),e.insertTag(g,l)}a.results=g,c(a)}var e=this;return this._removeOldTags(),null==b.term||null!=b.page?void a.call(this,b,c):void a.call(this,b,d)},b.prototype.createTag=function(b,c){var d=a.trim(c.term);return""===d?null:{id:d,text:d}},b.prototype.insertTag=function(a,b,c){b.unshift(c)},b.prototype._removeOldTags=function(b){var c=(this._lastTag,this.$element.find("option[data-select2-tag]"));c.each(function(){this.selected||a(this).remove()})},b}),b.define("select2/data/tokenizer",["jquery"],function(a){function b(a,b,c){var d=c.get("tokenizer");void 0!==d&&(this.tokenizer=d),a.call(this,b,c)}return b.prototype.bind=function(a,b,c){a.call(this,b,c),this.$search=b.dropdown.$search||b.selection.$search||c.find(".select2-search__field")},b.prototype.query=function(b,c,d){function e(b){var c=g._normalizeItem(b),d=g.$element.find("option").filter(function(){return a(this).val()===c.id});if(!d.length){var e=g.option(c);e.attr("data-select2-tag",!0),g._removeOldTags(),g.addOptions([e])}f(c)}function f(a){g.trigger("select",{data:a})}var g=this;c.term=c.term||"";var h=this.tokenizer(c,this.options,e);h.term!==c.term&&(this.$search.length&&(this.$search.val(h.term),this.$search.focus()),c.term=h.term),b.call(this,c,d)},b.prototype.tokenizer=function(b,c,d,e){for(var f=d.get("tokenSeparators")||[],g=c.term,h=0,i=this.createTag||function(a){return{id:a.term,text:a.term}};h<g.length;){var j=g[h];if(-1!==a.inArray(j,f)){var k=g.substr(0,h),l=a.extend({},c,{term:k}),m=i(l);null!=m?(e(m),g=g.substr(h+1)||"",h=0):h++}else h++}return{term:g}},b}),b.define("select2/data/minimumInputLength",[],function(){function a(a,b,c){this.minimumInputLength=c.get("minimumInputLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){return b.term=b.term||"",b.term.length<this.minimumInputLength?void this.trigger("results:message",{message:"inputTooShort",args:{minimum:this.minimumInputLength,input:b.term,params:b}}):void a.call(this,b,c)},a}),b.define("select2/data/maximumInputLength",[],function(){function a(a,b,c){this.maximumInputLength=c.get("maximumInputLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){return b.term=b.term||"",this.maximumInputLength>0&&b.term.length>this.maximumInputLength?void this.trigger("results:message",{message:"inputTooLong",args:{maximum:this.maximumInputLength,input:b.term,params:b}}):void a.call(this,b,c)},a}),b.define("select2/data/maximumSelectionLength",[],function(){function a(a,b,c){this.maximumSelectionLength=c.get("maximumSelectionLength"),a.call(this,b,c)}return a.prototype.query=function(a,b,c){var d=this;this.current(function(e){var f=null!=e?e.length:0;return d.maximumSelectionLength>0&&f>=d.maximumSelectionLength?void d.trigger("results:message",{message:"maximumSelected",args:{maximum:d.maximumSelectionLength}}):void a.call(d,b,c)})},a}),b.define("select2/dropdown",["jquery","./utils"],function(a,b){function c(a,b){this.$element=a,this.options=b,c.__super__.constructor.call(this)}return b.Extend(c,b.Observable),c.prototype.render=function(){var b=a('<span class="select2-dropdown"><span class="select2-results"></span></span>');return b.attr("dir",this.options.get("dir")),this.$dropdown=b,b},c.prototype.bind=function(){},c.prototype.position=function(a,b){},c.prototype.destroy=function(){this.$dropdown.remove()},c}),b.define("select2/dropdown/search",["jquery","../utils"],function(a,b){function c(){}return c.prototype.render=function(b){var c=b.call(this),d=a('<span class="select2-search select2-search--dropdown"><input class="select2-search__field" type="search" tabindex="-1" autocomplete="off" autocorrect="off" autocapitalize="off" spellcheck="false" role="textbox" /></span>');return this.$searchContainer=d,this.$search=d.find("input"),c.prepend(d),c},c.prototype.bind=function(b,c,d){var e=this;b.call(this,c,d),this.$search.on("keydown",function(a){e.trigger("keypress",a),e._keyUpPrevented=a.isDefaultPrevented()}),this.$search.on("input",function(b){a(this).off("keyup")}),this.$search.on("keyup input",function(a){e.handleSearch(a)}),c.on("open",function(){e.$search.attr("tabindex",0),e.$search.focus(),window.setTimeout(function(){e.$search.focus()},0)}),c.on("close",function(){e.$search.attr("tabindex",-1),e.$search.val("")}),c.on("focus",function(){c.isOpen()&&e.$search.focus()}),c.on("results:all",function(a){if(null==a.query.term||""===a.query.term){var b=e.showSearch(a);b?e.$searchContainer.removeClass("select2-search--hide"):e.$searchContainer.addClass("select2-search--hide")}})},c.prototype.handleSearch=function(a){if(!this._keyUpPrevented){var b=this.$search.val();this.trigger("query",{term:b})}this._keyUpPrevented=!1},c.prototype.showSearch=function(a,b){return!0},c}),b.define("select2/dropdown/hidePlaceholder",[],function(){function a(a,b,c,d){this.placeholder=this.normalizePlaceholder(c.get("placeholder")),a.call(this,b,c,d)}return a.prototype.append=function(a,b){b.results=this.removePlaceholder(b.results),a.call(this,b)},a.prototype.normalizePlaceholder=function(a,b){return"string"==typeof b&&(b={id:"",text:b}),b},a.prototype.removePlaceholder=function(a,b){for(var c=b.slice(0),d=b.length-1;d>=0;d--){var e=b[d];this.placeholder.id===e.id&&c.splice(d,1)}return c},a}),b.define("select2/dropdown/infiniteScroll",["jquery"],function(a){function b(a,b,c,d){this.lastParams={},a.call(this,b,c,d),this.$loadingMore=this.createLoadingMore(),this.loading=!1}return b.prototype.append=function(a,b){this.$loadingMore.remove(),this.loading=!1,a.call(this,b),this.showLoadingMore(b)&&this.$results.append(this.$loadingMore)},b.prototype.bind=function(b,c,d){var e=this;b.call(this,c,d),c.on("query",function(a){e.lastParams=a,e.loading=!0}),c.on("query:append",function(a){e.lastParams=a,e.loading=!0}),this.$results.on("scroll",function(){var b=a.contains(document.documentElement,e.$loadingMore[0]);if(!e.loading&&b){var c=e.$results.offset().top+e.$results.outerHeight(!1),d=e.$loadingMore.offset().top+e.$loadingMore.outerHeight(!1);c+50>=d&&e.loadMore()}})},b.prototype.loadMore=function(){this.loading=!0;var b=a.extend({},{page:1},this.lastParams);b.page++,this.trigger("query:append",b)},b.prototype.showLoadingMore=function(a,b){return b.pagination&&b.pagination.more},b.prototype.createLoadingMore=function(){var b=a('<li class="select2-results__option select2-results__option--load-more"role="treeitem" aria-disabled="true"></li>'),c=this.options.get("translations").get("loadingMore");return b.html(c(this.lastParams)),b},b}),b.define("select2/dropdown/attachBody",["jquery","../utils"],function(a,b){function c(b,c,d){this.$dropdownParent=d.get("dropdownParent")||a(document.body),b.call(this,c,d)}return c.prototype.bind=function(a,b,c){var d=this,e=!1;a.call(this,b,c),b.on("open",function(){d._showDropdown(),d._attachPositioningHandler(b),e||(e=!0,b.on("results:all",function(){d._positionDropdown(),d._resizeDropdown()}),b.on("results:append",function(){d._positionDropdown(),d._resizeDropdown()}))}),b.on("close",function(){d._hideDropdown(),d._detachPositioningHandler(b)}),this.$dropdownContainer.on("mousedown",function(a){a.stopPropagation()})},c.prototype.destroy=function(a){a.call(this),this.$dropdownContainer.remove()},c.prototype.position=function(a,b,c){b.attr("class",c.attr("class")),b.removeClass("select2"),b.addClass("select2-container--open"),b.css({position:"absolute",top:-999999}),this.$container=c},c.prototype.render=function(b){var c=a("<span></span>"),d=b.call(this);return c.append(d),this.$dropdownContainer=c,c},c.prototype._hideDropdown=function(a){this.$dropdownContainer.detach()},c.prototype._attachPositioningHandler=function(c,d){var e=this,f="scroll.select2."+d.id,g="resize.select2."+d.id,h="orientationchange.select2."+d.id,i=this.$container.parents().filter(b.hasScroll);i.each(function(){a(this).data("select2-scroll-position",{x:a(this).scrollLeft(),y:a(this).scrollTop()})}),i.on(f,function(b){var c=a(this).data("select2-scroll-position");a(this).scrollTop(c.y)}),a(window).on(f+" "+g+" "+h,function(a){e._positionDropdown(),e._resizeDropdown()})},c.prototype._detachPositioningHandler=function(c,d){var e="scroll.select2."+d.id,f="resize.select2."+d.id,g="orientationchange.select2."+d.id,h=this.$container.parents().filter(b.hasScroll);h.off(e),a(window).off(e+" "+f+" "+g)},c.prototype._positionDropdown=function(){var b=a(window),c=this.$dropdown.hasClass("select2-dropdown--above"),d=this.$dropdown.hasClass("select2-dropdown--below"),e=null,f=this.$container.offset();f.bottom=f.top+this.$container.outerHeight(!1);var g={height:this.$container.outerHeight(!1)};g.top=f.top,g.bottom=f.top+g.height;var h={height:this.$dropdown.outerHeight(!1)},i={top:b.scrollTop(),bottom:b.scrollTop()+b.height()},j=i.top<f.top-h.height,k=i.bottom>f.bottom+h.height,l={left:f.left,top:g.bottom},m=this.$dropdownParent;"static"===m.css("position")&&(m=m.offsetParent());var n=m.offset();l.top-=n.top,l.left-=n.left,c||d||(e="below"),k||!j||c?!j&&k&&c&&(e="below"):e="above",("above"==e||c&&"below"!==e)&&(l.top=g.top-n.top-h.height),null!=e&&(this.$dropdown.removeClass("select2-dropdown--below select2-dropdown--above").addClass("select2-dropdown--"+e),this.$container.removeClass("select2-container--below select2-container--above").addClass("select2-container--"+e)),this.$dropdownContainer.css(l)},c.prototype._resizeDropdown=function(){var a={width:this.$container.outerWidth(!1)+"px"};this.options.get("dropdownAutoWidth")&&(a.minWidth=a.width,a.position="relative",a.width="auto"),this.$dropdown.css(a)},c.prototype._showDropdown=function(a){this.$dropdownContainer.appendTo(this.$dropdownParent),this._positionDropdown(),this._resizeDropdown()},c}),b.define("select2/dropdown/minimumResultsForSearch",[],function(){function a(b){for(var c=0,d=0;d<b.length;d++){var e=b[d];e.children?c+=a(e.children):c++}return c}function b(a,b,c,d){this.minimumResultsForSearch=c.get("minimumResultsForSearch"),this.minimumResultsForSearch<0&&(this.minimumResultsForSearch=1/0),a.call(this,b,c,d)}return b.prototype.showSearch=function(b,c){return a(c.data.results)<this.minimumResultsForSearch?!1:b.call(this,c)},b}),b.define("select2/dropdown/selectOnClose",[],function(){function a(){}return a.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),b.on("close",function(a){d._handleSelectOnClose(a)})},a.prototype._handleSelectOnClose=function(a,b){if(b&&null!=b.originalSelect2Event){var c=b.originalSelect2Event;if("select"===c._type||"unselect"===c._type)return}var d=this.getHighlightedResults();if(!(d.length<1)){var e=d.data("data");null!=e.element&&e.element.selected||null==e.element&&e.selected||this.trigger("select",{data:e})}},a}),b.define("select2/dropdown/closeOnSelect",[],function(){function a(){}return a.prototype.bind=function(a,b,c){var d=this;a.call(this,b,c),b.on("select",function(a){d._selectTriggered(a)}),b.on("unselect",function(a){d._selectTriggered(a)})},a.prototype._selectTriggered=function(a,b){var c=b.originalEvent;c&&c.ctrlKey||this.trigger("close",{originalEvent:c,originalSelect2Event:b})},a}),b.define("select2/i18n/en",[],function(){return{errorLoading:function(){return"The results could not be loaded."},inputTooLong:function(a){var b=a.input.length-a.maximum,c="Please delete "+b+" character";return 1!=b&&(c+="s"),c},inputTooShort:function(a){var b=a.minimum-a.input.length,c="Please enter "+b+" or more characters";return c},loadingMore:function(){return"Loading more results…"},maximumSelected:function(a){var b="You can only select "+a.maximum+" item";return 1!=a.maximum&&(b+="s"),b},noResults:function(){return"No results found"},searching:function(){return"Searching…"}}}),b.define("select2/defaults",["jquery","require","./results","./selection/single","./selection/multiple","./selection/placeholder","./selection/allowClear","./selection/search","./selection/eventRelay","./utils","./translation","./diacritics","./data/select","./data/array","./data/ajax","./data/tags","./data/tokenizer","./data/minimumInputLength","./data/maximumInputLength","./data/maximumSelectionLength","./dropdown","./dropdown/search","./dropdown/hidePlaceholder","./dropdown/infiniteScroll","./dropdown/attachBody","./dropdown/minimumResultsForSearch","./dropdown/selectOnClose","./dropdown/closeOnSelect","./i18n/en"],function(a,b,c,d,e,f,g,h,i,j,k,l,m,n,o,p,q,r,s,t,u,v,w,x,y,z,A,B,C){function D(){this.reset()}D.prototype.apply=function(l){if(l=a.extend(!0,{},this.defaults,l),null==l.dataAdapter){if(null!=l.ajax?l.dataAdapter=o:null!=l.data?l.dataAdapter=n:l.dataAdapter=m,l.minimumInputLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,r)),l.maximumInputLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,s)),l.maximumSelectionLength>0&&(l.dataAdapter=j.Decorate(l.dataAdapter,t)),l.tags&&(l.dataAdapter=j.Decorate(l.dataAdapter,p)),(null!=l.tokenSeparators||null!=l.tokenizer)&&(l.dataAdapter=j.Decorate(l.dataAdapter,q)),null!=l.query){var C=b(l.amdBase+"compat/query");l.dataAdapter=j.Decorate(l.dataAdapter,C)}if(null!=l.initSelection){var D=b(l.amdBase+"compat/initSelection");l.dataAdapter=j.Decorate(l.dataAdapter,D)}}if(null==l.resultsAdapter&&(l.resultsAdapter=c,null!=l.ajax&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,x)),null!=l.placeholder&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,w)),l.selectOnClose&&(l.resultsAdapter=j.Decorate(l.resultsAdapter,A))),null==l.dropdownAdapter){if(l.multiple)l.dropdownAdapter=u;else{var E=j.Decorate(u,v);l.dropdownAdapter=E}if(0!==l.minimumResultsForSearch&&(l.dropdownAdapter=j.Decorate(l.dropdownAdapter,z)),l.closeOnSelect&&(l.dropdownAdapter=j.Decorate(l.dropdownAdapter,B)),null!=l.dropdownCssClass||null!=l.dropdownCss||null!=l.adaptDropdownCssClass){var F=b(l.amdBase+"compat/dropdownCss");l.dropdownAdapter=j.Decorate(l.dropdownAdapter,F)}l.dropdownAdapter=j.Decorate(l.dropdownAdapter,y)}if(null==l.selectionAdapter){if(l.multiple?l.selectionAdapter=e:l.selectionAdapter=d,null!=l.placeholder&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,f)),l.allowClear&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,g)),l.multiple&&(l.selectionAdapter=j.Decorate(l.selectionAdapter,h)),null!=l.containerCssClass||null!=l.containerCss||null!=l.adaptContainerCssClass){var G=b(l.amdBase+"compat/containerCss");l.selectionAdapter=j.Decorate(l.selectionAdapter,G)}l.selectionAdapter=j.Decorate(l.selectionAdapter,i)}if("string"==typeof l.language)if(l.language.indexOf("-")>0){var H=l.language.split("-"),I=H[0];l.language=[l.language,I]}else l.language=[l.language];if(a.isArray(l.language)){var J=new k;l.language.push("en");for(var K=l.language,L=0;L<K.length;L++){var M=K[L],N={};try{N=k.loadPath(M)}catch(O){try{M=this.defaults.amdLanguageBase+M,N=k.loadPath(M)}catch(P){l.debug&&window.console&&console.warn&&console.warn('Select2: The language file for "'+M+'" could not be automatically loaded. A fallback will be used instead.');continue}}J.extend(N)}l.translations=J}else{var Q=k.loadPath(this.defaults.amdLanguageBase+"en"),R=new k(l.language);R.extend(Q),l.translations=R}return l},D.prototype.reset=function(){function b(a){function b(a){return l[a]||a}return a.replace(/[^\u0000-\u007E]/g,b)}function c(d,e){if(""===a.trim(d.term))return e;if(e.children&&e.children.length>0){for(var f=a.extend(!0,{},e),g=e.children.length-1;g>=0;g--){var h=e.children[g],i=c(d,h);null==i&&f.children.splice(g,1)}return f.children.length>0?f:c(d,f)}var j=b(e.text).toUpperCase(),k=b(d.term).toUpperCase();return j.indexOf(k)>-1?e:null}this.defaults={amdBase:"./",amdLanguageBase:"./i18n/",closeOnSelect:!0,debug:!1,dropdownAutoWidth:!1,escapeMarkup:j.escapeMarkup,language:C,matcher:c,minimumInputLength:0,maximumInputLength:0,maximumSelectionLength:0,minimumResultsForSearch:0,selectOnClose:!1,sorter:function(a){return a},templateResult:function(a){return a.text},templateSelection:function(a){return a.text},theme:"default",width:"resolve"}},D.prototype.set=function(b,c){var d=a.camelCase(b),e={};e[d]=c;var f=j._convertData(e);a.extend(this.defaults,f)};var E=new D;return E}),b.define("select2/options",["require","jquery","./defaults","./utils"],function(a,b,c,d){function e(b,e){if(this.options=b,null!=e&&this.fromElement(e),this.options=c.apply(this.options),e&&e.is("input")){var f=a(this.get("amdBase")+"compat/inputData");this.options.dataAdapter=d.Decorate(this.options.dataAdapter,f)}}return e.prototype.fromElement=function(a){var c=["select2"];null==this.options.multiple&&(this.options.multiple=a.prop("multiple")),null==this.options.disabled&&(this.options.disabled=a.prop("disabled")),null==this.options.language&&(a.prop("lang")?this.options.language=a.prop("lang").toLowerCase():a.closest("[lang]").prop("lang")&&(this.options.language=a.closest("[lang]").prop("lang"))),null==this.options.dir&&(a.prop("dir")?this.options.dir=a.prop("dir"):a.closest("[dir]").prop("dir")?this.options.dir=a.closest("[dir]").prop("dir"):this.options.dir="ltr"),a.prop("disabled",this.options.disabled),a.prop("multiple",this.options.multiple),a.data("select2Tags")&&(this.options.debug&&window.console&&console.warn&&console.warn('Select2: The `data-select2-tags` attribute has been changed to use the `data-data` and `data-tags="true"` attributes and will be removed in future versions of Select2.'),a.data("data",a.data("select2Tags")),a.data("tags",!0)),a.data("ajaxUrl")&&(this.options.debug&&window.console&&console.warn&&console.warn("Select2: The `data-ajax-url` attribute has been changed to `data-ajax--url` and support for the old attribute will be removed in future versions of Select2."),a.attr("ajax--url",a.data("ajaxUrl")),a.data("ajax--url",a.data("ajaxUrl")));var e={};e=b.fn.jquery&&"1."==b.fn.jquery.substr(0,2)&&a[0].dataset?b.extend(!0,{},a[0].dataset,a.data()):a.data();var f=b.extend(!0,{},e);f=d._convertData(f);for(var g in f)b.inArray(g,c)>-1||(b.isPlainObject(this.options[g])?b.extend(this.options[g],f[g]):this.options[g]=f[g]);return this},e.prototype.get=function(a){return this.options[a]},e.prototype.set=function(a,b){this.options[a]=b},e}),b.define("select2/core",["jquery","./options","./utils","./keys"],function(a,b,c,d){var e=function(a,c){null!=a.data("select2")&&a.data("select2").destroy(),this.$element=a,this.id=this._generateId(a),c=c||{},this.options=new b(c,a),e.__super__.constructor.call(this);var d=a.attr("tabindex")||0;a.data("old-tabindex",d),a.attr("tabindex","-1");var f=this.options.get("dataAdapter");this.dataAdapter=new f(a,this.options);var g=this.render();this._placeContainer(g);var h=this.options.get("selectionAdapter");this.selection=new h(a,this.options),this.$selection=this.selection.render(),this.selection.position(this.$selection,g);var i=this.options.get("dropdownAdapter");this.dropdown=new i(a,this.options),this.$dropdown=this.dropdown.render(),this.dropdown.position(this.$dropdown,g);var j=this.options.get("resultsAdapter");this.results=new j(a,this.options,this.dataAdapter),this.$results=this.results.render(),this.results.position(this.$results,this.$dropdown);var k=this;this._bindAdapters(),this._registerDomEvents(),this._registerDataEvents(),this._registerSelectionEvents(),this._registerDropdownEvents(),this._registerResultsEvents(),this._registerEvents(),this.dataAdapter.current(function(a){k.trigger("selection:update",{data:a})}),a.addClass("select2-hidden-accessible"),a.attr("aria-hidden","true"),this._syncAttributes(),a.data("select2",this)};return c.Extend(e,c.Observable),e.prototype._generateId=function(a){var b="";return b=null!=a.attr("id")?a.attr("id"):null!=a.attr("name")?a.attr("name")+"-"+c.generateChars(2):c.generateChars(4),b=b.replace(/(:|\.|\[|\]|,)/g,""),b="select2-"+b},e.prototype._placeContainer=function(a){a.insertAfter(this.$element);var b=this._resolveWidth(this.$element,this.options.get("width"));null!=b&&a.css("width",b)},e.prototype._resolveWidth=function(a,b){var c=/^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i;if("resolve"==b){var d=this._resolveWidth(a,"style");return null!=d?d:this._resolveWidth(a,"element")}if("element"==b){var e=a.outerWidth(!1);return 0>=e?"auto":e+"px"}if("style"==b){var f=a.attr("style");if("string"!=typeof f)return null;for(var g=f.split(";"),h=0,i=g.length;i>h;h+=1){var j=g[h].replace(/\s/g,""),k=j.match(c);if(null!==k&&k.length>=1)return k[1]}return null}return b},e.prototype._bindAdapters=function(){this.dataAdapter.bind(this,this.$container),this.selection.bind(this,this.$container),this.dropdown.bind(this,this.$container),this.results.bind(this,this.$container)},e.prototype._registerDomEvents=function(){var b=this;this.$element.on("change.select2",function(){b.dataAdapter.current(function(a){b.trigger("selection:update",{data:a})})}),this.$element.on("focus.select2",function(a){b.trigger("focus",a)}),this._syncA=c.bind(this._syncAttributes,this),this._syncS=c.bind(this._syncSubtree,this),this.$element[0].attachEvent&&this.$element[0].attachEvent("onpropertychange",this._syncA);var d=window.MutationObserver||window.WebKitMutationObserver||window.MozMutationObserver;null!=d?(this._observer=new d(function(c){a.each(c,b._syncA),a.each(c,b._syncS)}),this._observer.observe(this.$element[0],{attributes:!0,childList:!0,subtree:!1})):this.$element[0].addEventListener&&(this.$element[0].addEventListener("DOMAttrModified",b._syncA,!1),this.$element[0].addEventListener("DOMNodeInserted",b._syncS,!1),this.$element[0].addEventListener("DOMNodeRemoved",b._syncS,!1))},e.prototype._registerDataEvents=function(){var a=this;this.dataAdapter.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerSelectionEvents=function(){var b=this,c=["toggle","focus"];this.selection.on("toggle",function(){b.toggleDropdown()}),this.selection.on("focus",function(a){b.focus(a)}),this.selection.on("*",function(d,e){-1===a.inArray(d,c)&&b.trigger(d,e)})},e.prototype._registerDropdownEvents=function(){var a=this;this.dropdown.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerResultsEvents=function(){var a=this;this.results.on("*",function(b,c){a.trigger(b,c)})},e.prototype._registerEvents=function(){var a=this;this.on("open",function(){a.$container.addClass("select2-container--open")}),this.on("close",function(){a.$container.removeClass("select2-container--open")}),this.on("enable",function(){a.$container.removeClass("select2-container--disabled")}),this.on("disable",function(){a.$container.addClass("select2-container--disabled")}),this.on("blur",function(){a.$container.removeClass("select2-container--focus")}),this.on("query",function(b){a.isOpen()||a.trigger("open",{}),this.dataAdapter.query(b,function(c){a.trigger("results:all",{data:c,query:b})})}),this.on("query:append",function(b){this.dataAdapter.query(b,function(c){a.trigger("results:append",{data:c,query:b})})}),this.on("keypress",function(b){var c=b.which;a.isOpen()?c===d.ESC||c===d.TAB||c===d.UP&&b.altKey?(a.close(),b.preventDefault()):c===d.ENTER?(a.trigger("results:select",{}),b.preventDefault()):c===d.SPACE&&b.ctrlKey?(a.trigger("results:toggle",{}),b.preventDefault()):c===d.UP?(a.trigger("results:previous",{}),b.preventDefault()):c===d.DOWN&&(a.trigger("results:next",{}),b.preventDefault()):(c===d.ENTER||c===d.SPACE||c===d.DOWN&&b.altKey)&&(a.open(),b.preventDefault())})},e.prototype._syncAttributes=function(){this.options.set("disabled",this.$element.prop("disabled")),this.options.get("disabled")?(this.isOpen()&&this.close(),this.trigger("disable",{})):this.trigger("enable",{})},e.prototype._syncSubtree=function(a,b){var c=!1,d=this;if(!a||!a.target||"OPTION"===a.target.nodeName||"OPTGROUP"===a.target.nodeName){if(b)if(b.addedNodes&&b.addedNodes.length>0)for(var e=0;e<b.addedNodes.length;e++){var f=b.addedNodes[e];f.selected&&(c=!0)}else b.removedNodes&&b.removedNodes.length>0&&(c=!0);else c=!0;c&&this.dataAdapter.current(function(a){d.trigger("selection:update",{data:a})})}},e.prototype.trigger=function(a,b){var c=e.__super__.trigger,d={open:"opening",close:"closing",select:"selecting",unselect:"unselecting"};if(void 0===b&&(b={}),a in d){var f=d[a],g={prevented:!1,name:a,args:b};if(c.call(this,f,g),g.prevented)return void(b.prevented=!0)}c.call(this,a,b)},e.prototype.toggleDropdown=function(){this.options.get("disabled")||(this.isOpen()?this.close():this.open())},e.prototype.open=function(){this.isOpen()||this.trigger("query",{})},e.prototype.close=function(){this.isOpen()&&this.trigger("close",{})},e.prototype.isOpen=function(){return this.$container.hasClass("select2-container--open")},e.prototype.hasFocus=function(){return this.$container.hasClass("select2-container--focus")},e.prototype.focus=function(a){this.hasFocus()||(this.$container.addClass("select2-container--focus"),this.trigger("focus",{}))},e.prototype.enable=function(a){this.options.get("debug")&&window.console&&console.warn&&console.warn('Select2: The `select2("enable")` method has been deprecated and will be removed in later Select2 versions. Use $element.prop("disabled") instead.'),(null==a||0===a.length)&&(a=[!0]);var b=!a[0];this.$element.prop("disabled",b)},e.prototype.data=function(){this.options.get("debug")&&arguments.length>0&&window.console&&console.warn&&console.warn('Select2: Data can no longer be set using `select2("data")`. You should consider setting the value instead using `$element.val()`.');var a=[];return this.dataAdapter.current(function(b){a=b}),a},e.prototype.val=function(b){if(this.options.get("debug")&&window.console&&console.warn&&console.warn('Select2: The `select2("val")` method has been deprecated and will be removed in later Select2 versions. Use $element.val() instead.'),null==b||0===b.length)return this.$element.val();var c=b[0];a.isArray(c)&&(c=a.map(c,function(a){return a.toString()})),this.$element.val(c).trigger("change")},e.prototype.destroy=function(){this.$container.remove(),this.$element[0].detachEvent&&this.$element[0].detachEvent("onpropertychange",this._syncA),null!=this._observer?(this._observer.disconnect(),this._observer=null):this.$element[0].removeEventListener&&(this.$element[0].removeEventListener("DOMAttrModified",this._syncA,!1),this.$element[0].removeEventListener("DOMNodeInserted",this._syncS,!1),this.$element[0].removeEventListener("DOMNodeRemoved",this._syncS,!1)),this._syncA=null,this._syncS=null,this.$element.off(".select2"),this.$element.attr("tabindex",this.$element.data("old-tabindex")),this.$element.removeClass("select2-hidden-accessible"),this.$element.attr("aria-hidden","false"),this.$element.removeData("select2"),this.dataAdapter.destroy(),this.selection.destroy(),this.dropdown.destroy(),this.results.destroy(),this.dataAdapter=null,this.selection=null,this.dropdown=null,this.results=null;
},e.prototype.render=function(){var b=a('<span class="select2 select2-container"><span class="selection"></span><span class="dropdown-wrapper" aria-hidden="true"></span></span>');return b.attr("dir",this.options.get("dir")),this.$container=b,this.$container.addClass("select2-container--"+this.options.get("theme")),b.data("element",this.$element),b},e}),b.define("jquery-mousewheel",["jquery"],function(a){return a}),b.define("jquery.select2",["jquery","jquery-mousewheel","./select2/core","./select2/defaults"],function(a,b,c,d){if(null==a.fn.select2){var e=["open","close","destroy"];a.fn.select2=function(b){if(b=b||{},"object"==typeof b)return this.each(function(){var d=a.extend(!0,{},b);new c(a(this),d)}),this;if("string"==typeof b){var d,f=Array.prototype.slice.call(arguments,1);return this.each(function(){var c=a(this).data("select2");null==c&&window.console&&console.error&&console.error("The select2('"+b+"') method was called on an element that is not using Select2."),d=c[b].apply(c,f)}),a.inArray(b,e)>-1?this:d}throw new Error("Invalid arguments for Select2: "+b)}}return null==a.fn.select2.defaults&&(a.fn.select2.defaults=d),c}),{define:b.define,require:b.require}}(),c=b.require("jquery.select2");return a.fn.select2.amd=b,c});PK�
�[;��LL assets/inc/select2/3/select2.cssnu�[���/*
Version: 3.5.2 Timestamp: Sat Nov  1 14:43:36 EDT 2014
*/
.select2-container {
    margin: 0;
    position: relative;
    display: inline-block;
    /* inline-block for ie7 */
    zoom: 1;
    *display: inline;
    vertical-align: middle;
}

.select2-container,
.select2-drop,
.select2-search,
.select2-search input {
  /*
    Force border-box so that % widths fit the parent
    container without overlap because of margin/padding.
    More Info : http://www.quirksmode.org/css/box.html
  */
  -webkit-box-sizing: border-box; /* webkit */
     -moz-box-sizing: border-box; /* firefox */
          box-sizing: border-box; /* css3 */
}

.select2-container .select2-choice {
    display: block;
    height: 26px;
    padding: 0 0 0 8px;
    overflow: hidden;
    position: relative;

    border: 1px solid #aaa;
    white-space: nowrap;
    line-height: 26px;
    color: #444;
    text-decoration: none;

    border-radius: 4px;

    background-clip: padding-box;

    -webkit-touch-callout: none;
      -webkit-user-select: none;
         -moz-user-select: none;
          -ms-user-select: none;
              user-select: none;

    background-color: #fff;
    background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.5, #fff));
    background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 50%);
    background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 50%);
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#ffffff', endColorstr = '#eeeeee', GradientType = 0);
    background-image: linear-gradient(to top, #eee 0%, #fff 50%);
}

html[dir="rtl"] .select2-container .select2-choice {
    padding: 0 8px 0 0;
}

.select2-container.select2-drop-above .select2-choice {
    border-bottom-color: #aaa;

    border-radius: 0 0 4px 4px;

    background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #eee), color-stop(0.9, #fff));
    background-image: -webkit-linear-gradient(center bottom, #eee 0%, #fff 90%);
    background-image: -moz-linear-gradient(center bottom, #eee 0%, #fff 90%);
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#ffffff', endColorstr='#eeeeee', GradientType=0);
    background-image: linear-gradient(to bottom, #eee 0%, #fff 90%);
}

.select2-container.select2-allowclear .select2-choice .select2-chosen {
    margin-right: 42px;
}

.select2-container .select2-choice > .select2-chosen {
    margin-right: 26px;
    display: block;
    overflow: hidden;

    white-space: nowrap;

    text-overflow: ellipsis;
    float: none;
    width: auto;
}

html[dir="rtl"] .select2-container .select2-choice > .select2-chosen {
    margin-left: 26px;
    margin-right: 0;
}

.select2-container .select2-choice abbr {
    display: none;
    width: 12px;
    height: 12px;
    position: absolute;
    right: 24px;
    top: 8px;

    font-size: 1px;
    text-decoration: none;

    border: 0;
    background: url('select2.png') right top no-repeat;
    cursor: pointer;
    outline: 0;
}

.select2-container.select2-allowclear .select2-choice abbr {
    display: inline-block;
}

.select2-container .select2-choice abbr:hover {
    background-position: right -11px;
    cursor: pointer;
}

.select2-drop-mask {
    border: 0;
    margin: 0;
    padding: 0;
    position: fixed;
    left: 0;
    top: 0;
    min-height: 100%;
    min-width: 100%;
    height: auto;
    width: auto;
    opacity: 0;
    z-index: 9998;
    /* styles required for IE to work */
    background-color: #fff;
    filter: alpha(opacity=0);
}

.select2-drop {
    width: 100%;
    margin-top: -1px;
    position: absolute;
    z-index: 9999;
    top: 100%;

    background: #fff;
    color: #000;
    border: 1px solid #aaa;
    border-top: 0;

    border-radius: 0 0 4px 4px;

    -webkit-box-shadow: 0 4px 5px rgba(0, 0, 0, .15);
            box-shadow: 0 4px 5px rgba(0, 0, 0, .15);
}

.select2-drop.select2-drop-above {
    margin-top: 1px;
    border-top: 1px solid #aaa;
    border-bottom: 0;

    border-radius: 4px 4px 0 0;

    -webkit-box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);
            box-shadow: 0 -4px 5px rgba(0, 0, 0, .15);
}

.select2-drop-active {
    border: 1px solid #5897fb;
    border-top: none;
}

.select2-drop.select2-drop-above.select2-drop-active {
    border-top: 1px solid #5897fb;
}

.select2-drop-auto-width {
    border-top: 1px solid #aaa;
    width: auto;
}

.select2-drop-auto-width .select2-search {
    padding-top: 4px;
}

.select2-container .select2-choice .select2-arrow {
    display: inline-block;
    width: 18px;
    height: 100%;
    position: absolute;
    right: 0;
    top: 0;

    border-left: 1px solid #aaa;
    border-radius: 0 4px 4px 0;

    background-clip: padding-box;

    background: #ccc;
    background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #ccc), color-stop(0.6, #eee));
    background-image: -webkit-linear-gradient(center bottom, #ccc 0%, #eee 60%);
    background-image: -moz-linear-gradient(center bottom, #ccc 0%, #eee 60%);
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr = '#eeeeee', endColorstr = '#cccccc', GradientType = 0);
    background-image: linear-gradient(to top, #ccc 0%, #eee 60%);
}

html[dir="rtl"] .select2-container .select2-choice .select2-arrow {
    left: 0;
    right: auto;

    border-left: none;
    border-right: 1px solid #aaa;
    border-radius: 4px 0 0 4px;
}

.select2-container .select2-choice .select2-arrow b {
    display: block;
    width: 100%;
    height: 100%;
    background: url('select2.png') no-repeat 0 1px;
}

html[dir="rtl"] .select2-container .select2-choice .select2-arrow b {
    background-position: 2px 1px;
}

.select2-search {
    display: inline-block;
    width: 100%;
    min-height: 26px;
    margin: 0;
    padding-left: 4px;
    padding-right: 4px;

    position: relative;
    z-index: 10000;

    white-space: nowrap;
}

.select2-search input {
    width: 100%;
    height: auto !important;
    min-height: 26px;
    padding: 4px 20px 4px 5px;
    margin: 0;

    outline: 0;
    font-family: sans-serif;
    font-size: 1em;

    border: 1px solid #aaa;
    border-radius: 0;

    -webkit-box-shadow: none;
            box-shadow: none;

    background: #fff url('select2.png') no-repeat 100% -22px;
    background: url('select2.png') no-repeat 100% -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));
    background: url('select2.png') no-repeat 100% -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2.png') no-repeat 100% -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2.png') no-repeat 100% -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;
}

html[dir="rtl"] .select2-search input {
    padding: 4px 5px 4px 20px;

    background: #fff url('select2.png') no-repeat -37px -22px;
    background: url('select2.png') no-repeat -37px -22px, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));
    background: url('select2.png') no-repeat -37px -22px, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2.png') no-repeat -37px -22px, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2.png') no-repeat -37px -22px, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;
}

.select2-drop.select2-drop-above .select2-search input {
    margin-top: 4px;
}

.select2-search input.select2-active {
    background: #fff url('select2-spinner.gif') no-repeat 100%;
    background: url('select2-spinner.gif') no-repeat 100%, -webkit-gradient(linear, left bottom, left top, color-stop(0.85, #fff), color-stop(0.99, #eee));
    background: url('select2-spinner.gif') no-repeat 100%, -webkit-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2-spinner.gif') no-repeat 100%, -moz-linear-gradient(center bottom, #fff 85%, #eee 99%);
    background: url('select2-spinner.gif') no-repeat 100%, linear-gradient(to bottom, #fff 85%, #eee 99%) 0 0;
}

.select2-container-active .select2-choice,
.select2-container-active .select2-choices {
    border: 1px solid #5897fb;
    outline: none;

    -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);
            box-shadow: 0 0 5px rgba(0, 0, 0, .3);
}

.select2-dropdown-open .select2-choice {
    border-bottom-color: transparent;
    -webkit-box-shadow: 0 1px 0 #fff inset;
            box-shadow: 0 1px 0 #fff inset;

    border-bottom-left-radius: 0;
    border-bottom-right-radius: 0;

    background-color: #eee;
    background-image: -webkit-gradient(linear, left bottom, left top, color-stop(0, #fff), color-stop(0.5, #eee));
    background-image: -webkit-linear-gradient(center bottom, #fff 0%, #eee 50%);
    background-image: -moz-linear-gradient(center bottom, #fff 0%, #eee 50%);
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);
    background-image: linear-gradient(to top, #fff 0%, #eee 50%);
}

.select2-dropdown-open.select2-drop-above .select2-choice,
.select2-dropdown-open.select2-drop-above .select2-choices {
    border: 1px solid #5897fb;
    border-top-color: transparent;

    background-image: -webkit-gradient(linear, left top, left bottom, color-stop(0, #fff), color-stop(0.5, #eee));
    background-image: -webkit-linear-gradient(center top, #fff 0%, #eee 50%);
    background-image: -moz-linear-gradient(center top, #fff 0%, #eee 50%);
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#ffffff', GradientType=0);
    background-image: linear-gradient(to bottom, #fff 0%, #eee 50%);
}

.select2-dropdown-open .select2-choice .select2-arrow {
    background: transparent;
    border-left: none;
    filter: none;
}
html[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow {
    border-right: none;
}

.select2-dropdown-open .select2-choice .select2-arrow b {
    background-position: -18px 1px;
}

html[dir="rtl"] .select2-dropdown-open .select2-choice .select2-arrow b {
    background-position: -16px 1px;
}

.select2-hidden-accessible {
    border: 0;
    clip: rect(0 0 0 0);
    height: 1px;
    margin: -1px;
    overflow: hidden;
    padding: 0;
    position: absolute;
    width: 1px;
}

/* results */
.select2-results {
    max-height: 200px;
    padding: 0 0 0 4px;
    margin: 4px 4px 4px 0;
    position: relative;
    overflow-x: hidden;
    overflow-y: auto;
    -webkit-tap-highlight-color: rgba(0, 0, 0, 0);
}

html[dir="rtl"] .select2-results {
    padding: 0 4px 0 0;
    margin: 4px 0 4px 4px;
}

.select2-results ul.select2-result-sub {
    margin: 0;
    padding-left: 0;
}

.select2-results li {
    list-style: none;
    display: list-item;
    background-image: none;
}

.select2-results li.select2-result-with-children > .select2-result-label {
    font-weight: bold;
}

.select2-results .select2-result-label {
    padding: 3px 7px 4px;
    margin: 0;
    cursor: pointer;

    min-height: 1em;

    -webkit-touch-callout: none;
      -webkit-user-select: none;
         -moz-user-select: none;
          -ms-user-select: none;
              user-select: none;
}

.select2-results-dept-1 .select2-result-label { padding-left: 20px }
.select2-results-dept-2 .select2-result-label { padding-left: 40px }
.select2-results-dept-3 .select2-result-label { padding-left: 60px }
.select2-results-dept-4 .select2-result-label { padding-left: 80px }
.select2-results-dept-5 .select2-result-label { padding-left: 100px }
.select2-results-dept-6 .select2-result-label { padding-left: 110px }
.select2-results-dept-7 .select2-result-label { padding-left: 120px }

.select2-results .select2-highlighted {
    background: #3875d7;
    color: #fff;
}

.select2-results li em {
    background: #feffde;
    font-style: normal;
}

.select2-results .select2-highlighted em {
    background: transparent;
}

.select2-results .select2-highlighted ul {
    background: #fff;
    color: #000;
}

.select2-results .select2-no-results,
.select2-results .select2-searching,
.select2-results .select2-ajax-error,
.select2-results .select2-selection-limit {
    background: #f4f4f4;
    display: list-item;
    padding-left: 5px;
}

/*
disabled look for disabled choices in the results dropdown
*/
.select2-results .select2-disabled.select2-highlighted {
    color: #666;
    background: #f4f4f4;
    display: list-item;
    cursor: default;
}
.select2-results .select2-disabled {
  background: #f4f4f4;
  display: list-item;
  cursor: default;
}

.select2-results .select2-selected {
    display: none;
}

.select2-more-results.select2-active {
    background: #f4f4f4 url('select2-spinner.gif') no-repeat 100%;
}

.select2-results .select2-ajax-error {
    background: rgba(255, 50, 50, .2);
}

.select2-more-results {
    background: #f4f4f4;
    display: list-item;
}

/* disabled styles */

.select2-container.select2-container-disabled .select2-choice {
    background-color: #f4f4f4;
    background-image: none;
    border: 1px solid #ddd;
    cursor: default;
}

.select2-container.select2-container-disabled .select2-choice .select2-arrow {
    background-color: #f4f4f4;
    background-image: none;
    border-left: 0;
}

.select2-container.select2-container-disabled .select2-choice abbr {
    display: none;
}


/* multiselect */

.select2-container-multi .select2-choices {
    height: auto !important;
    height: 1%;
    margin: 0;
    padding: 0 5px 0 0;
    position: relative;

    border: 1px solid #aaa;
    cursor: text;
    overflow: hidden;

    background-color: #fff;
    background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(1%, #eee), color-stop(15%, #fff));
    background-image: -webkit-linear-gradient(top, #eee 1%, #fff 15%);
    background-image: -moz-linear-gradient(top, #eee 1%, #fff 15%);
    background-image: linear-gradient(to bottom, #eee 1%, #fff 15%);
}

html[dir="rtl"] .select2-container-multi .select2-choices {
    padding: 0 0 0 5px;
}

.select2-locked {
  padding: 3px 5px 3px 5px !important;
}

.select2-container-multi .select2-choices {
    min-height: 26px;
}

.select2-container-multi.select2-container-active .select2-choices {
    border: 1px solid #5897fb;
    outline: none;

    -webkit-box-shadow: 0 0 5px rgba(0, 0, 0, .3);
            box-shadow: 0 0 5px rgba(0, 0, 0, .3);
}
.select2-container-multi .select2-choices li {
    float: left;
    list-style: none;
}
html[dir="rtl"] .select2-container-multi .select2-choices li
{
    float: right;
}
.select2-container-multi .select2-choices .select2-search-field {
    margin: 0;
    padding: 0;
    white-space: nowrap;
}

.select2-container-multi .select2-choices .select2-search-field input {
    padding: 5px;
    margin: 1px 0;

    font-family: sans-serif;
    font-size: 100%;
    color: #666;
    outline: 0;
    border: 0;
    -webkit-box-shadow: none;
            box-shadow: none;
    background: transparent !important;
}

.select2-container-multi .select2-choices .select2-search-field input.select2-active {
    background: #fff url('select2-spinner.gif') no-repeat 100% !important;
}

.select2-default {
    color: #999 !important;
}

.select2-container-multi .select2-choices .select2-search-choice {
    padding: 3px 5px 3px 18px;
    margin: 3px 0 3px 5px;
    position: relative;

    line-height: 13px;
    color: #333;
    cursor: default;
    border: 1px solid #aaaaaa;

    border-radius: 3px;

    -webkit-box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);
            box-shadow: 0 0 2px #fff inset, 0 1px 0 rgba(0, 0, 0, 0.05);

    background-clip: padding-box;

    -webkit-touch-callout: none;
      -webkit-user-select: none;
         -moz-user-select: none;
          -ms-user-select: none;
              user-select: none;

    background-color: #e4e4e4;
    filter: progid:DXImageTransform.Microsoft.gradient(startColorstr='#eeeeee', endColorstr='#f4f4f4', GradientType=0);
    background-image: -webkit-gradient(linear, 0% 0%, 0% 100%, color-stop(20%, #f4f4f4), color-stop(50%, #f0f0f0), color-stop(52%, #e8e8e8), color-stop(100%, #eee));
    background-image: -webkit-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);
    background-image: -moz-linear-gradient(top, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);
    background-image: linear-gradient(to bottom, #f4f4f4 20%, #f0f0f0 50%, #e8e8e8 52%, #eee 100%);
}
html[dir="rtl"] .select2-container-multi .select2-choices .select2-search-choice
{
    margin: 3px 5px 3px 0;
    padding: 3px 18px 3px 5px;
}
.select2-container-multi .select2-choices .select2-search-choice .select2-chosen {
    cursor: default;
}
.select2-container-multi .select2-choices .select2-search-choice-focus {
    background: #d4d4d4;
}

.select2-search-choice-close {
    display: block;
    width: 12px;
    height: 13px;
    position: absolute;
    right: 3px;
    top: 4px;

    font-size: 1px;
    outline: none;
    background: url('select2.png') right top no-repeat;
}
html[dir="rtl"] .select2-search-choice-close {
    right: auto;
    left: 3px;
}

.select2-container-multi .select2-search-choice-close {
    left: 3px;
}

html[dir="rtl"] .select2-container-multi .select2-search-choice-close {
    left: auto;
    right: 2px;
}

.select2-container-multi .select2-choices .select2-search-choice .select2-search-choice-close:hover {
  background-position: right -11px;
}
.select2-container-multi .select2-choices .select2-search-choice-focus .select2-search-choice-close {
    background-position: right -11px;
}

/* disabled styles */
.select2-container-multi.select2-container-disabled .select2-choices {
    background-color: #f4f4f4;
    background-image: none;
    border: 1px solid #ddd;
    cursor: default;
}

.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice {
    padding: 3px 5px 3px 5px;
    border: 1px solid #ddd;
    background-image: none;
    background-color: #f4f4f4;
}

.select2-container-multi.select2-container-disabled .select2-choices .select2-search-choice .select2-search-choice-close {    display: none;
    background: none;
}
/* end multiselect */


.select2-result-selectable .select2-match,
.select2-result-unselectable .select2-match {
    text-decoration: underline;
}

.select2-offscreen, .select2-offscreen:focus {
    clip: rect(0 0 0 0) !important;
    width: 1px !important;
    height: 1px !important;
    border: 0 !important;
    margin: 0 !important;
    padding: 0 !important;
    overflow: hidden !important;
    position: absolute !important;
    outline: 0 !important;
    left: 0px !important;
    top: 0px !important;
}

.select2-display-none {
    display: none;
}

.select2-measure-scrollbar {
    position: absolute;
    top: -10000px;
    left: -10000px;
    width: 100px;
    height: 100px;
    overflow: scroll;
}

/* Retina-ize icons */

@media only screen and (-webkit-min-device-pixel-ratio: 1.5), only screen and (min-resolution: 2dppx)  {
    .select2-search input,
    .select2-search-choice-close,
    .select2-container .select2-choice abbr,
    .select2-container .select2-choice .select2-arrow b {
        background-image: url('select2x2.png') !important;
        background-repeat: no-repeat !important;
        background-size: 60px 40px !important;
    }

    .select2-search input {
        background-position: 100% -21px !important;
    }
}
PK�
�[\i���(assets/inc/select2/3/select2-spinner.gifnu�[���GIF89a�XXXzzz�������666hhh���FFF$$$������!�NETSCAPE2.0!�
,@p�ɗ(uJ�:�S"���$�C�J�����"S�`0	���%��$R��@��d��C��-Ðד)L�XwVrP5�g��*"A`��	
:1
o!Y3�  �!�
,]�����%�G�IE�8c�D0ap'GaF�ICa0[�֣�X��@@���7i,�O�h$���(� �U��%s!s�j#!�
,Z����X"�XJE&9@�%��TF�5� HAр��Ơ=�!#
���R.��0�|���V�}�����%	���(��!��9���S"!�
,\��)	�2����!�&B�� )���%֡���!`�%����
�pp�r�a�(��`<P
��D�}��BIB��&�-��!�
,EɉB�Xi���!(^G�p�QX^O��a�J��d� ��C�rɔ>C�@�9N�"BkJf�PE!�
,k��鄠إ&U���%�(�ˆـ�p��Ј
aE�,��@!HL����8�Ă`��U
X(����8 ��A��A6O	080&�C�q�fJPh#il�~!�
,[��ƠX
I���x�JJ2>K�Y���H�-
t�L�A�&�$��@��LcQ(N@#��<1P�x$n���x\y�ĚH�;�1(�)!�
,V��!��M�Z�@��]��$�6PN8�Hɀ�A�n����� @�5��H+k�ñ�
�b:[���W�!Q86����4�c!�
,]��R�X�7�6\G�T�u��a�e	��L x�/e�(
'����a0���`�M��a(x�b� 0��V(�z�	#�~>Ƿ !�6J9!�
,Z���R��ji��Z�m�6��N�"\TI�r���Ba���J����r�&	D�)a��Eá8ICF,�-LSp���F`u,�5�F�E!�
,X��I_�x�Q��E�R���	��M�ZFӉ�g������Dc��U��D�p>
���# $�D 7��w`�&H��&���!�
,Z�Iq���
�|R���
�i㕰�Y+)Ų(��``����%xp����i(�N "0lN��� PH��N]@<̏F`}q���/)�D;PK�
�[k�䎍�"assets/inc/select2/3/select2x2.pngnu�[����PNG


IHDRxPx�yTIDATx�훱n�@�W�"��t��E�pE*?�U�~t��$@�B��)����	#N)hqső�.�-k�utg�����XZ������Z�����<9�CY�c�y��k�
l��k�ȥx\Y>� �l\���9s�N�C��ʰ6��a�*-�����`0L��X
�;�j�G��`��7"���v�-�fH�E^8��gJ,Y��
<���V�F ��<s�x�mӕ=&�"�FKW�8�Ե�����k1�����ݯi>���K�<��>��еxQ��k�Q���4w��#��qd���Ȳq�R����Z��p`Y:�}8�Jk�Z����햢�����������X$d4͒�����ݯz��o��H�;C��5[���L��6+����9�xCɦ}	��ح0h�|䨳��5M%,���h6|�e�'n�2Y�K45�y��9��������*�I_�k^�{�V*�˰��ri$�tSN~�s�kj4Ki�RSt|��})s[J��h�\r�Y����a#�� m��~�s.xϯvue�`ֵv� �K�j�94ld#'d,;�$����k�ȡ!�!+�
E�����c+���IEND�B`�PK�
�[g�j�8D8Dassets/inc/select2/3/select2.jsnu�[���/*
Copyright 2012 Igor Vaynberg

Version: 3.5.2 Timestamp: Sat Nov  1 14:43:36 EDT 2014

This software is licensed under the Apache License, Version 2.0 (the "Apache License") or the GNU
General Public License version 2 (the "GPL License"). You may choose either license to govern your
use of this software only upon the condition that you accept all of the terms of either the Apache
License or the GPL License.

You may obtain a copy of the Apache License and the GPL License at:

    http://www.apache.org/licenses/LICENSE-2.0
    http://www.gnu.org/licenses/gpl-2.0.html

Unless required by applicable law or agreed to in writing, software distributed under the
Apache License or the GPL License is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR
CONDITIONS OF ANY KIND, either express or implied. See the Apache License and the GPL License for
the specific language governing permissions and limitations under the Apache License and the GPL License.
*/
(function ($) {
    if(typeof $.fn.each2 == "undefined") {
        $.extend($.fn, {
            /*
            * 4-10 times faster .each replacement
            * use it carefully, as it overrides jQuery context of element on each iteration
            */
            each2 : function (c) {
                var j = $([0]), i = -1, l = this.length;
                while (
                    ++i < l
                    && (j.context = j[0] = this[i])
                    && c.call(j[0], i, j) !== false //"this"=DOM, i=index, j=jQuery object
                );
                return this;
            }
        });
    }
})(jQuery);

(function ($, undefined) {
    "use strict";
    /*global document, window, jQuery, console */

    if (window.Select2 !== undefined) {
        return;
    }

    var AbstractSelect2, SingleSelect2, MultiSelect2, nextUid, sizer,
        lastMousePosition={x:0,y:0}, $document, scrollBarDimensions,

    KEY = {
        TAB: 9,
        ENTER: 13,
        ESC: 27,
        SPACE: 32,
        LEFT: 37,
        UP: 38,
        RIGHT: 39,
        DOWN: 40,
        SHIFT: 16,
        CTRL: 17,
        ALT: 18,
        PAGE_UP: 33,
        PAGE_DOWN: 34,
        HOME: 36,
        END: 35,
        BACKSPACE: 8,
        DELETE: 46,
        isArrow: function (k) {
            k = k.which ? k.which : k;
            switch (k) {
            case KEY.LEFT:
            case KEY.RIGHT:
            case KEY.UP:
            case KEY.DOWN:
                return true;
            }
            return false;
        },
        isControl: function (e) {
            var k = e.which;
            switch (k) {
            case KEY.SHIFT:
            case KEY.CTRL:
            case KEY.ALT:
                return true;
            }

            if (e.metaKey) return true;

            return false;
        },
        isFunctionKey: function (k) {
            k = k.which ? k.which : k;
            return k >= 112 && k <= 123;
        }
    },
    MEASURE_SCROLLBAR_TEMPLATE = "<div class='select2-measure-scrollbar'></div>",

    DIACRITICS = {"\u24B6":"A","\uFF21":"A","\u00C0":"A","\u00C1":"A","\u00C2":"A","\u1EA6":"A","\u1EA4":"A","\u1EAA":"A","\u1EA8":"A","\u00C3":"A","\u0100":"A","\u0102":"A","\u1EB0":"A","\u1EAE":"A","\u1EB4":"A","\u1EB2":"A","\u0226":"A","\u01E0":"A","\u00C4":"A","\u01DE":"A","\u1EA2":"A","\u00C5":"A","\u01FA":"A","\u01CD":"A","\u0200":"A","\u0202":"A","\u1EA0":"A","\u1EAC":"A","\u1EB6":"A","\u1E00":"A","\u0104":"A","\u023A":"A","\u2C6F":"A","\uA732":"AA","\u00C6":"AE","\u01FC":"AE","\u01E2":"AE","\uA734":"AO","\uA736":"AU","\uA738":"AV","\uA73A":"AV","\uA73C":"AY","\u24B7":"B","\uFF22":"B","\u1E02":"B","\u1E04":"B","\u1E06":"B","\u0243":"B","\u0182":"B","\u0181":"B","\u24B8":"C","\uFF23":"C","\u0106":"C","\u0108":"C","\u010A":"C","\u010C":"C","\u00C7":"C","\u1E08":"C","\u0187":"C","\u023B":"C","\uA73E":"C","\u24B9":"D","\uFF24":"D","\u1E0A":"D","\u010E":"D","\u1E0C":"D","\u1E10":"D","\u1E12":"D","\u1E0E":"D","\u0110":"D","\u018B":"D","\u018A":"D","\u0189":"D","\uA779":"D","\u01F1":"DZ","\u01C4":"DZ","\u01F2":"Dz","\u01C5":"Dz","\u24BA":"E","\uFF25":"E","\u00C8":"E","\u00C9":"E","\u00CA":"E","\u1EC0":"E","\u1EBE":"E","\u1EC4":"E","\u1EC2":"E","\u1EBC":"E","\u0112":"E","\u1E14":"E","\u1E16":"E","\u0114":"E","\u0116":"E","\u00CB":"E","\u1EBA":"E","\u011A":"E","\u0204":"E","\u0206":"E","\u1EB8":"E","\u1EC6":"E","\u0228":"E","\u1E1C":"E","\u0118":"E","\u1E18":"E","\u1E1A":"E","\u0190":"E","\u018E":"E","\u24BB":"F","\uFF26":"F","\u1E1E":"F","\u0191":"F","\uA77B":"F","\u24BC":"G","\uFF27":"G","\u01F4":"G","\u011C":"G","\u1E20":"G","\u011E":"G","\u0120":"G","\u01E6":"G","\u0122":"G","\u01E4":"G","\u0193":"G","\uA7A0":"G","\uA77D":"G","\uA77E":"G","\u24BD":"H","\uFF28":"H","\u0124":"H","\u1E22":"H","\u1E26":"H","\u021E":"H","\u1E24":"H","\u1E28":"H","\u1E2A":"H","\u0126":"H","\u2C67":"H","\u2C75":"H","\uA78D":"H","\u24BE":"I","\uFF29":"I","\u00CC":"I","\u00CD":"I","\u00CE":"I","\u0128":"I","\u012A":"I","\u012C":"I","\u0130":"I","\u00CF":"I","\u1E2E":"I","\u1EC8":"I","\u01CF":"I","\u0208":"I","\u020A":"I","\u1ECA":"I","\u012E":"I","\u1E2C":"I","\u0197":"I","\u24BF":"J","\uFF2A":"J","\u0134":"J","\u0248":"J","\u24C0":"K","\uFF2B":"K","\u1E30":"K","\u01E8":"K","\u1E32":"K","\u0136":"K","\u1E34":"K","\u0198":"K","\u2C69":"K","\uA740":"K","\uA742":"K","\uA744":"K","\uA7A2":"K","\u24C1":"L","\uFF2C":"L","\u013F":"L","\u0139":"L","\u013D":"L","\u1E36":"L","\u1E38":"L","\u013B":"L","\u1E3C":"L","\u1E3A":"L","\u0141":"L","\u023D":"L","\u2C62":"L","\u2C60":"L","\uA748":"L","\uA746":"L","\uA780":"L","\u01C7":"LJ","\u01C8":"Lj","\u24C2":"M","\uFF2D":"M","\u1E3E":"M","\u1E40":"M","\u1E42":"M","\u2C6E":"M","\u019C":"M","\u24C3":"N","\uFF2E":"N","\u01F8":"N","\u0143":"N","\u00D1":"N","\u1E44":"N","\u0147":"N","\u1E46":"N","\u0145":"N","\u1E4A":"N","\u1E48":"N","\u0220":"N","\u019D":"N","\uA790":"N","\uA7A4":"N","\u01CA":"NJ","\u01CB":"Nj","\u24C4":"O","\uFF2F":"O","\u00D2":"O","\u00D3":"O","\u00D4":"O","\u1ED2":"O","\u1ED0":"O","\u1ED6":"O","\u1ED4":"O","\u00D5":"O","\u1E4C":"O","\u022C":"O","\u1E4E":"O","\u014C":"O","\u1E50":"O","\u1E52":"O","\u014E":"O","\u022E":"O","\u0230":"O","\u00D6":"O","\u022A":"O","\u1ECE":"O","\u0150":"O","\u01D1":"O","\u020C":"O","\u020E":"O","\u01A0":"O","\u1EDC":"O","\u1EDA":"O","\u1EE0":"O","\u1EDE":"O","\u1EE2":"O","\u1ECC":"O","\u1ED8":"O","\u01EA":"O","\u01EC":"O","\u00D8":"O","\u01FE":"O","\u0186":"O","\u019F":"O","\uA74A":"O","\uA74C":"O","\u01A2":"OI","\uA74E":"OO","\u0222":"OU","\u24C5":"P","\uFF30":"P","\u1E54":"P","\u1E56":"P","\u01A4":"P","\u2C63":"P","\uA750":"P","\uA752":"P","\uA754":"P","\u24C6":"Q","\uFF31":"Q","\uA756":"Q","\uA758":"Q","\u024A":"Q","\u24C7":"R","\uFF32":"R","\u0154":"R","\u1E58":"R","\u0158":"R","\u0210":"R","\u0212":"R","\u1E5A":"R","\u1E5C":"R","\u0156":"R","\u1E5E":"R","\u024C":"R","\u2C64":"R","\uA75A":"R","\uA7A6":"R","\uA782":"R","\u24C8":"S","\uFF33":"S","\u1E9E":"S","\u015A":"S","\u1E64":"S","\u015C":"S","\u1E60":"S","\u0160":"S","\u1E66":"S","\u1E62":"S","\u1E68":"S","\u0218":"S","\u015E":"S","\u2C7E":"S","\uA7A8":"S","\uA784":"S","\u24C9":"T","\uFF34":"T","\u1E6A":"T","\u0164":"T","\u1E6C":"T","\u021A":"T","\u0162":"T","\u1E70":"T","\u1E6E":"T","\u0166":"T","\u01AC":"T","\u01AE":"T","\u023E":"T","\uA786":"T","\uA728":"TZ","\u24CA":"U","\uFF35":"U","\u00D9":"U","\u00DA":"U","\u00DB":"U","\u0168":"U","\u1E78":"U","\u016A":"U","\u1E7A":"U","\u016C":"U","\u00DC":"U","\u01DB":"U","\u01D7":"U","\u01D5":"U","\u01D9":"U","\u1EE6":"U","\u016E":"U","\u0170":"U","\u01D3":"U","\u0214":"U","\u0216":"U","\u01AF":"U","\u1EEA":"U","\u1EE8":"U","\u1EEE":"U","\u1EEC":"U","\u1EF0":"U","\u1EE4":"U","\u1E72":"U","\u0172":"U","\u1E76":"U","\u1E74":"U","\u0244":"U","\u24CB":"V","\uFF36":"V","\u1E7C":"V","\u1E7E":"V","\u01B2":"V","\uA75E":"V","\u0245":"V","\uA760":"VY","\u24CC":"W","\uFF37":"W","\u1E80":"W","\u1E82":"W","\u0174":"W","\u1E86":"W","\u1E84":"W","\u1E88":"W","\u2C72":"W","\u24CD":"X","\uFF38":"X","\u1E8A":"X","\u1E8C":"X","\u24CE":"Y","\uFF39":"Y","\u1EF2":"Y","\u00DD":"Y","\u0176":"Y","\u1EF8":"Y","\u0232":"Y","\u1E8E":"Y","\u0178":"Y","\u1EF6":"Y","\u1EF4":"Y","\u01B3":"Y","\u024E":"Y","\u1EFE":"Y","\u24CF":"Z","\uFF3A":"Z","\u0179":"Z","\u1E90":"Z","\u017B":"Z","\u017D":"Z","\u1E92":"Z","\u1E94":"Z","\u01B5":"Z","\u0224":"Z","\u2C7F":"Z","\u2C6B":"Z","\uA762":"Z","\u24D0":"a","\uFF41":"a","\u1E9A":"a","\u00E0":"a","\u00E1":"a","\u00E2":"a","\u1EA7":"a","\u1EA5":"a","\u1EAB":"a","\u1EA9":"a","\u00E3":"a","\u0101":"a","\u0103":"a","\u1EB1":"a","\u1EAF":"a","\u1EB5":"a","\u1EB3":"a","\u0227":"a","\u01E1":"a","\u00E4":"a","\u01DF":"a","\u1EA3":"a","\u00E5":"a","\u01FB":"a","\u01CE":"a","\u0201":"a","\u0203":"a","\u1EA1":"a","\u1EAD":"a","\u1EB7":"a","\u1E01":"a","\u0105":"a","\u2C65":"a","\u0250":"a","\uA733":"aa","\u00E6":"ae","\u01FD":"ae","\u01E3":"ae","\uA735":"ao","\uA737":"au","\uA739":"av","\uA73B":"av","\uA73D":"ay","\u24D1":"b","\uFF42":"b","\u1E03":"b","\u1E05":"b","\u1E07":"b","\u0180":"b","\u0183":"b","\u0253":"b","\u24D2":"c","\uFF43":"c","\u0107":"c","\u0109":"c","\u010B":"c","\u010D":"c","\u00E7":"c","\u1E09":"c","\u0188":"c","\u023C":"c","\uA73F":"c","\u2184":"c","\u24D3":"d","\uFF44":"d","\u1E0B":"d","\u010F":"d","\u1E0D":"d","\u1E11":"d","\u1E13":"d","\u1E0F":"d","\u0111":"d","\u018C":"d","\u0256":"d","\u0257":"d","\uA77A":"d","\u01F3":"dz","\u01C6":"dz","\u24D4":"e","\uFF45":"e","\u00E8":"e","\u00E9":"e","\u00EA":"e","\u1EC1":"e","\u1EBF":"e","\u1EC5":"e","\u1EC3":"e","\u1EBD":"e","\u0113":"e","\u1E15":"e","\u1E17":"e","\u0115":"e","\u0117":"e","\u00EB":"e","\u1EBB":"e","\u011B":"e","\u0205":"e","\u0207":"e","\u1EB9":"e","\u1EC7":"e","\u0229":"e","\u1E1D":"e","\u0119":"e","\u1E19":"e","\u1E1B":"e","\u0247":"e","\u025B":"e","\u01DD":"e","\u24D5":"f","\uFF46":"f","\u1E1F":"f","\u0192":"f","\uA77C":"f","\u24D6":"g","\uFF47":"g","\u01F5":"g","\u011D":"g","\u1E21":"g","\u011F":"g","\u0121":"g","\u01E7":"g","\u0123":"g","\u01E5":"g","\u0260":"g","\uA7A1":"g","\u1D79":"g","\uA77F":"g","\u24D7":"h","\uFF48":"h","\u0125":"h","\u1E23":"h","\u1E27":"h","\u021F":"h","\u1E25":"h","\u1E29":"h","\u1E2B":"h","\u1E96":"h","\u0127":"h","\u2C68":"h","\u2C76":"h","\u0265":"h","\u0195":"hv","\u24D8":"i","\uFF49":"i","\u00EC":"i","\u00ED":"i","\u00EE":"i","\u0129":"i","\u012B":"i","\u012D":"i","\u00EF":"i","\u1E2F":"i","\u1EC9":"i","\u01D0":"i","\u0209":"i","\u020B":"i","\u1ECB":"i","\u012F":"i","\u1E2D":"i","\u0268":"i","\u0131":"i","\u24D9":"j","\uFF4A":"j","\u0135":"j","\u01F0":"j","\u0249":"j","\u24DA":"k","\uFF4B":"k","\u1E31":"k","\u01E9":"k","\u1E33":"k","\u0137":"k","\u1E35":"k","\u0199":"k","\u2C6A":"k","\uA741":"k","\uA743":"k","\uA745":"k","\uA7A3":"k","\u24DB":"l","\uFF4C":"l","\u0140":"l","\u013A":"l","\u013E":"l","\u1E37":"l","\u1E39":"l","\u013C":"l","\u1E3D":"l","\u1E3B":"l","\u017F":"l","\u0142":"l","\u019A":"l","\u026B":"l","\u2C61":"l","\uA749":"l","\uA781":"l","\uA747":"l","\u01C9":"lj","\u24DC":"m","\uFF4D":"m","\u1E3F":"m","\u1E41":"m","\u1E43":"m","\u0271":"m","\u026F":"m","\u24DD":"n","\uFF4E":"n","\u01F9":"n","\u0144":"n","\u00F1":"n","\u1E45":"n","\u0148":"n","\u1E47":"n","\u0146":"n","\u1E4B":"n","\u1E49":"n","\u019E":"n","\u0272":"n","\u0149":"n","\uA791":"n","\uA7A5":"n","\u01CC":"nj","\u24DE":"o","\uFF4F":"o","\u00F2":"o","\u00F3":"o","\u00F4":"o","\u1ED3":"o","\u1ED1":"o","\u1ED7":"o","\u1ED5":"o","\u00F5":"o","\u1E4D":"o","\u022D":"o","\u1E4F":"o","\u014D":"o","\u1E51":"o","\u1E53":"o","\u014F":"o","\u022F":"o","\u0231":"o","\u00F6":"o","\u022B":"o","\u1ECF":"o","\u0151":"o","\u01D2":"o","\u020D":"o","\u020F":"o","\u01A1":"o","\u1EDD":"o","\u1EDB":"o","\u1EE1":"o","\u1EDF":"o","\u1EE3":"o","\u1ECD":"o","\u1ED9":"o","\u01EB":"o","\u01ED":"o","\u00F8":"o","\u01FF":"o","\u0254":"o","\uA74B":"o","\uA74D":"o","\u0275":"o","\u01A3":"oi","\u0223":"ou","\uA74F":"oo","\u24DF":"p","\uFF50":"p","\u1E55":"p","\u1E57":"p","\u01A5":"p","\u1D7D":"p","\uA751":"p","\uA753":"p","\uA755":"p","\u24E0":"q","\uFF51":"q","\u024B":"q","\uA757":"q","\uA759":"q","\u24E1":"r","\uFF52":"r","\u0155":"r","\u1E59":"r","\u0159":"r","\u0211":"r","\u0213":"r","\u1E5B":"r","\u1E5D":"r","\u0157":"r","\u1E5F":"r","\u024D":"r","\u027D":"r","\uA75B":"r","\uA7A7":"r","\uA783":"r","\u24E2":"s","\uFF53":"s","\u00DF":"s","\u015B":"s","\u1E65":"s","\u015D":"s","\u1E61":"s","\u0161":"s","\u1E67":"s","\u1E63":"s","\u1E69":"s","\u0219":"s","\u015F":"s","\u023F":"s","\uA7A9":"s","\uA785":"s","\u1E9B":"s","\u24E3":"t","\uFF54":"t","\u1E6B":"t","\u1E97":"t","\u0165":"t","\u1E6D":"t","\u021B":"t","\u0163":"t","\u1E71":"t","\u1E6F":"t","\u0167":"t","\u01AD":"t","\u0288":"t","\u2C66":"t","\uA787":"t","\uA729":"tz","\u24E4":"u","\uFF55":"u","\u00F9":"u","\u00FA":"u","\u00FB":"u","\u0169":"u","\u1E79":"u","\u016B":"u","\u1E7B":"u","\u016D":"u","\u00FC":"u","\u01DC":"u","\u01D8":"u","\u01D6":"u","\u01DA":"u","\u1EE7":"u","\u016F":"u","\u0171":"u","\u01D4":"u","\u0215":"u","\u0217":"u","\u01B0":"u","\u1EEB":"u","\u1EE9":"u","\u1EEF":"u","\u1EED":"u","\u1EF1":"u","\u1EE5":"u","\u1E73":"u","\u0173":"u","\u1E77":"u","\u1E75":"u","\u0289":"u","\u24E5":"v","\uFF56":"v","\u1E7D":"v","\u1E7F":"v","\u028B":"v","\uA75F":"v","\u028C":"v","\uA761":"vy","\u24E6":"w","\uFF57":"w","\u1E81":"w","\u1E83":"w","\u0175":"w","\u1E87":"w","\u1E85":"w","\u1E98":"w","\u1E89":"w","\u2C73":"w","\u24E7":"x","\uFF58":"x","\u1E8B":"x","\u1E8D":"x","\u24E8":"y","\uFF59":"y","\u1EF3":"y","\u00FD":"y","\u0177":"y","\u1EF9":"y","\u0233":"y","\u1E8F":"y","\u00FF":"y","\u1EF7":"y","\u1E99":"y","\u1EF5":"y","\u01B4":"y","\u024F":"y","\u1EFF":"y","\u24E9":"z","\uFF5A":"z","\u017A":"z","\u1E91":"z","\u017C":"z","\u017E":"z","\u1E93":"z","\u1E95":"z","\u01B6":"z","\u0225":"z","\u0240":"z","\u2C6C":"z","\uA763":"z","\u0386":"\u0391","\u0388":"\u0395","\u0389":"\u0397","\u038A":"\u0399","\u03AA":"\u0399","\u038C":"\u039F","\u038E":"\u03A5","\u03AB":"\u03A5","\u038F":"\u03A9","\u03AC":"\u03B1","\u03AD":"\u03B5","\u03AE":"\u03B7","\u03AF":"\u03B9","\u03CA":"\u03B9","\u0390":"\u03B9","\u03CC":"\u03BF","\u03CD":"\u03C5","\u03CB":"\u03C5","\u03B0":"\u03C5","\u03C9":"\u03C9","\u03C2":"\u03C3"};

    $document = $(document);

    nextUid=(function() { var counter=1; return function() { return counter++; }; }());


    function reinsertElement(element) {
        var placeholder = $(document.createTextNode(''));

        element.before(placeholder);
        placeholder.before(element);
        placeholder.remove();
    }

    function stripDiacritics(str) {
        // Used 'uni range + named function' from http://jsperf.com/diacritics/18
        function match(a) {
            return DIACRITICS[a] || a;
        }

        return str.replace(/[^\u0000-\u007E]/g, match);
    }

    function indexOf(value, array) {
        var i = 0, l = array.length;
        for (; i < l; i = i + 1) {
            if (equal(value, array[i])) return i;
        }
        return -1;
    }

    function measureScrollbar () {
        var $template = $( MEASURE_SCROLLBAR_TEMPLATE );
        $template.appendTo(document.body);

        var dim = {
            width: $template.width() - $template[0].clientWidth,
            height: $template.height() - $template[0].clientHeight
        };
        $template.remove();

        return dim;
    }

    /**
     * Compares equality of a and b
     * @param a
     * @param b
     */
    function equal(a, b) {
        if (a === b) return true;
        if (a === undefined || b === undefined) return false;
        if (a === null || b === null) return false;
        // Check whether 'a' or 'b' is a string (primitive or object).
        // The concatenation of an empty string (+'') converts its argument to a string's primitive.
        if (a.constructor === String) return a+'' === b+''; // a+'' - in case 'a' is a String object
        if (b.constructor === String) return b+'' === a+''; // b+'' - in case 'b' is a String object
        return false;
    }

    /**
     * Splits the string into an array of values, transforming each value. An empty array is returned for nulls or empty
     * strings
     * @param string
     * @param separator
     */
    function splitVal(string, separator, transform) {
        var val, i, l;
        if (string === null || string.length < 1) return [];
        val = string.split(separator);
        for (i = 0, l = val.length; i < l; i = i + 1) val[i] = transform(val[i]);
        return val;
    }

    function getSideBorderPadding(element) {
        return element.outerWidth(false) - element.width();
    }

    function installKeyUpChangeEvent(element) {
        var key="keyup-change-value";
        element.on("keydown", function () {
            if ($.data(element, key) === undefined) {
                $.data(element, key, element.val());
            }
        });
        element.on("keyup", function () {
            var val= $.data(element, key);
            if (val !== undefined && element.val() !== val) {
                $.removeData(element, key);
                element.trigger("keyup-change");
            }
        });
    }


    /**
     * filters mouse events so an event is fired only if the mouse moved.
     *
     * filters out mouse events that occur when mouse is stationary but
     * the elements under the pointer are scrolled.
     */
    function installFilteredMouseMove(element) {
        element.on("mousemove", function (e) {
            var lastpos = lastMousePosition;
            if (lastpos === undefined || lastpos.x !== e.pageX || lastpos.y !== e.pageY) {
                $(e.target).trigger("mousemove-filtered", e);
            }
        });
    }

    /**
     * Debounces a function. Returns a function that calls the original fn function only if no invocations have been made
     * within the last quietMillis milliseconds.
     *
     * @param quietMillis number of milliseconds to wait before invoking fn
     * @param fn function to be debounced
     * @param ctx object to be used as this reference within fn
     * @return debounced version of fn
     */
    function debounce(quietMillis, fn, ctx) {
        ctx = ctx || undefined;
        var timeout;
        return function () {
            var args = arguments;
            window.clearTimeout(timeout);
            timeout = window.setTimeout(function() {
                fn.apply(ctx, args);
            }, quietMillis);
        };
    }

    function installDebouncedScroll(threshold, element) {
        var notify = debounce(threshold, function (e) { element.trigger("scroll-debounced", e);});
        element.on("scroll", function (e) {
            if (indexOf(e.target, element.get()) >= 0) notify(e);
        });
    }

    function focus($el) {
        if ($el[0] === document.activeElement) return;

        /* set the focus in a 0 timeout - that way the focus is set after the processing
            of the current event has finished - which seems like the only reliable way
            to set focus */
        window.setTimeout(function() {
            var el=$el[0], pos=$el.val().length, range;

            $el.focus();

            /* make sure el received focus so we do not error out when trying to manipulate the caret.
                sometimes modals or others listeners may steal it after its set */
            var isVisible = (el.offsetWidth > 0 || el.offsetHeight > 0);
            if (isVisible && el === document.activeElement) {

                /* after the focus is set move the caret to the end, necessary when we val()
                    just before setting focus */
                if(el.setSelectionRange)
                {
                    el.setSelectionRange(pos, pos);
                }
                else if (el.createTextRange) {
                    range = el.createTextRange();
                    range.collapse(false);
                    range.select();
                }
            }
        }, 0);
    }

    function getCursorInfo(el) {
        el = $(el)[0];
        var offset = 0;
        var length = 0;
        if ('selectionStart' in el) {
            offset = el.selectionStart;
            length = el.selectionEnd - offset;
        } else if ('selection' in document) {
            el.focus();
            var sel = document.selection.createRange();
            length = document.selection.createRange().text.length;
            sel.moveStart('character', -el.value.length);
            offset = sel.text.length - length;
        }
        return { offset: offset, length: length };
    }

    function killEvent(event) {
        event.preventDefault();
        event.stopPropagation();
    }
    function killEventImmediately(event) {
        event.preventDefault();
        event.stopImmediatePropagation();
    }

    function measureTextWidth(e) {
        if (!sizer){
            var style = e[0].currentStyle || window.getComputedStyle(e[0], null);
            sizer = $(document.createElement("div")).css({
                position: "absolute",
                left: "-10000px",
                top: "-10000px",
                display: "none",
                fontSize: style.fontSize,
                fontFamily: style.fontFamily,
                fontStyle: style.fontStyle,
                fontWeight: style.fontWeight,
                letterSpacing: style.letterSpacing,
                textTransform: style.textTransform,
                whiteSpace: "nowrap"
            });
            sizer.attr("class","select2-sizer");
            $(document.body).append(sizer);
        }
        sizer.text(e.val());
        return sizer.width();
    }

    function syncCssClasses(dest, src, adapter) {
        var classes, replacements = [], adapted;

        classes = $.trim(dest.attr("class"));

        if (classes) {
            classes = '' + classes; // for IE which returns object

            $(classes.split(/\s+/)).each2(function() {
                if (this.indexOf("select2-") === 0) {
                    replacements.push(this);
                }
            });
        }

        classes = $.trim(src.attr("class"));

        if (classes) {
            classes = '' + classes; // for IE which returns object

            $(classes.split(/\s+/)).each2(function() {
                if (this.indexOf("select2-") !== 0) {
                    adapted = adapter(this);

                    if (adapted) {
                        replacements.push(adapted);
                    }
                }
            });
        }

        dest.attr("class", replacements.join(" "));
    }


    function markMatch(text, term, markup, escapeMarkup) {
        var match=stripDiacritics(text.toUpperCase()).indexOf(stripDiacritics(term.toUpperCase())),
            tl=term.length;

        if (match<0) {
            markup.push(escapeMarkup(text));
            return;
        }

        markup.push(escapeMarkup(text.substring(0, match)));
        markup.push("<span class='select2-match'>");
        markup.push(escapeMarkup(text.substring(match, match + tl)));
        markup.push("</span>");
        markup.push(escapeMarkup(text.substring(match + tl, text.length)));
    }

    function defaultEscapeMarkup(markup) {
        var replace_map = {
            '\\': '&#92;',
            '&': '&amp;',
            '<': '&lt;',
            '>': '&gt;',
            '"': '&quot;',
            "'": '&#39;',
            "/": '&#47;'
        };

        return String(markup).replace(/[&<>"'\/\\]/g, function (match) {
            return replace_map[match];
        });
    }

    /**
     * Produces an ajax-based query function
     *
     * @param options object containing configuration parameters
     * @param options.params parameter map for the transport ajax call, can contain such options as cache, jsonpCallback, etc. see $.ajax
     * @param options.transport function that will be used to execute the ajax request. must be compatible with parameters supported by $.ajax
     * @param options.url url for the data
     * @param options.data a function(searchTerm, pageNumber, context) that should return an object containing query string parameters for the above url.
     * @param options.dataType request data type: ajax, jsonp, other datatypes supported by jQuery's $.ajax function or the transport function if specified
     * @param options.quietMillis (optional) milliseconds to wait before making the ajaxRequest, helps debounce the ajax function if invoked too often
     * @param options.results a function(remoteData, pageNumber, query) that converts data returned form the remote request to the format expected by Select2.
     *      The expected format is an object containing the following keys:
     *      results array of objects that will be used as choices
     *      more (optional) boolean indicating whether there are more results available
     *      Example: {results:[{id:1, text:'Red'},{id:2, text:'Blue'}], more:true}
     */
    function ajax(options) {
        var timeout, // current scheduled but not yet executed request
            handler = null,
            quietMillis = options.quietMillis || 100,
            ajaxUrl = options.url,
            self = this;

        return function (query) {
            window.clearTimeout(timeout);
            timeout = window.setTimeout(function () {
                var data = options.data, // ajax data function
                    url = ajaxUrl, // ajax url string or function
                    transport = options.transport || $.fn.select2.ajaxDefaults.transport,
                    // deprecated - to be removed in 4.0  - use params instead
                    deprecated = {
                        type: options.type || 'GET', // set type of request (GET or POST)
                        cache: options.cache || false,
                        jsonpCallback: options.jsonpCallback||undefined,
                        dataType: options.dataType||"json"
                    },
                    params = $.extend({}, $.fn.select2.ajaxDefaults.params, deprecated);

                data = data ? data.call(self, query.term, query.page, query.context) : null;
                url = (typeof url === 'function') ? url.call(self, query.term, query.page, query.context) : url;

                if (handler && typeof handler.abort === "function") { handler.abort(); }

                if (options.params) {
                    if ($.isFunction(options.params)) {
                        $.extend(params, options.params.call(self));
                    } else {
                        $.extend(params, options.params);
                    }
                }

                $.extend(params, {
                    url: url,
                    dataType: options.dataType,
                    data: data,
                    success: function (data) {
                        // TODO - replace query.page with query so users have access to term, page, etc.
                        // added query as third paramter to keep backwards compatibility
                        var results = options.results(data, query.page, query);
                        query.callback(results);
                    },
                    error: function(jqXHR, textStatus, errorThrown){
                        var results = {
                            hasError: true,
                            jqXHR: jqXHR,
                            textStatus: textStatus,
                            errorThrown: errorThrown
                        };

                        query.callback(results);
                    }
                });
                handler = transport.call(self, params);
            }, quietMillis);
        };
    }

    /**
     * Produces a query function that works with a local array
     *
     * @param options object containing configuration parameters. The options parameter can either be an array or an
     * object.
     *
     * If the array form is used it is assumed that it contains objects with 'id' and 'text' keys.
     *
     * If the object form is used it is assumed that it contains 'data' and 'text' keys. The 'data' key should contain
     * an array of objects that will be used as choices. These objects must contain at least an 'id' key. The 'text'
     * key can either be a String in which case it is expected that each element in the 'data' array has a key with the
     * value of 'text' which will be used to match choices. Alternatively, text can be a function(item) that can extract
     * the text.
     */
    function local(options) {
        var data = options, // data elements
            dataText,
            tmp,
            text = function (item) { return ""+item.text; }; // function used to retrieve the text portion of a data item that is matched against the search

         if ($.isArray(data)) {
            tmp = data;
            data = { results: tmp };
        }

         if ($.isFunction(data) === false) {
            tmp = data;
            data = function() { return tmp; };
        }

        var dataItem = data();
        if (dataItem.text) {
            text = dataItem.text;
            // if text is not a function we assume it to be a key name
            if (!$.isFunction(text)) {
                dataText = dataItem.text; // we need to store this in a separate variable because in the next step data gets reset and data.text is no longer available
                text = function (item) { return item[dataText]; };
            }
        }

        return function (query) {
            var t = query.term, filtered = { results: [] }, process;
            if (t === "") {
                query.callback(data());
                return;
            }

            process = function(datum, collection) {
                var group, attr;
                datum = datum[0];
                if (datum.children) {
                    group = {};
                    for (attr in datum) {
                        if (datum.hasOwnProperty(attr)) group[attr]=datum[attr];
                    }
                    group.children=[];
                    $(datum.children).each2(function(i, childDatum) { process(childDatum, group.children); });
                    if (group.children.length || query.matcher(t, text(group), datum)) {
                        collection.push(group);
                    }
                } else {
                    if (query.matcher(t, text(datum), datum)) {
                        collection.push(datum);
                    }
                }
            };

            $(data().results).each2(function(i, datum) { process(datum, filtered.results); });
            query.callback(filtered);
        };
    }

    // TODO javadoc
    function tags(data) {
        var isFunc = $.isFunction(data);
        return function (query) {
            var t = query.term, filtered = {results: []};
            var result = isFunc ? data(query) : data;
            if ($.isArray(result)) {
                $(result).each(function () {
                    var isObject = this.text !== undefined,
                        text = isObject ? this.text : this;
                    if (t === "" || query.matcher(t, text)) {
                        filtered.results.push(isObject ? this : {id: this, text: this});
                    }
                });
                query.callback(filtered);
            }
        };
    }

    /**
     * Checks if the formatter function should be used.
     *
     * Throws an error if it is not a function. Returns true if it should be used,
     * false if no formatting should be performed.
     *
     * @param formatter
     */
    function checkFormatter(formatter, formatterName) {
        if ($.isFunction(formatter)) return true;
        if (!formatter) return false;
        if (typeof(formatter) === 'string') return true;
        throw new Error(formatterName +" must be a string, function, or falsy value");
    }

  /**
   * Returns a given value
   * If given a function, returns its output
   *
   * @param val string|function
   * @param context value of "this" to be passed to function
   * @returns {*}
   */
    function evaluate(val, context) {
        if ($.isFunction(val)) {
            var args = Array.prototype.slice.call(arguments, 2);
            return val.apply(context, args);
        }
        return val;
    }

    function countResults(results) {
        var count = 0;
        $.each(results, function(i, item) {
            if (item.children) {
                count += countResults(item.children);
            } else {
                count++;
            }
        });
        return count;
    }

    /**
     * Default tokenizer. This function uses breaks the input on substring match of any string from the
     * opts.tokenSeparators array and uses opts.createSearchChoice to create the choice object. Both of those
     * two options have to be defined in order for the tokenizer to work.
     *
     * @param input text user has typed so far or pasted into the search field
     * @param selection currently selected choices
     * @param selectCallback function(choice) callback tho add the choice to selection
     * @param opts select2's opts
     * @return undefined/null to leave the current input unchanged, or a string to change the input to the returned value
     */
    function defaultTokenizer(input, selection, selectCallback, opts) {
        var original = input, // store the original so we can compare and know if we need to tell the search to update its text
            dupe = false, // check for whether a token we extracted represents a duplicate selected choice
            token, // token
            index, // position at which the separator was found
            i, l, // looping variables
            separator; // the matched separator

        if (!opts.createSearchChoice || !opts.tokenSeparators || opts.tokenSeparators.length < 1) return undefined;

        while (true) {
            index = -1;

            for (i = 0, l = opts.tokenSeparators.length; i < l; i++) {
                separator = opts.tokenSeparators[i];
                index = input.indexOf(separator);
                if (index >= 0) break;
            }

            if (index < 0) break; // did not find any token separator in the input string, bail

            token = input.substring(0, index);
            input = input.substring(index + separator.length);

            if (token.length > 0) {
                token = opts.createSearchChoice.call(this, token, selection);
                if (token !== undefined && token !== null && opts.id(token) !== undefined && opts.id(token) !== null) {
                    dupe = false;
                    for (i = 0, l = selection.length; i < l; i++) {
                        if (equal(opts.id(token), opts.id(selection[i]))) {
                            dupe = true; break;
                        }
                    }

                    if (!dupe) selectCallback(token);
                }
            }
        }

        if (original!==input) return input;
    }

    function cleanupJQueryElements() {
        var self = this;

        $.each(arguments, function (i, element) {
            self[element].remove();
            self[element] = null;
        });
    }

    /**
     * Creates a new class
     *
     * @param superClass
     * @param methods
     */
    function clazz(SuperClass, methods) {
        var constructor = function () {};
        constructor.prototype = new SuperClass;
        constructor.prototype.constructor = constructor;
        constructor.prototype.parent = SuperClass.prototype;
        constructor.prototype = $.extend(constructor.prototype, methods);
        return constructor;
    }

    AbstractSelect2 = clazz(Object, {

        // abstract
        bind: function (func) {
            var self = this;
            return function () {
                func.apply(self, arguments);
            };
        },

        // abstract
        init: function (opts) {
            var results, search, resultsSelector = ".select2-results";

            // prepare options
            this.opts = opts = this.prepareOpts(opts);

            this.id=opts.id;

            // destroy if called on an existing component
            if (opts.element.data("select2") !== undefined &&
                opts.element.data("select2") !== null) {
                opts.element.data("select2").destroy();
            }

            this.container = this.createContainer();

            this.liveRegion = $('.select2-hidden-accessible');
            if (this.liveRegion.length == 0) {
                this.liveRegion = $("<span>", {
                        role: "status",
                        "aria-live": "polite"
                    })
                    .addClass("select2-hidden-accessible")
                    .appendTo(document.body);
            }

            this.containerId="s2id_"+(opts.element.attr("id") || "autogen"+nextUid());
            this.containerEventName= this.containerId
                .replace(/([.])/g, '_')
                .replace(/([;&,\-\.\+\*\~':"\!\^#$%@\[\]\(\)=>\|])/g, '\\$1');
            this.container.attr("id", this.containerId);

            this.container.attr("title", opts.element.attr("title"));

            this.body = $(document.body);

            syncCssClasses(this.container, this.opts.element, this.opts.adaptContainerCssClass);

            this.container.attr("style", opts.element.attr("style"));
            this.container.css(evaluate(opts.containerCss, this.opts.element));
            this.container.addClass(evaluate(opts.containerCssClass, this.opts.element));

            this.elementTabIndex = this.opts.element.attr("tabindex");

            // swap container for the element
            this.opts.element
                .data("select2", this)
                .attr("tabindex", "-1")
                .before(this.container)
                .on("click.select2", killEvent); // do not leak click events

            this.container.data("select2", this);

            this.dropdown = this.container.find(".select2-drop");

            syncCssClasses(this.dropdown, this.opts.element, this.opts.adaptDropdownCssClass);

            this.dropdown.addClass(evaluate(opts.dropdownCssClass, this.opts.element));
            this.dropdown.data("select2", this);
            this.dropdown.on("click", killEvent);

            this.results = results = this.container.find(resultsSelector);
            this.search = search = this.container.find("input.select2-input");

            this.queryCount = 0;
            this.resultsPage = 0;
            this.context = null;

            // initialize the container
            this.initContainer();

            this.container.on("click", killEvent);

            installFilteredMouseMove(this.results);

            this.dropdown.on("mousemove-filtered", resultsSelector, this.bind(this.highlightUnderEvent));
            this.dropdown.on("touchstart touchmove touchend", resultsSelector, this.bind(function (event) {
                this._touchEvent = true;
                this.highlightUnderEvent(event);
            }));
            this.dropdown.on("touchmove", resultsSelector, this.bind(this.touchMoved));
            this.dropdown.on("touchstart touchend", resultsSelector, this.bind(this.clearTouchMoved));

            // Waiting for a click event on touch devices to select option and hide dropdown
            // otherwise click will be triggered on an underlying element
            this.dropdown.on('click', this.bind(function (event) {
                if (this._touchEvent) {
                    this._touchEvent = false;
                    this.selectHighlighted();
                }
            }));

            installDebouncedScroll(80, this.results);
            this.dropdown.on("scroll-debounced", resultsSelector, this.bind(this.loadMoreIfNeeded));

            // do not propagate change event from the search field out of the component
            $(this.container).on("change", ".select2-input", function(e) {e.stopPropagation();});
            $(this.dropdown).on("change", ".select2-input", function(e) {e.stopPropagation();});

            // if jquery.mousewheel plugin is installed we can prevent out-of-bounds scrolling of results via mousewheel
            if ($.fn.mousewheel) {
                results.mousewheel(function (e, delta, deltaX, deltaY) {
                    var top = results.scrollTop();
                    if (deltaY > 0 && top - deltaY <= 0) {
                        results.scrollTop(0);
                        killEvent(e);
                    } else if (deltaY < 0 && results.get(0).scrollHeight - results.scrollTop() + deltaY <= results.height()) {
                        results.scrollTop(results.get(0).scrollHeight - results.height());
                        killEvent(e);
                    }
                });
            }

            installKeyUpChangeEvent(search);
            search.on("keyup-change input paste", this.bind(this.updateResults));
            search.on("focus", function () { search.addClass("select2-focused"); });
            search.on("blur", function () { search.removeClass("select2-focused");});

            this.dropdown.on("mouseup", resultsSelector, this.bind(function (e) {
                if ($(e.target).closest(".select2-result-selectable").length > 0) {
                    this.highlightUnderEvent(e);
                    this.selectHighlighted(e);
                }
            }));

            // trap all mouse events from leaving the dropdown. sometimes there may be a modal that is listening
            // for mouse events outside of itself so it can close itself. since the dropdown is now outside the select2's
            // dom it will trigger the popup close, which is not what we want
            // focusin can cause focus wars between modals and select2 since the dropdown is outside the modal.
            this.dropdown.on("click mouseup mousedown touchstart touchend focusin", function (e) { e.stopPropagation(); });

            this.nextSearchTerm = undefined;

            if ($.isFunction(this.opts.initSelection)) {
                // initialize selection based on the current value of the source element
                this.initSelection();

                // if the user has provided a function that can set selection based on the value of the source element
                // we monitor the change event on the element and trigger it, allowing for two way synchronization
                this.monitorSource();
            }

            if (opts.maximumInputLength !== null) {
                this.search.attr("maxlength", opts.maximumInputLength);
            }

            var disabled = opts.element.prop("disabled");
            if (disabled === undefined) disabled = false;
            this.enable(!disabled);

            var readonly = opts.element.prop("readonly");
            if (readonly === undefined) readonly = false;
            this.readonly(readonly);

            // Calculate size of scrollbar
            scrollBarDimensions = scrollBarDimensions || measureScrollbar();

            this.autofocus = opts.element.prop("autofocus");
            opts.element.prop("autofocus", false);
            if (this.autofocus) this.focus();

            this.search.attr("placeholder", opts.searchInputPlaceholder);
        },

        // abstract
        destroy: function () {
            var element=this.opts.element, select2 = element.data("select2"), self = this;

            this.close();

            if (element.length && element[0].detachEvent && self._sync) {
                element.each(function () {
                    if (self._sync) {
                        this.detachEvent("onpropertychange", self._sync);
                    }
                });
            }
            if (this.propertyObserver) {
                this.propertyObserver.disconnect();
                this.propertyObserver = null;
            }
            this._sync = null;

            if (select2 !== undefined) {
                select2.container.remove();
                select2.liveRegion.remove();
                select2.dropdown.remove();
                element
                    .show()
                    .removeData("select2")
                    .off(".select2")
                    .prop("autofocus", this.autofocus || false);
                if (this.elementTabIndex) {
                    element.attr({tabindex: this.elementTabIndex});
                } else {
                    element.removeAttr("tabindex");
                }
                element.show();
            }

            cleanupJQueryElements.call(this,
                "container",
                "liveRegion",
                "dropdown",
                "results",
                "search"
            );
        },

        // abstract
        optionToData: function(element) {
            if (element.is("option")) {
                return {
                    id:element.prop("value"),
                    text:element.text(),
                    element: element.get(),
                    css: element.attr("class"),
                    disabled: element.prop("disabled"),
                    locked: equal(element.attr("locked"), "locked") || equal(element.data("locked"), true)
                };
            } else if (element.is("optgroup")) {
                return {
                    text:element.attr("label"),
                    children:[],
                    element: element.get(),
                    css: element.attr("class")
                };
            }
        },

        // abstract
        prepareOpts: function (opts) {
            var element, select, idKey, ajaxUrl, self = this;

            element = opts.element;

            if (element.get(0).tagName.toLowerCase() === "select") {
                this.select = select = opts.element;
            }

            if (select) {
                // these options are not allowed when attached to a select because they are picked up off the element itself
                $.each(["id", "multiple", "ajax", "query", "createSearchChoice", "initSelection", "data", "tags"], function () {
                    if (this in opts) {
                        throw new Error("Option '" + this + "' is not allowed for Select2 when attached to a <select> element.");
                    }
                });
            }

            opts = $.extend({}, {
                populateResults: function(container, results, query) {
                    var populate, id=this.opts.id, liveRegion=this.liveRegion;

                    populate=function(results, container, depth) {

                        var i, l, result, selectable, disabled, compound, node, label, innerContainer, formatted;

                        results = opts.sortResults(results, container, query);

                        // collect the created nodes for bulk append
                        var nodes = [];
                        for (i = 0, l = results.length; i < l; i = i + 1) {

                            result=results[i];

                            disabled = (result.disabled === true);
                            selectable = (!disabled) && (id(result) !== undefined);

                            compound=result.children && result.children.length > 0;

                            node=$("<li></li>");
                            node.addClass("select2-results-dept-"+depth);
                            node.addClass("select2-result");
                            node.addClass(selectable ? "select2-result-selectable" : "select2-result-unselectable");
                            if (disabled) { node.addClass("select2-disabled"); }
                            if (compound) { node.addClass("select2-result-with-children"); }
                            node.addClass(self.opts.formatResultCssClass(result));
                            node.attr("role", "presentation");

                            label=$(document.createElement("div"));
                            label.addClass("select2-result-label");
                            label.attr("id", "select2-result-label-" + nextUid());
                            label.attr("role", "option");

                            formatted=opts.formatResult(result, label, query, self.opts.escapeMarkup);
                            if (formatted!==undefined) {
                                label.html(formatted);
                                node.append(label);
                            }


                            if (compound) {

                                innerContainer=$("<ul></ul>");
                                innerContainer.addClass("select2-result-sub");
                                populate(result.children, innerContainer, depth+1);
                                node.append(innerContainer);
                            }

                            node.data("select2-data", result);
                            nodes.push(node[0]);
                        }

                        // bulk append the created nodes
                        container.append(nodes);
                        liveRegion.text(opts.formatMatches(results.length));
                    };

                    populate(results, container, 0);
                }
            }, $.fn.select2.defaults, opts);

            if (typeof(opts.id) !== "function") {
                idKey = opts.id;
                opts.id = function (e) { return e[idKey]; };
            }

            if ($.isArray(opts.element.data("select2Tags"))) {
                if ("tags" in opts) {
                    throw "tags specified as both an attribute 'data-select2-tags' and in options of Select2 " + opts.element.attr("id");
                }
                opts.tags=opts.element.data("select2Tags");
            }

            if (select) {
                opts.query = this.bind(function (query) {
                    var data = { results: [], more: false },
                        term = query.term,
                        children, placeholderOption, process;

                    process=function(element, collection) {
                        var group;
                        if (element.is("option")) {
                            if (query.matcher(term, element.text(), element)) {
                                collection.push(self.optionToData(element));
                            }
                        } else if (element.is("optgroup")) {
                            group=self.optionToData(element);
                            element.children().each2(function(i, elm) { process(elm, group.children); });
                            if (group.children.length>0) {
                                collection.push(group);
                            }
                        }
                    };

                    children=element.children();

                    // ignore the placeholder option if there is one
                    if (this.getPlaceholder() !== undefined && children.length > 0) {
                        placeholderOption = this.getPlaceholderOption();
                        if (placeholderOption) {
                            children=children.not(placeholderOption);
                        }
                    }

                    children.each2(function(i, elm) { process(elm, data.results); });

                    query.callback(data);
                });
                // this is needed because inside val() we construct choices from options and their id is hardcoded
                opts.id=function(e) { return e.id; };
            } else {
                if (!("query" in opts)) {

                    if ("ajax" in opts) {
                        ajaxUrl = opts.element.data("ajax-url");
                        if (ajaxUrl && ajaxUrl.length > 0) {
                            opts.ajax.url = ajaxUrl;
                        }
                        opts.query = ajax.call(opts.element, opts.ajax);
                    } else if ("data" in opts) {
                        opts.query = local(opts.data);
                    } else if ("tags" in opts) {
                        opts.query = tags(opts.tags);
                        if (opts.createSearchChoice === undefined) {
                            opts.createSearchChoice = function (term) { return {id: $.trim(term), text: $.trim(term)}; };
                        }
                        if (opts.initSelection === undefined) {
                            opts.initSelection = function (element, callback) {
                                var data = [];
                                $(splitVal(element.val(), opts.separator, opts.transformVal)).each(function () {
                                    var obj = { id: this, text: this },
                                        tags = opts.tags;
                                    if ($.isFunction(tags)) tags=tags();
                                    $(tags).each(function() { if (equal(this.id, obj.id)) { obj = this; return false; } });
                                    data.push(obj);
                                });

                                callback(data);
                            };
                        }
                    }
                }
            }
            if (typeof(opts.query) !== "function") {
                throw "query function not defined for Select2 " + opts.element.attr("id");
            }

            if (opts.createSearchChoicePosition === 'top') {
                opts.createSearchChoicePosition = function(list, item) { list.unshift(item); };
            }
            else if (opts.createSearchChoicePosition === 'bottom') {
                opts.createSearchChoicePosition = function(list, item) { list.push(item); };
            }
            else if (typeof(opts.createSearchChoicePosition) !== "function")  {
                throw "invalid createSearchChoicePosition option must be 'top', 'bottom' or a custom function";
            }

            return opts;
        },

        /**
         * Monitor the original element for changes and update select2 accordingly
         */
        // abstract
        monitorSource: function () {
            var el = this.opts.element, observer, self = this;

            el.on("change.select2", this.bind(function (e) {
                if (this.opts.element.data("select2-change-triggered") !== true) {
                    this.initSelection();
                }
            }));

            this._sync = this.bind(function () {

                // sync enabled state
                var disabled = el.prop("disabled");
                if (disabled === undefined) disabled = false;
                this.enable(!disabled);

                var readonly = el.prop("readonly");
                if (readonly === undefined) readonly = false;
                this.readonly(readonly);

                if (this.container) {
                    syncCssClasses(this.container, this.opts.element, this.opts.adaptContainerCssClass);
                    this.container.addClass(evaluate(this.opts.containerCssClass, this.opts.element));
                }

                if (this.dropdown) {
                    syncCssClasses(this.dropdown, this.opts.element, this.opts.adaptDropdownCssClass);
                    this.dropdown.addClass(evaluate(this.opts.dropdownCssClass, this.opts.element));
                }

            });

            // IE8-10 (IE9/10 won't fire propertyChange via attachEventListener)
            if (el.length && el[0].attachEvent) {
                el.each(function() {
                    this.attachEvent("onpropertychange", self._sync);
                });
            }

            // safari, chrome, firefox, IE11
            observer = window.MutationObserver || window.WebKitMutationObserver|| window.MozMutationObserver;
            if (observer !== undefined) {
                if (this.propertyObserver) { delete this.propertyObserver; this.propertyObserver = null; }
                this.propertyObserver = new observer(function (mutations) {
                    $.each(mutations, self._sync);
                });
                this.propertyObserver.observe(el.get(0), { attributes:true, subtree:false });
            }
        },

        // abstract
        triggerSelect: function(data) {
            var evt = $.Event("select2-selecting", { val: this.id(data), object: data, choice: data });
            this.opts.element.trigger(evt);
            return !evt.isDefaultPrevented();
        },

        /**
         * Triggers the change event on the source element
         */
        // abstract
        triggerChange: function (details) {

            details = details || {};
            details= $.extend({}, details, { type: "change", val: this.val() });
            // prevents recursive triggering
            this.opts.element.data("select2-change-triggered", true);
            this.opts.element.trigger(details);
            this.opts.element.data("select2-change-triggered", false);

            // some validation frameworks ignore the change event and listen instead to keyup, click for selects
            // so here we trigger the click event manually
            this.opts.element.click();

            // ValidationEngine ignores the change event and listens instead to blur
            // so here we trigger the blur event manually if so desired
            if (this.opts.blurOnChange)
                this.opts.element.blur();
        },

        //abstract
        isInterfaceEnabled: function()
        {
            return this.enabledInterface === true;
        },

        // abstract
        enableInterface: function() {
            var enabled = this._enabled && !this._readonly,
                disabled = !enabled;

            if (enabled === this.enabledInterface) return false;

            this.container.toggleClass("select2-container-disabled", disabled);
            this.close();
            this.enabledInterface = enabled;

            return true;
        },

        // abstract
        enable: function(enabled) {
            if (enabled === undefined) enabled = true;
            if (this._enabled === enabled) return;
            this._enabled = enabled;

            this.opts.element.prop("disabled", !enabled);
            this.enableInterface();
        },

        // abstract
        disable: function() {
            this.enable(false);
        },

        // abstract
        readonly: function(enabled) {
            if (enabled === undefined) enabled = false;
            if (this._readonly === enabled) return;
            this._readonly = enabled;

            this.opts.element.prop("readonly", enabled);
            this.enableInterface();
        },

        // abstract
        opened: function () {
            return (this.container) ? this.container.hasClass("select2-dropdown-open") : false;
        },

        // abstract
        positionDropdown: function() {
            var $dropdown = this.dropdown,
                container = this.container,
                offset = container.offset(),
                height = container.outerHeight(false),
                width = container.outerWidth(false),
                dropHeight = $dropdown.outerHeight(false),
                $window = $(window),
                windowWidth = $window.width(),
                windowHeight = $window.height(),
                viewPortRight = $window.scrollLeft() + windowWidth,
                viewportBottom = $window.scrollTop() + windowHeight,
                dropTop = offset.top + height,
                dropLeft = offset.left,
                enoughRoomBelow = dropTop + dropHeight <= viewportBottom,
                enoughRoomAbove = (offset.top - dropHeight) >= $window.scrollTop(),
                dropWidth = $dropdown.outerWidth(false),
                enoughRoomOnRight = function() {
                    return dropLeft + dropWidth <= viewPortRight;
                },
                enoughRoomOnLeft = function() {
                    return offset.left + viewPortRight + container.outerWidth(false)  > dropWidth;
                },
                aboveNow = $dropdown.hasClass("select2-drop-above"),
                bodyOffset,
                above,
                changeDirection,
                css,
                resultsListNode;

            // always prefer the current above/below alignment, unless there is not enough room
            if (aboveNow) {
                above = true;
                if (!enoughRoomAbove && enoughRoomBelow) {
                    changeDirection = true;
                    above = false;
                }
            } else {
                above = false;
                if (!enoughRoomBelow && enoughRoomAbove) {
                    changeDirection = true;
                    above = true;
                }
            }

            //if we are changing direction we need to get positions when dropdown is hidden;
            if (changeDirection) {
                $dropdown.hide();
                offset = this.container.offset();
                height = this.container.outerHeight(false);
                width = this.container.outerWidth(false);
                dropHeight = $dropdown.outerHeight(false);
                viewPortRight = $window.scrollLeft() + windowWidth;
                viewportBottom = $window.scrollTop() + windowHeight;
                dropTop = offset.top + height;
                dropLeft = offset.left;
                dropWidth = $dropdown.outerWidth(false);
                $dropdown.show();

                // fix so the cursor does not move to the left within the search-textbox in IE
                this.focusSearch();
            }

            if (this.opts.dropdownAutoWidth) {
                resultsListNode = $('.select2-results', $dropdown)[0];
                $dropdown.addClass('select2-drop-auto-width');
                $dropdown.css('width', '');
                // Add scrollbar width to dropdown if vertical scrollbar is present
                dropWidth = $dropdown.outerWidth(false) + (resultsListNode.scrollHeight === resultsListNode.clientHeight ? 0 : scrollBarDimensions.width);
                dropWidth > width ? width = dropWidth : dropWidth = width;
                dropHeight = $dropdown.outerHeight(false);
            }
            else {
                this.container.removeClass('select2-drop-auto-width');
            }

            //console.log("below/ droptop:", dropTop, "dropHeight", dropHeight, "sum", (dropTop+dropHeight)+" viewport bottom", viewportBottom, "enough?", enoughRoomBelow);
            //console.log("above/ offset.top", offset.top, "dropHeight", dropHeight, "top", (offset.top-dropHeight), "scrollTop", this.body.scrollTop(), "enough?", enoughRoomAbove);

            // fix positioning when body has an offset and is not position: static
            if (this.body.css('position') !== 'static') {
                bodyOffset = this.body.offset();
                dropTop -= bodyOffset.top;
                dropLeft -= bodyOffset.left;
            }

            if (!enoughRoomOnRight() && enoughRoomOnLeft()) {
                dropLeft = offset.left + this.container.outerWidth(false) - dropWidth;
            }

            css =  {
                left: dropLeft,
                width: width
            };

            if (above) {
                css.top = offset.top - dropHeight;
                css.bottom = 'auto';
                this.container.addClass("select2-drop-above");
                $dropdown.addClass("select2-drop-above");
            }
            else {
                css.top = dropTop;
                css.bottom = 'auto';
                this.container.removeClass("select2-drop-above");
                $dropdown.removeClass("select2-drop-above");
            }
            css = $.extend(css, evaluate(this.opts.dropdownCss, this.opts.element));

            $dropdown.css(css);
        },

        // abstract
        shouldOpen: function() {
            var event;

            if (this.opened()) return false;

            if (this._enabled === false || this._readonly === true) return false;

            event = $.Event("select2-opening");
            this.opts.element.trigger(event);
            return !event.isDefaultPrevented();
        },

        // abstract
        clearDropdownAlignmentPreference: function() {
            // clear the classes used to figure out the preference of where the dropdown should be opened
            this.container.removeClass("select2-drop-above");
            this.dropdown.removeClass("select2-drop-above");
        },

        /**
         * Opens the dropdown
         *
         * @return {Boolean} whether or not dropdown was opened. This method will return false if, for example,
         * the dropdown is already open, or if the 'open' event listener on the element called preventDefault().
         */
        // abstract
        open: function () {

            if (!this.shouldOpen()) return false;

            this.opening();

            // Only bind the document mousemove when the dropdown is visible
            $document.on("mousemove.select2Event", function (e) {
                lastMousePosition.x = e.pageX;
                lastMousePosition.y = e.pageY;
            });

            return true;
        },

        /**
         * Performs the opening of the dropdown
         */
        // abstract
        opening: function() {
            var cid = this.containerEventName,
                scroll = "scroll." + cid,
                resize = "resize."+cid,
                orient = "orientationchange."+cid,
                mask;

            this.container.addClass("select2-dropdown-open").addClass("select2-container-active");

            this.clearDropdownAlignmentPreference();

            if(this.dropdown[0] !== this.body.children().last()[0]) {
                this.dropdown.detach().appendTo(this.body);
            }

            // create the dropdown mask if doesn't already exist
            mask = $("#select2-drop-mask");
            if (mask.length === 0) {
                mask = $(document.createElement("div"));
                mask.attr("id","select2-drop-mask").attr("class","select2-drop-mask");
                mask.hide();
                mask.appendTo(this.body);
                mask.on("mousedown touchstart click", function (e) {
                    // Prevent IE from generating a click event on the body
                    reinsertElement(mask);

                    var dropdown = $("#select2-drop"), self;
                    if (dropdown.length > 0) {
                        self=dropdown.data("select2");
                        if (self.opts.selectOnBlur) {
                            self.selectHighlighted({noFocus: true});
                        }
                        self.close();
                        e.preventDefault();
                        e.stopPropagation();
                    }
                });
            }

            // ensure the mask is always right before the dropdown
            if (this.dropdown.prev()[0] !== mask[0]) {
                this.dropdown.before(mask);
            }

            // move the global id to the correct dropdown
            $("#select2-drop").removeAttr("id");
            this.dropdown.attr("id", "select2-drop");

            // show the elements
            mask.show();

            this.positionDropdown();
            this.dropdown.show();
            this.positionDropdown();

            this.dropdown.addClass("select2-drop-active");

            // attach listeners to events that can change the position of the container and thus require
            // the position of the dropdown to be updated as well so it does not come unglued from the container
            var that = this;
            this.container.parents().add(window).each(function () {
                $(this).on(resize+" "+scroll+" "+orient, function (e) {
                    if (that.opened()) that.positionDropdown();
                });
            });


        },

        // abstract
        close: function () {
            if (!this.opened()) return;

            var cid = this.containerEventName,
                scroll = "scroll." + cid,
                resize = "resize."+cid,
                orient = "orientationchange."+cid;

            // unbind event listeners
            this.container.parents().add(window).each(function () { $(this).off(scroll).off(resize).off(orient); });

            this.clearDropdownAlignmentPreference();

            $("#select2-drop-mask").hide();
            this.dropdown.removeAttr("id"); // only the active dropdown has the select2-drop id
            this.dropdown.hide();
            this.container.removeClass("select2-dropdown-open").removeClass("select2-container-active");
            this.results.empty();

            // Now that the dropdown is closed, unbind the global document mousemove event
            $document.off("mousemove.select2Event");

            this.clearSearch();
            this.search.removeClass("select2-active");
            this.opts.element.trigger($.Event("select2-close"));
        },

        /**
         * Opens control, sets input value, and updates results.
         */
        // abstract
        externalSearch: function (term) {
            this.open();
            this.search.val(term);
            this.updateResults(false);
        },

        // abstract
        clearSearch: function () {

        },

        //abstract
        getMaximumSelectionSize: function() {
            return evaluate(this.opts.maximumSelectionSize, this.opts.element);
        },

        // abstract
        ensureHighlightVisible: function () {
            var results = this.results, children, index, child, hb, rb, y, more, topOffset;

            index = this.highlight();

            if (index < 0) return;

            if (index == 0) {

                // if the first element is highlighted scroll all the way to the top,
                // that way any unselectable headers above it will also be scrolled
                // into view

                results.scrollTop(0);
                return;
            }

            children = this.findHighlightableChoices().find('.select2-result-label');

            child = $(children[index]);

            topOffset = (child.offset() || {}).top || 0;

            hb = topOffset + child.outerHeight(true);

            // if this is the last child lets also make sure select2-more-results is visible
            if (index === children.length - 1) {
                more = results.find("li.select2-more-results");
                if (more.length > 0) {
                    hb = more.offset().top + more.outerHeight(true);
                }
            }

            rb = results.offset().top + results.outerHeight(false);
            if (hb > rb) {
                results.scrollTop(results.scrollTop() + (hb - rb));
            }
            y = topOffset - results.offset().top;

            // make sure the top of the element is visible
            if (y < 0 && child.css('display') != 'none' ) {
                results.scrollTop(results.scrollTop() + y); // y is negative
            }
        },

        // abstract
        findHighlightableChoices: function() {
            return this.results.find(".select2-result-selectable:not(.select2-disabled):not(.select2-selected)");
        },

        // abstract
        moveHighlight: function (delta) {
            var choices = this.findHighlightableChoices(),
                index = this.highlight();

            while (index > -1 && index < choices.length) {
                index += delta;
                var choice = $(choices[index]);
                if (choice.hasClass("select2-result-selectable") && !choice.hasClass("select2-disabled") && !choice.hasClass("select2-selected")) {
                    this.highlight(index);
                    break;
                }
            }
        },

        // abstract
        highlight: function (index) {
            var choices = this.findHighlightableChoices(),
                choice,
                data;

            if (arguments.length === 0) {
                return indexOf(choices.filter(".select2-highlighted")[0], choices.get());
            }

            if (index >= choices.length) index = choices.length - 1;
            if (index < 0) index = 0;

            this.removeHighlight();

            choice = $(choices[index]);
            choice.addClass("select2-highlighted");

            // ensure assistive technology can determine the active choice
            this.search.attr("aria-activedescendant", choice.find(".select2-result-label").attr("id"));

            this.ensureHighlightVisible();

            this.liveRegion.text(choice.text());

            data = choice.data("select2-data");
            if (data) {
                this.opts.element.trigger({ type: "select2-highlight", val: this.id(data), choice: data });
            }
        },

        removeHighlight: function() {
            this.results.find(".select2-highlighted").removeClass("select2-highlighted");
        },

        touchMoved: function() {
            this._touchMoved = true;
        },

        clearTouchMoved: function() {
          this._touchMoved = false;
        },

        // abstract
        countSelectableResults: function() {
            return this.findHighlightableChoices().length;
        },

        // abstract
        highlightUnderEvent: function (event) {
            var el = $(event.target).closest(".select2-result-selectable");
            if (el.length > 0 && !el.is(".select2-highlighted")) {
                var choices = this.findHighlightableChoices();
                this.highlight(choices.index(el));
            } else if (el.length == 0) {
                // if we are over an unselectable item remove all highlights
                this.removeHighlight();
            }
        },

        // abstract
        loadMoreIfNeeded: function () {
            var results = this.results,
                more = results.find("li.select2-more-results"),
                below, // pixels the element is below the scroll fold, below==0 is when the element is starting to be visible
                page = this.resultsPage + 1,
                self=this,
                term=this.search.val(),
                context=this.context;

            if (more.length === 0) return;
            below = more.offset().top - results.offset().top - results.height();

            if (below <= this.opts.loadMorePadding) {
                more.addClass("select2-active");
                this.opts.query({
                        element: this.opts.element,
                        term: term,
                        page: page,
                        context: context,
                        matcher: this.opts.matcher,
                        callback: this.bind(function (data) {

                    // ignore a response if the select2 has been closed before it was received
                    if (!self.opened()) return;


                    self.opts.populateResults.call(this, results, data.results, {term: term, page: page, context:context});
                    self.postprocessResults(data, false, false);

                    if (data.more===true) {
                        more.detach().appendTo(results).html(self.opts.escapeMarkup(evaluate(self.opts.formatLoadMore, self.opts.element, page+1)));
                        window.setTimeout(function() { self.loadMoreIfNeeded(); }, 10);
                    } else {
                        more.remove();
                    }
                    self.positionDropdown();
                    self.resultsPage = page;
                    self.context = data.context;
                    this.opts.element.trigger({ type: "select2-loaded", items: data });
                })});
            }
        },

        /**
         * Default tokenizer function which does nothing
         */
        tokenize: function() {

        },

        /**
         * @param initial whether or not this is the call to this method right after the dropdown has been opened
         */
        // abstract
        updateResults: function (initial) {
            var search = this.search,
                results = this.results,
                opts = this.opts,
                data,
                self = this,
                input,
                term = search.val(),
                lastTerm = $.data(this.container, "select2-last-term"),
                // sequence number used to drop out-of-order responses
                queryNumber;

            // prevent duplicate queries against the same term
            if (initial !== true && lastTerm && equal(term, lastTerm)) return;

            $.data(this.container, "select2-last-term", term);

            // if the search is currently hidden we do not alter the results
            if (initial !== true && (this.showSearchInput === false || !this.opened())) {
                return;
            }

            function postRender() {
                search.removeClass("select2-active");
                self.positionDropdown();
                if (results.find('.select2-no-results,.select2-selection-limit,.select2-searching').length) {
                    self.liveRegion.text(results.text());
                }
                else {
                    self.liveRegion.text(self.opts.formatMatches(results.find('.select2-result-selectable:not(".select2-selected")').length));
                }
            }

            function render(html) {
                results.html(html);
                postRender();
            }

            queryNumber = ++this.queryCount;

            var maxSelSize = this.getMaximumSelectionSize();
            if (maxSelSize >=1) {
                data = this.data();
                if ($.isArray(data) && data.length >= maxSelSize && checkFormatter(opts.formatSelectionTooBig, "formatSelectionTooBig")) {
                    render("<li class='select2-selection-limit'>" + evaluate(opts.formatSelectionTooBig, opts.element, maxSelSize) + "</li>");
                    return;
                }
            }

            if (search.val().length < opts.minimumInputLength) {
                if (checkFormatter(opts.formatInputTooShort, "formatInputTooShort")) {
                    render("<li class='select2-no-results'>" + evaluate(opts.formatInputTooShort, opts.element, search.val(), opts.minimumInputLength) + "</li>");
                } else {
                    render("");
                }
                if (initial && this.showSearch) this.showSearch(true);
                return;
            }

            if (opts.maximumInputLength && search.val().length > opts.maximumInputLength) {
                if (checkFormatter(opts.formatInputTooLong, "formatInputTooLong")) {
                    render("<li class='select2-no-results'>" + evaluate(opts.formatInputTooLong, opts.element, search.val(), opts.maximumInputLength) + "</li>");
                } else {
                    render("");
                }
                return;
            }

            if (opts.formatSearching && this.findHighlightableChoices().length === 0) {
                render("<li class='select2-searching'>" + evaluate(opts.formatSearching, opts.element) + "</li>");
            }

            search.addClass("select2-active");

            this.removeHighlight();

            // give the tokenizer a chance to pre-process the input
            input = this.tokenize();
            if (input != undefined && input != null) {
                search.val(input);
            }

            this.resultsPage = 1;

            opts.query({
                element: opts.element,
                    term: search.val(),
                    page: this.resultsPage,
                    context: null,
                    matcher: opts.matcher,
                    callback: this.bind(function (data) {
                var def; // default choice

                // ignore old responses
                if (queryNumber != this.queryCount) {
                  return;
                }

                // ignore a response if the select2 has been closed before it was received
                if (!this.opened()) {
                    this.search.removeClass("select2-active");
                    return;
                }

                // handle ajax error
                if(data.hasError !== undefined && checkFormatter(opts.formatAjaxError, "formatAjaxError")) {
                    render("<li class='select2-ajax-error'>" + evaluate(opts.formatAjaxError, opts.element, data.jqXHR, data.textStatus, data.errorThrown) + "</li>");
                    return;
                }

                // save context, if any
                this.context = (data.context===undefined) ? null : data.context;
                // create a default choice and prepend it to the list
                if (this.opts.createSearchChoice && search.val() !== "") {
                    def = this.opts.createSearchChoice.call(self, search.val(), data.results);
                    if (def !== undefined && def !== null && self.id(def) !== undefined && self.id(def) !== null) {
                        if ($(data.results).filter(
                            function () {
                                return equal(self.id(this), self.id(def));
                            }).length === 0) {
                            this.opts.createSearchChoicePosition(data.results, def);
                        }
                    }
                }

                if (data.results.length === 0 && checkFormatter(opts.formatNoMatches, "formatNoMatches")) {
                    render("<li class='select2-no-results'>" + evaluate(opts.formatNoMatches, opts.element, search.val()) + "</li>");
                    return;
                }

                results.empty();
                self.opts.populateResults.call(this, results, data.results, {term: search.val(), page: this.resultsPage, context:null});

                if (data.more === true && checkFormatter(opts.formatLoadMore, "formatLoadMore")) {
                    results.append("<li class='select2-more-results'>" + opts.escapeMarkup(evaluate(opts.formatLoadMore, opts.element, this.resultsPage)) + "</li>");
                    window.setTimeout(function() { self.loadMoreIfNeeded(); }, 10);
                }

                this.postprocessResults(data, initial);

                postRender();

                this.opts.element.trigger({ type: "select2-loaded", items: data });
            })});
        },

        // abstract
        cancel: function () {
            this.close();
        },

        // abstract
        blur: function () {
            // if selectOnBlur == true, select the currently highlighted option
            if (this.opts.selectOnBlur)
                this.selectHighlighted({noFocus: true});

            this.close();
            this.container.removeClass("select2-container-active");
            // synonymous to .is(':focus'), which is available in jquery >= 1.6
            if (this.search[0] === document.activeElement) { this.search.blur(); }
            this.clearSearch();
            this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus");
        },

        // abstract
        focusSearch: function () {
            focus(this.search);
        },

        // abstract
        selectHighlighted: function (options) {
            if (this._touchMoved) {
              this.clearTouchMoved();
              return;
            }
            var index=this.highlight(),
                highlighted=this.results.find(".select2-highlighted"),
                data = highlighted.closest('.select2-result').data("select2-data");

            if (data) {
                this.highlight(index);
                this.onSelect(data, options);
            } else if (options && options.noFocus) {
                this.close();
            }
        },

        // abstract
        getPlaceholder: function () {
            var placeholderOption;
            return this.opts.element.attr("placeholder") ||
                this.opts.element.attr("data-placeholder") || // jquery 1.4 compat
                this.opts.element.data("placeholder") ||
                this.opts.placeholder ||
                ((placeholderOption = this.getPlaceholderOption()) !== undefined ? placeholderOption.text() : undefined);
        },

        // abstract
        getPlaceholderOption: function() {
            if (this.select) {
                var firstOption = this.select.children('option').first();
                if (this.opts.placeholderOption !== undefined ) {
                    //Determine the placeholder option based on the specified placeholderOption setting
                    return (this.opts.placeholderOption === "first" && firstOption) ||
                           (typeof this.opts.placeholderOption === "function" && this.opts.placeholderOption(this.select));
                } else if ($.trim(firstOption.text()) === "" && firstOption.val() === "") {
                    //No explicit placeholder option specified, use the first if it's blank
                    return firstOption;
                }
            }
        },

        /**
         * Get the desired width for the container element.  This is
         * derived first from option `width` passed to select2, then
         * the inline 'style' on the original element, and finally
         * falls back to the jQuery calculated element width.
         */
        // abstract
        initContainerWidth: function () {
            function resolveContainerWidth() {
                var style, attrs, matches, i, l, attr;

                if (this.opts.width === "off") {
                    return null;
                } else if (this.opts.width === "element"){
                    return this.opts.element.outerWidth(false) === 0 ? 'auto' : this.opts.element.outerWidth(false) + 'px';
                } else if (this.opts.width === "copy" || this.opts.width === "resolve") {
                    // check if there is inline style on the element that contains width
                    style = this.opts.element.attr('style');
                    if (style !== undefined) {
                        attrs = style.split(';');
                        for (i = 0, l = attrs.length; i < l; i = i + 1) {
                            attr = attrs[i].replace(/\s/g, '');
                            matches = attr.match(/^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i);
                            if (matches !== null && matches.length >= 1)
                                return matches[1];
                        }
                    }

                    if (this.opts.width === "resolve") {
                        // next check if css('width') can resolve a width that is percent based, this is sometimes possible
                        // when attached to input type=hidden or elements hidden via css
                        style = this.opts.element.css('width');
                        if (style.indexOf("%") > 0) return style;

                        // finally, fallback on the calculated width of the element
                        return (this.opts.element.outerWidth(false) === 0 ? 'auto' : this.opts.element.outerWidth(false) + 'px');
                    }

                    return null;
                } else if ($.isFunction(this.opts.width)) {
                    return this.opts.width();
                } else {
                    return this.opts.width;
               }
            };

            var width = resolveContainerWidth.call(this);
            if (width !== null) {
                this.container.css("width", width);
            }
        }
    });

    SingleSelect2 = clazz(AbstractSelect2, {

        // single

        createContainer: function () {
            var container = $(document.createElement("div")).attr({
                "class": "select2-container"
            }).html([
                "<a href='javascript:void(0)' class='select2-choice' tabindex='-1'>",
                "   <span class='select2-chosen'>&#160;</span><abbr class='select2-search-choice-close'></abbr>",
                "   <span class='select2-arrow' role='presentation'><b role='presentation'></b></span>",
                "</a>",
                "<label for='' class='select2-offscreen'></label>",
                "<input class='select2-focusser select2-offscreen' type='text' aria-haspopup='true' role='button' />",
                "<div class='select2-drop select2-display-none'>",
                "   <div class='select2-search'>",
                "       <label for='' class='select2-offscreen'></label>",
                "       <input type='text' autocomplete='off' autocorrect='off' autocapitalize='off' spellcheck='false' class='select2-input' role='combobox' aria-expanded='true'",
                "       aria-autocomplete='list' />",
                "   </div>",
                "   <ul class='select2-results' role='listbox'>",
                "   </ul>",
                "</div>"].join(""));
            return container;
        },

        // single
        enableInterface: function() {
            if (this.parent.enableInterface.apply(this, arguments)) {
                this.focusser.prop("disabled", !this.isInterfaceEnabled());
            }
        },

        // single
        opening: function () {
            var el, range, len;

            if (this.opts.minimumResultsForSearch >= 0) {
                this.showSearch(true);
            }

            this.parent.opening.apply(this, arguments);

            if (this.showSearchInput !== false) {
                // IE appends focusser.val() at the end of field :/ so we manually insert it at the beginning using a range
                // all other browsers handle this just fine

                this.search.val(this.focusser.val());
            }
            if (this.opts.shouldFocusInput(this)) {
                this.search.focus();
                // move the cursor to the end after focussing, otherwise it will be at the beginning and
                // new text will appear *before* focusser.val()
                el = this.search.get(0);
                if (el.createTextRange) {
                    range = el.createTextRange();
                    range.collapse(false);
                    range.select();
                } else if (el.setSelectionRange) {
                    len = this.search.val().length;
                    el.setSelectionRange(len, len);
                }
            }

            // initializes search's value with nextSearchTerm (if defined by user)
            // ignore nextSearchTerm if the dropdown is opened by the user pressing a letter
            if(this.search.val() === "") {
                if(this.nextSearchTerm != undefined){
                    this.search.val(this.nextSearchTerm);
                    this.search.select();
                }
            }

            this.focusser.prop("disabled", true).val("");
            this.updateResults(true);
            this.opts.element.trigger($.Event("select2-open"));
        },

        // single
        close: function () {
            if (!this.opened()) return;
            this.parent.close.apply(this, arguments);

            this.focusser.prop("disabled", false);

            if (this.opts.shouldFocusInput(this)) {
                this.focusser.focus();
            }
        },

        // single
        focus: function () {
            if (this.opened()) {
                this.close();
            } else {
                this.focusser.prop("disabled", false);
                if (this.opts.shouldFocusInput(this)) {
                    this.focusser.focus();
                }
            }
        },

        // single
        isFocused: function () {
            return this.container.hasClass("select2-container-active");
        },

        // single
        cancel: function () {
            this.parent.cancel.apply(this, arguments);
            this.focusser.prop("disabled", false);

            if (this.opts.shouldFocusInput(this)) {
                this.focusser.focus();
            }
        },

        // single
        destroy: function() {
            $("label[for='" + this.focusser.attr('id') + "']")
                .attr('for', this.opts.element.attr("id"));
            this.parent.destroy.apply(this, arguments);

            cleanupJQueryElements.call(this,
                "selection",
                "focusser"
            );
        },

        // single
        initContainer: function () {

            var selection,
                container = this.container,
                dropdown = this.dropdown,
                idSuffix = nextUid(),
                elementLabel;

            if (this.opts.minimumResultsForSearch < 0) {
                this.showSearch(false);
            } else {
                this.showSearch(true);
            }

            this.selection = selection = container.find(".select2-choice");

            this.focusser = container.find(".select2-focusser");

            // add aria associations
            selection.find(".select2-chosen").attr("id", "select2-chosen-"+idSuffix);
            this.focusser.attr("aria-labelledby", "select2-chosen-"+idSuffix);
            this.results.attr("id", "select2-results-"+idSuffix);
            this.search.attr("aria-owns", "select2-results-"+idSuffix);

            // rewrite labels from original element to focusser
            this.focusser.attr("id", "s2id_autogen"+idSuffix);

            elementLabel = $("label[for='" + this.opts.element.attr("id") + "']");
            this.opts.element.focus(this.bind(function () { this.focus(); }));

            this.focusser.prev()
                .text(elementLabel.text())
                .attr('for', this.focusser.attr('id'));

            // Ensure the original element retains an accessible name
            var originalTitle = this.opts.element.attr("title");
            this.opts.element.attr("title", (originalTitle || elementLabel.text()));

            this.focusser.attr("tabindex", this.elementTabIndex);

            // write label for search field using the label from the focusser element
            this.search.attr("id", this.focusser.attr('id') + '_search');

            this.search.prev()
                .text($("label[for='" + this.focusser.attr('id') + "']").text())
                .attr('for', this.search.attr('id'));

            this.search.on("keydown", this.bind(function (e) {
                if (!this.isInterfaceEnabled()) return;

                // filter 229 keyCodes (input method editor is processing key input)
                if (229 == e.keyCode) return;

                if (e.which === KEY.PAGE_UP || e.which === KEY.PAGE_DOWN) {
                    // prevent the page from scrolling
                    killEvent(e);
                    return;
                }

                switch (e.which) {
                    case KEY.UP:
                    case KEY.DOWN:
                        this.moveHighlight((e.which === KEY.UP) ? -1 : 1);
                        killEvent(e);
                        return;
                    case KEY.ENTER:
                        this.selectHighlighted();
                        killEvent(e);
                        return;
                    case KEY.TAB:
                        this.selectHighlighted({noFocus: true});
                        return;
                    case KEY.ESC:
                        this.cancel(e);
                        killEvent(e);
                        return;
                }
            }));

            this.search.on("blur", this.bind(function(e) {
                // a workaround for chrome to keep the search field focussed when the scroll bar is used to scroll the dropdown.
                // without this the search field loses focus which is annoying
                if (document.activeElement === this.body.get(0)) {
                    window.setTimeout(this.bind(function() {
                        if (this.opened()) {
                            this.search.focus();
                        }
                    }), 0);
                }
            }));

            this.focusser.on("keydown", this.bind(function (e) {
                if (!this.isInterfaceEnabled()) return;

                if (e.which === KEY.TAB || KEY.isControl(e) || KEY.isFunctionKey(e) || e.which === KEY.ESC) {
                    return;
                }

                if (this.opts.openOnEnter === false && e.which === KEY.ENTER) {
                    killEvent(e);
                    return;
                }

                if (e.which == KEY.DOWN || e.which == KEY.UP
                    || (e.which == KEY.ENTER && this.opts.openOnEnter)) {

                    if (e.altKey || e.ctrlKey || e.shiftKey || e.metaKey) return;

                    this.open();
                    killEvent(e);
                    return;
                }

                if (e.which == KEY.DELETE || e.which == KEY.BACKSPACE) {
                    if (this.opts.allowClear) {
                        this.clear();
                    }
                    killEvent(e);
                    return;
                }
            }));


            installKeyUpChangeEvent(this.focusser);
            this.focusser.on("keyup-change input", this.bind(function(e) {
                if (this.opts.minimumResultsForSearch >= 0) {
                    e.stopPropagation();
                    if (this.opened()) return;
                    this.open();
                }
            }));

            selection.on("mousedown touchstart", "abbr", this.bind(function (e) {
                if (!this.isInterfaceEnabled()) {
                    return;
                }

                this.clear();
                killEventImmediately(e);
                this.close();

                if (this.selection) {
                    this.selection.focus();
                }
            }));

            selection.on("mousedown touchstart", this.bind(function (e) {
                // Prevent IE from generating a click event on the body
                reinsertElement(selection);

                if (!this.container.hasClass("select2-container-active")) {
                    this.opts.element.trigger($.Event("select2-focus"));
                }

                if (this.opened()) {
                    this.close();
                } else if (this.isInterfaceEnabled()) {
                    this.open();
                }

                killEvent(e);
            }));

            dropdown.on("mousedown touchstart", this.bind(function() {
                if (this.opts.shouldFocusInput(this)) {
                    this.search.focus();
                }
            }));

            selection.on("focus", this.bind(function(e) {
                killEvent(e);
            }));

            this.focusser.on("focus", this.bind(function(){
                if (!this.container.hasClass("select2-container-active")) {
                    this.opts.element.trigger($.Event("select2-focus"));
                }
                this.container.addClass("select2-container-active");
            })).on("blur", this.bind(function() {
                if (!this.opened()) {
                    this.container.removeClass("select2-container-active");
                    this.opts.element.trigger($.Event("select2-blur"));
                }
            }));
            this.search.on("focus", this.bind(function(){
                if (!this.container.hasClass("select2-container-active")) {
                    this.opts.element.trigger($.Event("select2-focus"));
                }
                this.container.addClass("select2-container-active");
            }));

            this.initContainerWidth();
            this.opts.element.hide();
            this.setPlaceholder();

        },

        // single
        clear: function(triggerChange) {
            var data=this.selection.data("select2-data");
            if (data) { // guard against queued quick consecutive clicks
                var evt = $.Event("select2-clearing");
                this.opts.element.trigger(evt);
                if (evt.isDefaultPrevented()) {
                    return;
                }
                var placeholderOption = this.getPlaceholderOption();
                this.opts.element.val(placeholderOption ? placeholderOption.val() : "");
                this.selection.find(".select2-chosen").empty();
                this.selection.removeData("select2-data");
                this.setPlaceholder();

                if (triggerChange !== false){
                    this.opts.element.trigger({ type: "select2-removed", val: this.id(data), choice: data });
                    this.triggerChange({removed:data});
                }
            }
        },

        /**
         * Sets selection based on source element's value
         */
        // single
        initSelection: function () {
            var selected;
            if (this.isPlaceholderOptionSelected()) {
                this.updateSelection(null);
                this.close();
                this.setPlaceholder();
            } else {
                var self = this;
                this.opts.initSelection.call(null, this.opts.element, function(selected){
                    if (selected !== undefined && selected !== null) {
                        self.updateSelection(selected);
                        self.close();
                        self.setPlaceholder();
                        self.nextSearchTerm = self.opts.nextSearchTerm(selected, self.search.val());
                    }
                });
            }
        },

        isPlaceholderOptionSelected: function() {
            var placeholderOption;
            if (this.getPlaceholder() === undefined) return false; // no placeholder specified so no option should be considered
            return ((placeholderOption = this.getPlaceholderOption()) !== undefined && placeholderOption.prop("selected"))
                || (this.opts.element.val() === "")
                || (this.opts.element.val() === undefined)
                || (this.opts.element.val() === null);
        },

        // single
        prepareOpts: function () {
            var opts = this.parent.prepareOpts.apply(this, arguments),
                self=this;

            if (opts.element.get(0).tagName.toLowerCase() === "select") {
                // install the selection initializer
                opts.initSelection = function (element, callback) {
                    var selected = element.find("option").filter(function() { return this.selected && !this.disabled });
                    // a single select box always has a value, no need to null check 'selected'
                    callback(self.optionToData(selected));
                };
            } else if ("data" in opts) {
                // install default initSelection when applied to hidden input and data is local
                opts.initSelection = opts.initSelection || function (element, callback) {
                    var id = element.val();
                    //search in data by id, storing the actual matching item
                    var match = null;
                    opts.query({
                        matcher: function(term, text, el){
                            var is_match = equal(id, opts.id(el));
                            if (is_match) {
                                match = el;
                            }
                            return is_match;
                        },
                        callback: !$.isFunction(callback) ? $.noop : function() {
                            callback(match);
                        }
                    });
                };
            }

            return opts;
        },

        // single
        getPlaceholder: function() {
            // if a placeholder is specified on a single select without a valid placeholder option ignore it
            if (this.select) {
                if (this.getPlaceholderOption() === undefined) {
                    return undefined;
                }
            }

            return this.parent.getPlaceholder.apply(this, arguments);
        },

        // single
        setPlaceholder: function () {
            var placeholder = this.getPlaceholder();

            if (this.isPlaceholderOptionSelected() && placeholder !== undefined) {

                // check for a placeholder option if attached to a select
                if (this.select && this.getPlaceholderOption() === undefined) return;

                this.selection.find(".select2-chosen").html(this.opts.escapeMarkup(placeholder));

                this.selection.addClass("select2-default");

                this.container.removeClass("select2-allowclear");
            }
        },

        // single
        postprocessResults: function (data, initial, noHighlightUpdate) {
            var selected = 0, self = this, showSearchInput = true;

            // find the selected element in the result list

            this.findHighlightableChoices().each2(function (i, elm) {
                if (equal(self.id(elm.data("select2-data")), self.opts.element.val())) {
                    selected = i;
                    return false;
                }
            });

            // and highlight it
            if (noHighlightUpdate !== false) {
                if (initial === true && selected >= 0) {
                    this.highlight(selected);
                } else {
                    this.highlight(0);
                }
            }

            // hide the search box if this is the first we got the results and there are enough of them for search

            if (initial === true) {
                var min = this.opts.minimumResultsForSearch;
                if (min >= 0) {
                    this.showSearch(countResults(data.results) >= min);
                }
            }
        },

        // single
        showSearch: function(showSearchInput) {
            if (this.showSearchInput === showSearchInput) return;

            this.showSearchInput = showSearchInput;

            this.dropdown.find(".select2-search").toggleClass("select2-search-hidden", !showSearchInput);
            this.dropdown.find(".select2-search").toggleClass("select2-offscreen", !showSearchInput);
            //add "select2-with-searchbox" to the container if search box is shown
            $(this.dropdown, this.container).toggleClass("select2-with-searchbox", showSearchInput);
        },

        // single
        onSelect: function (data, options) {

            if (!this.triggerSelect(data)) { return; }

            var old = this.opts.element.val(),
                oldData = this.data();

            this.opts.element.val(this.id(data));
            this.updateSelection(data);

            this.opts.element.trigger({ type: "select2-selected", val: this.id(data), choice: data });

            this.nextSearchTerm = this.opts.nextSearchTerm(data, this.search.val());
            this.close();

            if ((!options || !options.noFocus) && this.opts.shouldFocusInput(this)) {
                this.focusser.focus();
            }

            if (!equal(old, this.id(data))) {
                this.triggerChange({ added: data, removed: oldData });
            }
        },

        // single
        updateSelection: function (data) {

            var container=this.selection.find(".select2-chosen"), formatted, cssClass;

            this.selection.data("select2-data", data);

            container.empty();
            if (data !== null) {
                formatted=this.opts.formatSelection(data, container, this.opts.escapeMarkup);
            }
            if (formatted !== undefined) {
                container.append(formatted);
            }
            cssClass=this.opts.formatSelectionCssClass(data, container);
            if (cssClass !== undefined) {
                container.addClass(cssClass);
            }

            this.selection.removeClass("select2-default");

            if (this.opts.allowClear && this.getPlaceholder() !== undefined) {
                this.container.addClass("select2-allowclear");
            }
        },

        // single
        val: function () {
            var val,
                triggerChange = false,
                data = null,
                self = this,
                oldData = this.data();

            if (arguments.length === 0) {
                return this.opts.element.val();
            }

            val = arguments[0];

            if (arguments.length > 1) {
                triggerChange = arguments[1];
            }

            if (this.select) {
                this.select
                    .val(val)
                    .find("option").filter(function() { return this.selected }).each2(function (i, elm) {
                        data = self.optionToData(elm);
                        return false;
                    });
                this.updateSelection(data);
                this.setPlaceholder();
                if (triggerChange) {
                    this.triggerChange({added: data, removed:oldData});
                }
            } else {
                // val is an id. !val is true for [undefined,null,'',0] - 0 is legal
                if (!val && val !== 0) {
                    this.clear(triggerChange);
                    return;
                }
                if (this.opts.initSelection === undefined) {
                    throw new Error("cannot call val() if initSelection() is not defined");
                }
                this.opts.element.val(val);
                this.opts.initSelection(this.opts.element, function(data){
                    self.opts.element.val(!data ? "" : self.id(data));
                    self.updateSelection(data);
                    self.setPlaceholder();
                    if (triggerChange) {
                        self.triggerChange({added: data, removed:oldData});
                    }
                });
            }
        },

        // single
        clearSearch: function () {
            this.search.val("");
            this.focusser.val("");
        },

        // single
        data: function(value) {
            var data,
                triggerChange = false;

            if (arguments.length === 0) {
                data = this.selection.data("select2-data");
                if (data == undefined) data = null;
                return data;
            } else {
                if (arguments.length > 1) {
                    triggerChange = arguments[1];
                }
                if (!value) {
                    this.clear(triggerChange);
                } else {
                    data = this.data();
                    this.opts.element.val(!value ? "" : this.id(value));
                    this.updateSelection(value);
                    if (triggerChange) {
                        this.triggerChange({added: value, removed:data});
                    }
                }
            }
        }
    });

    MultiSelect2 = clazz(AbstractSelect2, {

        // multi
        createContainer: function () {
            var container = $(document.createElement("div")).attr({
                "class": "select2-container select2-container-multi"
            }).html([
                "<ul class='select2-choices'>",
                "  <li class='select2-search-field'>",
                "    <label for='' class='select2-offscreen'></label>",
                "    <input type='text' autocomplete='off' autocorrect='off' autocapitalize='off' spellcheck='false' class='select2-input'>",
                "  </li>",
                "</ul>",
                "<div class='select2-drop select2-drop-multi select2-display-none'>",
                "   <ul class='select2-results'>",
                "   </ul>",
                "</div>"].join(""));
            return container;
        },

        // multi
        prepareOpts: function () {
            var opts = this.parent.prepareOpts.apply(this, arguments),
                self=this;

            // TODO validate placeholder is a string if specified
            if (opts.element.get(0).tagName.toLowerCase() === "select") {
                // install the selection initializer
                opts.initSelection = function (element, callback) {

                    var data = [];

                    element.find("option").filter(function() { return this.selected && !this.disabled }).each2(function (i, elm) {
                        data.push(self.optionToData(elm));
                    });
                    callback(data);
                };
            } else if ("data" in opts) {
                // install default initSelection when applied to hidden input and data is local
                opts.initSelection = opts.initSelection || function (element, callback) {
                    var ids = splitVal(element.val(), opts.separator, opts.transformVal);
                    //search in data by array of ids, storing matching items in a list
                    var matches = [];
                    opts.query({
                        matcher: function(term, text, el){
                            var is_match = $.grep(ids, function(id) {
                                return equal(id, opts.id(el));
                            }).length;
                            if (is_match) {
                                matches.push(el);
                            }
                            return is_match;
                        },
                        callback: !$.isFunction(callback) ? $.noop : function() {
                            // reorder matches based on the order they appear in the ids array because right now
                            // they are in the order in which they appear in data array
                            var ordered = [];
                            for (var i = 0; i < ids.length; i++) {
                                var id = ids[i];
                                for (var j = 0; j < matches.length; j++) {
                                    var match = matches[j];
                                    if (equal(id, opts.id(match))) {
                                        ordered.push(match);
                                        matches.splice(j, 1);
                                        break;
                                    }
                                }
                            }
                            callback(ordered);
                        }
                    });
                };
            }

            return opts;
        },

        // multi
        selectChoice: function (choice) {

            var selected = this.container.find(".select2-search-choice-focus");
            if (selected.length && choice && choice[0] == selected[0]) {

            } else {
                if (selected.length) {
                    this.opts.element.trigger("choice-deselected", selected);
                }
                selected.removeClass("select2-search-choice-focus");
                if (choice && choice.length) {
                    this.close();
                    choice.addClass("select2-search-choice-focus");
                    this.opts.element.trigger("choice-selected", choice);
                }
            }
        },

        // multi
        destroy: function() {
            $("label[for='" + this.search.attr('id') + "']")
                .attr('for', this.opts.element.attr("id"));
            this.parent.destroy.apply(this, arguments);

            cleanupJQueryElements.call(this,
                "searchContainer",
                "selection"
            );
        },

        // multi
        initContainer: function () {

            var selector = ".select2-choices", selection;

            this.searchContainer = this.container.find(".select2-search-field");
            this.selection = selection = this.container.find(selector);

            var _this = this;
            this.selection.on("click", ".select2-container:not(.select2-container-disabled) .select2-search-choice:not(.select2-locked)", function (e) {
                _this.search[0].focus();
                _this.selectChoice($(this));
            });

            // rewrite labels from original element to focusser
            this.search.attr("id", "s2id_autogen"+nextUid());

            this.search.prev()
                .text($("label[for='" + this.opts.element.attr("id") + "']").text())
                .attr('for', this.search.attr('id'));
            this.opts.element.focus(this.bind(function () { this.focus(); }));

            this.search.on("input paste", this.bind(function() {
                if (this.search.attr('placeholder') && this.search.val().length == 0) return;
                if (!this.isInterfaceEnabled()) return;
                if (!this.opened()) {
                    this.open();
                }
            }));

            this.search.attr("tabindex", this.elementTabIndex);

            this.keydowns = 0;
            this.search.on("keydown", this.bind(function (e) {
                if (!this.isInterfaceEnabled()) return;

                ++this.keydowns;
                var selected = selection.find(".select2-search-choice-focus");
                var prev = selected.prev(".select2-search-choice:not(.select2-locked)");
                var next = selected.next(".select2-search-choice:not(.select2-locked)");
                var pos = getCursorInfo(this.search);

                if (selected.length &&
                    (e.which == KEY.LEFT || e.which == KEY.RIGHT || e.which == KEY.BACKSPACE || e.which == KEY.DELETE || e.which == KEY.ENTER)) {
                    var selectedChoice = selected;
                    if (e.which == KEY.LEFT && prev.length) {
                        selectedChoice = prev;
                    }
                    else if (e.which == KEY.RIGHT) {
                        selectedChoice = next.length ? next : null;
                    }
                    else if (e.which === KEY.BACKSPACE) {
                        if (this.unselect(selected.first())) {
                            this.search.width(10);
                            selectedChoice = prev.length ? prev : next;
                        }
                    } else if (e.which == KEY.DELETE) {
                        if (this.unselect(selected.first())) {
                            this.search.width(10);
                            selectedChoice = next.length ? next : null;
                        }
                    } else if (e.which == KEY.ENTER) {
                        selectedChoice = null;
                    }

                    this.selectChoice(selectedChoice);
                    killEvent(e);
                    if (!selectedChoice || !selectedChoice.length) {
                        this.open();
                    }
                    return;
                } else if (((e.which === KEY.BACKSPACE && this.keydowns == 1)
                    || e.which == KEY.LEFT) && (pos.offset == 0 && !pos.length)) {

                    this.selectChoice(selection.find(".select2-search-choice:not(.select2-locked)").last());
                    killEvent(e);
                    return;
                } else {
                    this.selectChoice(null);
                }

                if (this.opened()) {
                    switch (e.which) {
                    case KEY.UP:
                    case KEY.DOWN:
                        this.moveHighlight((e.which === KEY.UP) ? -1 : 1);
                        killEvent(e);
                        return;
                    case KEY.ENTER:
                        this.selectHighlighted();
                        killEvent(e);
                        return;
                    case KEY.TAB:
                        this.selectHighlighted({noFocus:true});
                        this.close();
                        return;
                    case KEY.ESC:
                        this.cancel(e);
                        killEvent(e);
                        return;
                    }
                }

                if (e.which === KEY.TAB || KEY.isControl(e) || KEY.isFunctionKey(e)
                 || e.which === KEY.BACKSPACE || e.which === KEY.ESC) {
                    return;
                }

                if (e.which === KEY.ENTER) {
                    if (this.opts.openOnEnter === false) {
                        return;
                    } else if (e.altKey || e.ctrlKey || e.shiftKey || e.metaKey) {
                        return;
                    }
                }

                this.open();

                if (e.which === KEY.PAGE_UP || e.which === KEY.PAGE_DOWN) {
                    // prevent the page from scrolling
                    killEvent(e);
                }

                if (e.which === KEY.ENTER) {
                    // prevent form from being submitted
                    killEvent(e);
                }

            }));

            this.search.on("keyup", this.bind(function (e) {
                this.keydowns = 0;
                this.resizeSearch();
            })
            );

            this.search.on("blur", this.bind(function(e) {
                this.container.removeClass("select2-container-active");
                this.search.removeClass("select2-focused");
                this.selectChoice(null);
                if (!this.opened()) this.clearSearch();
                e.stopImmediatePropagation();
                this.opts.element.trigger($.Event("select2-blur"));
            }));

            this.container.on("click", selector, this.bind(function (e) {
                if (!this.isInterfaceEnabled()) return;
                if ($(e.target).closest(".select2-search-choice").length > 0) {
                    // clicked inside a select2 search choice, do not open
                    return;
                }
                this.selectChoice(null);
                this.clearPlaceholder();
                if (!this.container.hasClass("select2-container-active")) {
                    this.opts.element.trigger($.Event("select2-focus"));
                }
                this.open();
                this.focusSearch();
                e.preventDefault();
            }));

            this.container.on("focus", selector, this.bind(function () {
                if (!this.isInterfaceEnabled()) return;
                if (!this.container.hasClass("select2-container-active")) {
                    this.opts.element.trigger($.Event("select2-focus"));
                }
                this.container.addClass("select2-container-active");
                this.dropdown.addClass("select2-drop-active");
                this.clearPlaceholder();
            }));

            this.initContainerWidth();
            this.opts.element.hide();

            // set the placeholder if necessary
            this.clearSearch();
        },

        // multi
        enableInterface: function() {
            if (this.parent.enableInterface.apply(this, arguments)) {
                this.search.prop("disabled", !this.isInterfaceEnabled());
            }
        },

        // multi
        initSelection: function () {
            var data;
            if (this.opts.element.val() === "" && this.opts.element.text() === "") {
                this.updateSelection([]);
                this.close();
                // set the placeholder if necessary
                this.clearSearch();
            }
            if (this.select || this.opts.element.val() !== "") {
                var self = this;
                this.opts.initSelection.call(null, this.opts.element, function(data){
                    if (data !== undefined && data !== null) {
                        self.updateSelection(data);
                        self.close();
                        // set the placeholder if necessary
                        self.clearSearch();
                    }
                });
            }
        },

        // multi
        clearSearch: function () {
            var placeholder = this.getPlaceholder(),
                maxWidth = this.getMaxSearchWidth();

            if (placeholder !== undefined  && this.getVal().length === 0 && this.search.hasClass("select2-focused") === false) {
                this.search.val(placeholder).addClass("select2-default");
                // stretch the search box to full width of the container so as much of the placeholder is visible as possible
                // we could call this.resizeSearch(), but we do not because that requires a sizer and we do not want to create one so early because of a firefox bug, see #944
                this.search.width(maxWidth > 0 ? maxWidth : this.container.css("width"));
            } else {
                this.search.val("").width(10);
            }
        },

        // multi
        clearPlaceholder: function () {
            if (this.search.hasClass("select2-default")) {
                this.search.val("").removeClass("select2-default");
            }
        },

        // multi
        opening: function () {
            this.clearPlaceholder(); // should be done before super so placeholder is not used to search
            this.resizeSearch();

            this.parent.opening.apply(this, arguments);

            this.focusSearch();

            // initializes search's value with nextSearchTerm (if defined by user)
            // ignore nextSearchTerm if the dropdown is opened by the user pressing a letter
            if(this.search.val() === "") {
                if(this.nextSearchTerm != undefined){
                    this.search.val(this.nextSearchTerm);
                    this.search.select();
                }
            }

            this.updateResults(true);
            if (this.opts.shouldFocusInput(this)) {
                this.search.focus();
            }
            this.opts.element.trigger($.Event("select2-open"));
        },

        // multi
        close: function () {
            if (!this.opened()) return;
            this.parent.close.apply(this, arguments);
        },

        // multi
        focus: function () {
            this.close();
            this.search.focus();
        },

        // multi
        isFocused: function () {
            return this.search.hasClass("select2-focused");
        },

        // multi
        updateSelection: function (data) {
            var ids = [], filtered = [], self = this;

            // filter out duplicates
            $(data).each(function () {
                if (indexOf(self.id(this), ids) < 0) {
                    ids.push(self.id(this));
                    filtered.push(this);
                }
            });
            data = filtered;

            this.selection.find(".select2-search-choice").remove();
            $(data).each(function () {
                self.addSelectedChoice(this);
            });
            self.postprocessResults();
        },

        // multi
        tokenize: function() {
            var input = this.search.val();
            input = this.opts.tokenizer.call(this, input, this.data(), this.bind(this.onSelect), this.opts);
            if (input != null && input != undefined) {
                this.search.val(input);
                if (input.length > 0) {
                    this.open();
                }
            }

        },

        // multi
        onSelect: function (data, options) {

            if (!this.triggerSelect(data) || data.text === "") { return; }

            this.addSelectedChoice(data);

            this.opts.element.trigger({ type: "selected", val: this.id(data), choice: data });

            // keep track of the search's value before it gets cleared
            this.nextSearchTerm = this.opts.nextSearchTerm(data, this.search.val());

            this.clearSearch();
            this.updateResults();

            if (this.select || !this.opts.closeOnSelect) this.postprocessResults(data, false, this.opts.closeOnSelect===true);

            if (this.opts.closeOnSelect) {
                this.close();
                this.search.width(10);
            } else {
                if (this.countSelectableResults()>0) {
                    this.search.width(10);
                    this.resizeSearch();
                    if (this.getMaximumSelectionSize() > 0 && this.val().length >= this.getMaximumSelectionSize()) {
                        // if we reached max selection size repaint the results so choices
                        // are replaced with the max selection reached message
                        this.updateResults(true);
                    } else {
                        // initializes search's value with nextSearchTerm and update search result
                        if(this.nextSearchTerm != undefined){
                            this.search.val(this.nextSearchTerm);
                            this.updateResults();
                            this.search.select();
                        }
                    }
                    this.positionDropdown();
                } else {
                    // if nothing left to select close
                    this.close();
                    this.search.width(10);
                }
            }

            // since its not possible to select an element that has already been
            // added we do not need to check if this is a new element before firing change
            this.triggerChange({ added: data });

            if (!options || !options.noFocus)
                this.focusSearch();
        },

        // multi
        cancel: function () {
            this.close();
            this.focusSearch();
        },

        addSelectedChoice: function (data) {
            var enableChoice = !data.locked,
                enabledItem = $(
                    "<li class='select2-search-choice'>" +
                    "    <div></div>" +
                    "    <a href='#' class='select2-search-choice-close' tabindex='-1'></a>" +
                    "</li>"),
                disabledItem = $(
                    "<li class='select2-search-choice select2-locked'>" +
                    "<div></div>" +
                    "</li>");
            var choice = enableChoice ? enabledItem : disabledItem,
                id = this.id(data),
                val = this.getVal(),
                formatted,
                cssClass;

            formatted=this.opts.formatSelection(data, choice.find("div"), this.opts.escapeMarkup);
            if (formatted != undefined) {
                choice.find("div").replaceWith($("<div></div>").html(formatted));
            }
            cssClass=this.opts.formatSelectionCssClass(data, choice.find("div"));
            if (cssClass != undefined) {
                choice.addClass(cssClass);
            }

            if(enableChoice){
              choice.find(".select2-search-choice-close")
                  .on("mousedown", killEvent)
                  .on("click dblclick", this.bind(function (e) {
                  if (!this.isInterfaceEnabled()) return;

                  this.unselect($(e.target));
                  this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus");
                  killEvent(e);
                  this.close();
                  this.focusSearch();
              })).on("focus", this.bind(function () {
                  if (!this.isInterfaceEnabled()) return;
                  this.container.addClass("select2-container-active");
                  this.dropdown.addClass("select2-drop-active");
              }));
            }

            choice.data("select2-data", data);
            choice.insertBefore(this.searchContainer);

            val.push(id);
            this.setVal(val);
        },

        // multi
        unselect: function (selected) {
            var val = this.getVal(),
                data,
                index;
            selected = selected.closest(".select2-search-choice");

            if (selected.length === 0) {
                throw "Invalid argument: " + selected + ". Must be .select2-search-choice";
            }

            data = selected.data("select2-data");

            if (!data) {
                // prevent a race condition when the 'x' is clicked really fast repeatedly the event can be queued
                // and invoked on an element already removed
                return;
            }

            var evt = $.Event("select2-removing");
            evt.val = this.id(data);
            evt.choice = data;
            this.opts.element.trigger(evt);

            if (evt.isDefaultPrevented()) {
                return false;
            }

            while((index = indexOf(this.id(data), val)) >= 0) {
                val.splice(index, 1);
                this.setVal(val);
                if (this.select) this.postprocessResults();
            }

            selected.remove();

            this.opts.element.trigger({ type: "select2-removed", val: this.id(data), choice: data });
            this.triggerChange({ removed: data });

            return true;
        },

        // multi
        postprocessResults: function (data, initial, noHighlightUpdate) {
            var val = this.getVal(),
                choices = this.results.find(".select2-result"),
                compound = this.results.find(".select2-result-with-children"),
                self = this;

            choices.each2(function (i, choice) {
                var id = self.id(choice.data("select2-data"));
                if (indexOf(id, val) >= 0) {
                    choice.addClass("select2-selected");
                    // mark all children of the selected parent as selected
                    choice.find(".select2-result-selectable").addClass("select2-selected");
                }
            });

            compound.each2(function(i, choice) {
                // hide an optgroup if it doesn't have any selectable children
                if (!choice.is('.select2-result-selectable')
                    && choice.find(".select2-result-selectable:not(.select2-selected)").length === 0) {
                    choice.addClass("select2-selected");
                }
            });

            if (this.highlight() == -1 && noHighlightUpdate !== false && this.opts.closeOnSelect === true){
                self.highlight(0);
            }

            //If all results are chosen render formatNoMatches
            if(!this.opts.createSearchChoice && !choices.filter('.select2-result:not(.select2-selected)').length > 0){
                if(!data || data && !data.more && this.results.find(".select2-no-results").length === 0) {
                    if (checkFormatter(self.opts.formatNoMatches, "formatNoMatches")) {
                        this.results.append("<li class='select2-no-results'>" + evaluate(self.opts.formatNoMatches, self.opts.element, self.search.val()) + "</li>");
                    }
                }
            }

        },

        // multi
        getMaxSearchWidth: function() {
            return this.selection.width() - getSideBorderPadding(this.search);
        },

        // multi
        resizeSearch: function () {
            var minimumWidth, left, maxWidth, containerLeft, searchWidth,
                sideBorderPadding = getSideBorderPadding(this.search);

            minimumWidth = measureTextWidth(this.search) + 10;

            left = this.search.offset().left;

            maxWidth = this.selection.width();
            containerLeft = this.selection.offset().left;

            searchWidth = maxWidth - (left - containerLeft) - sideBorderPadding;

            if (searchWidth < minimumWidth) {
                searchWidth = maxWidth - sideBorderPadding;
            }

            if (searchWidth < 40) {
                searchWidth = maxWidth - sideBorderPadding;
            }

            if (searchWidth <= 0) {
              searchWidth = minimumWidth;
            }

            this.search.width(Math.floor(searchWidth));
        },

        // multi
        getVal: function () {
            var val;
            if (this.select) {
                val = this.select.val();
                return val === null ? [] : val;
            } else {
                val = this.opts.element.val();
                return splitVal(val, this.opts.separator, this.opts.transformVal);
            }
        },

        // multi
        setVal: function (val) {
            var unique;
            if (this.select) {
                this.select.val(val);
            } else {
                unique = [];
                // filter out duplicates
                $(val).each(function () {
                    if (indexOf(this, unique) < 0) unique.push(this);
                });
                this.opts.element.val(unique.length === 0 ? "" : unique.join(this.opts.separator));
            }
        },

        // multi
        buildChangeDetails: function (old, current) {
            var current = current.slice(0),
                old = old.slice(0);

            // remove intersection from each array
            for (var i = 0; i < current.length; i++) {
                for (var j = 0; j < old.length; j++) {
                    if (equal(this.opts.id(current[i]), this.opts.id(old[j]))) {
                        current.splice(i, 1);
                        if(i>0){
                            i--;
                        }
                        old.splice(j, 1);
                        j--;
                    }
                }
            }

            return {added: current, removed: old};
        },


        // multi
        val: function (val, triggerChange) {
            var oldData, self=this;

            if (arguments.length === 0) {
                return this.getVal();
            }

            oldData=this.data();
            if (!oldData.length) oldData=[];

            // val is an id. !val is true for [undefined,null,'',0] - 0 is legal
            if (!val && val !== 0) {
                this.opts.element.val("");
                this.updateSelection([]);
                this.clearSearch();
                if (triggerChange) {
                    this.triggerChange({added: this.data(), removed: oldData});
                }
                return;
            }

            // val is a list of ids
            this.setVal(val);

            if (this.select) {
                this.opts.initSelection(this.select, this.bind(this.updateSelection));
                if (triggerChange) {
                    this.triggerChange(this.buildChangeDetails(oldData, this.data()));
                }
            } else {
                if (this.opts.initSelection === undefined) {
                    throw new Error("val() cannot be called if initSelection() is not defined");
                }

                this.opts.initSelection(this.opts.element, function(data){
                    var ids=$.map(data, self.id);
                    self.setVal(ids);
                    self.updateSelection(data);
                    self.clearSearch();
                    if (triggerChange) {
                        self.triggerChange(self.buildChangeDetails(oldData, self.data()));
                    }
                });
            }
            this.clearSearch();
        },

        // multi
        onSortStart: function() {
            if (this.select) {
                throw new Error("Sorting of elements is not supported when attached to <select>. Attach to <input type='hidden'/> instead.");
            }

            // collapse search field into 0 width so its container can be collapsed as well
            this.search.width(0);
            // hide the container
            this.searchContainer.hide();
        },

        // multi
        onSortEnd:function() {

            var val=[], self=this;

            // show search and move it to the end of the list
            this.searchContainer.show();
            // make sure the search container is the last item in the list
            this.searchContainer.appendTo(this.searchContainer.parent());
            // since we collapsed the width in dragStarted, we resize it here
            this.resizeSearch();

            // update selection
            this.selection.find(".select2-search-choice").each(function() {
                val.push(self.opts.id($(this).data("select2-data")));
            });
            this.setVal(val);
            this.triggerChange();
        },

        // multi
        data: function(values, triggerChange) {
            var self=this, ids, old;
            if (arguments.length === 0) {
                 return this.selection
                     .children(".select2-search-choice")
                     .map(function() { return $(this).data("select2-data"); })
                     .get();
            } else {
                old = this.data();
                if (!values) { values = []; }
                ids = $.map(values, function(e) { return self.opts.id(e); });
                this.setVal(ids);
                this.updateSelection(values);
                this.clearSearch();
                if (triggerChange) {
                    this.triggerChange(this.buildChangeDetails(old, this.data()));
                }
            }
        }
    });

    $.fn.select2 = function () {

        var args = Array.prototype.slice.call(arguments, 0),
            opts,
            select2,
            method, value, multiple,
            allowedMethods = ["val", "destroy", "opened", "open", "close", "focus", "isFocused", "container", "dropdown", "onSortStart", "onSortEnd", "enable", "disable", "readonly", "positionDropdown", "data", "search"],
            valueMethods = ["opened", "isFocused", "container", "dropdown"],
            propertyMethods = ["val", "data"],
            methodsMap = { search: "externalSearch" };

        this.each(function () {
            if (args.length === 0 || typeof(args[0]) === "object") {
                opts = args.length === 0 ? {} : $.extend({}, args[0]);
                opts.element = $(this);

                if (opts.element.get(0).tagName.toLowerCase() === "select") {
                    multiple = opts.element.prop("multiple");
                } else {
                    multiple = opts.multiple || false;
                    if ("tags" in opts) {opts.multiple = multiple = true;}
                }

                select2 = multiple ? new window.Select2["class"].multi() : new window.Select2["class"].single();
                select2.init(opts);
            } else if (typeof(args[0]) === "string") {

                if (indexOf(args[0], allowedMethods) < 0) {
                    throw "Unknown method: " + args[0];
                }

                value = undefined;
                select2 = $(this).data("select2");
                if (select2 === undefined) return;

                method=args[0];

                if (method === "container") {
                    value = select2.container;
                } else if (method === "dropdown") {
                    value = select2.dropdown;
                } else {
                    if (methodsMap[method]) method = methodsMap[method];

                    value = select2[method].apply(select2, args.slice(1));
                }
                if (indexOf(args[0], valueMethods) >= 0
                    || (indexOf(args[0], propertyMethods) >= 0 && args.length == 1)) {
                    return false; // abort the iteration, ready to return first matched value
                }
            } else {
                throw "Invalid arguments to select2 plugin: " + args;
            }
        });
        return (value === undefined) ? this : value;
    };

    // plugin defaults, accessible to users
    $.fn.select2.defaults = {
        width: "copy",
        loadMorePadding: 0,
        closeOnSelect: true,
        openOnEnter: true,
        containerCss: {},
        dropdownCss: {},
        containerCssClass: "",
        dropdownCssClass: "",
        formatResult: function(result, container, query, escapeMarkup) {
            var markup=[];
            markMatch(this.text(result), query.term, markup, escapeMarkup);
            return markup.join("");
        },
        transformVal: function(val) {
            return $.trim(val);
        },
        formatSelection: function (data, container, escapeMarkup) {
            return data ? escapeMarkup(this.text(data)) : undefined;
        },
        sortResults: function (results, container, query) {
            return results;
        },
        formatResultCssClass: function(data) {return data.css;},
        formatSelectionCssClass: function(data, container) {return undefined;},
        minimumResultsForSearch: 0,
        minimumInputLength: 0,
        maximumInputLength: null,
        maximumSelectionSize: 0,
        id: function (e) { return e == undefined ? null : e.id; },
        text: function (e) {
          if (e && this.data && this.data.text) {
            if ($.isFunction(this.data.text)) {
              return this.data.text(e);
            } else {
              return e[this.data.text];
            }
          } else {
            return e.text;
          }
        },
        matcher: function(term, text) {
            return stripDiacritics(''+text).toUpperCase().indexOf(stripDiacritics(''+term).toUpperCase()) >= 0;
        },
        separator: ",",
        tokenSeparators: [],
        tokenizer: defaultTokenizer,
        escapeMarkup: defaultEscapeMarkup,
        blurOnChange: false,
        selectOnBlur: false,
        adaptContainerCssClass: function(c) { return c; },
        adaptDropdownCssClass: function(c) { return null; },
        nextSearchTerm: function(selectedObject, currentSearchTerm) { return undefined; },
        searchInputPlaceholder: '',
        createSearchChoicePosition: 'top',
        shouldFocusInput: function (instance) {
            // Attempt to detect touch devices
            var supportsTouchEvents = (('ontouchstart' in window) ||
                                       (navigator.msMaxTouchPoints > 0));

            // Only devices which support touch events should be special cased
            if (!supportsTouchEvents) {
                return true;
            }

            // Never focus the input if search is disabled
            if (instance.opts.minimumResultsForSearch < 0) {
                return false;
            }

            return true;
        }
    };

    $.fn.select2.locales = [];

    $.fn.select2.locales['en'] = {
         formatMatches: function (matches) { if (matches === 1) { return "One result is available, press enter to select it."; } return matches + " results are available, use up and down arrow keys to navigate."; },
         formatNoMatches: function () { return "No matches found"; },
         formatAjaxError: function (jqXHR, textStatus, errorThrown) { return "Loading failed"; },
         formatInputTooShort: function (input, min) { var n = min - input.length; return "Please enter " + n + " or more character" + (n == 1 ? "" : "s"); },
         formatInputTooLong: function (input, max) { var n = input.length - max; return "Please delete " + n + " character" + (n == 1 ? "" : "s"); },
         formatSelectionTooBig: function (limit) { return "You can only select " + limit + " item" + (limit == 1 ? "" : "s"); },
         formatLoadMore: function (pageNumber) { return "Loading more results…"; },
         formatSearching: function () { return "Searching…"; }
    };

    $.extend($.fn.select2.defaults, $.fn.select2.locales['en']);

    $.fn.select2.ajaxDefaults = {
        transport: $.ajax,
        params: {
            type: "GET",
            cache: false,
            dataType: "json"
        }
    };

    // exports
    window.Select2 = {
        query: {
            ajax: ajax,
            local: local,
            tags: tags
        }, util: {
            debounce: debounce,
            markMatch: markMatch,
            escapeMarkup: defaultEscapeMarkup,
            stripDiacritics: stripDiacritics
        }, "class": {
            "abstract": AbstractSelect2,
            "single": SingleSelect2,
            "multi": MultiSelect2
        }
    };

}(jQuery));
PK�
�[��w

 assets/inc/select2/3/select2.pngnu�[����PNG


IHDR<(�Qt�IDATX	��kp���hŚ�esY�b�� �k�}�؁��(R��i�� {��&k��R�K$mW���}�Zr�f���=,|���S��CZ�?�.�UBwX�T8�yG��crJ�f&0�0y�)�y�1�4*%6�c޳E��B�gS����L���L`��3�r�N:��$�E��ZΰU%l�~�5�1�5+U��iS%1�1�lSY�a�+�U9�g3����cTI����2�d�A�������*�1u�ְ[]�(F{��l8�+�h�'ᘋ/��f��VO����
�{�C83�U:q0��c4�c.z�J
dz���1�+J'Z�A%Q{�d�?�U4��[����4�<�C�p3�ynb��A�J�'f�W
Qd�p�U
�0�[�d1J�~�~- G�]J�&�4��tc�*NaL��S�Ra'�x�8����U��A�R��yL���E6���s�C�IEND�B`�PK�
�[cC�_$$#assets/inc/select2/3/select2.min.jsnu�[���/*
Copyright 2014 Igor Vaynberg

Version: 3.5.2 Timestamp: Sat Nov  1 14:43:36 EDT 2014

This software is licensed under the Apache License, Version 2.0 (the "Apache License") or the GNU
General Public License version 2 (the "GPL License"). You may choose either license to govern your
use of this software only upon the condition that you accept all of the terms of either the Apache
License or the GPL License.

You may obtain a copy of the Apache License and the GPL License at:

http://www.apache.org/licenses/LICENSE-2.0
http://www.gnu.org/licenses/gpl-2.0.html

Unless required by applicable law or agreed to in writing, software distributed under the Apache License
or the GPL Licesnse is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND,
either express or implied. See the Apache License and the GPL License for the specific language governing
permissions and limitations under the Apache License and the GPL License.
*/
!function(a){"undefined"==typeof a.fn.each2&&a.extend(a.fn,{each2:function(b){for(var c=a([0]),d=-1,e=this.length;++d<e&&(c.context=c[0]=this[d])&&b.call(c[0],d,c)!==!1;);return this}})}(jQuery),function(a,b){"use strict";function n(b){var c=a(document.createTextNode(""));b.before(c),c.before(b),c.remove()}function o(a){function b(a){return m[a]||a}return a.replace(/[^\u0000-\u007E]/g,b)}function p(a,b){for(var c=0,d=b.length;d>c;c+=1)if(r(a,b[c]))return c;return-1}function q(){var b=a(l);b.appendTo(document.body);var c={width:b.width()-b[0].clientWidth,height:b.height()-b[0].clientHeight};return b.remove(),c}function r(a,c){return a===c?!0:a===b||c===b?!1:null===a||null===c?!1:a.constructor===String?a+""==c+"":c.constructor===String?c+""==a+"":!1}function s(a,b,c){var d,e,f;if(null===a||a.length<1)return[];for(d=a.split(b),e=0,f=d.length;f>e;e+=1)d[e]=c(d[e]);return d}function t(a){return a.outerWidth(!1)-a.width()}function u(c){var d="keyup-change-value";c.on("keydown",function(){a.data(c,d)===b&&a.data(c,d,c.val())}),c.on("keyup",function(){var e=a.data(c,d);e!==b&&c.val()!==e&&(a.removeData(c,d),c.trigger("keyup-change"))})}function v(c){c.on("mousemove",function(c){var d=h;(d===b||d.x!==c.pageX||d.y!==c.pageY)&&a(c.target).trigger("mousemove-filtered",c)})}function w(a,c,d){d=d||b;var e;return function(){var b=arguments;window.clearTimeout(e),e=window.setTimeout(function(){c.apply(d,b)},a)}}function x(a,b){var c=w(a,function(a){b.trigger("scroll-debounced",a)});b.on("scroll",function(a){p(a.target,b.get())>=0&&c(a)})}function y(a){a[0]!==document.activeElement&&window.setTimeout(function(){var d,b=a[0],c=a.val().length;a.focus();var e=b.offsetWidth>0||b.offsetHeight>0;e&&b===document.activeElement&&(b.setSelectionRange?b.setSelectionRange(c,c):b.createTextRange&&(d=b.createTextRange(),d.collapse(!1),d.select()))},0)}function z(b){b=a(b)[0];var c=0,d=0;if("selectionStart"in b)c=b.selectionStart,d=b.selectionEnd-c;else if("selection"in document){b.focus();var e=document.selection.createRange();d=document.selection.createRange().text.length,e.moveStart("character",-b.value.length),c=e.text.length-d}return{offset:c,length:d}}function A(a){a.preventDefault(),a.stopPropagation()}function B(a){a.preventDefault(),a.stopImmediatePropagation()}function C(b){if(!g){var c=b[0].currentStyle||window.getComputedStyle(b[0],null);g=a(document.createElement("div")).css({position:"absolute",left:"-10000px",top:"-10000px",display:"none",fontSize:c.fontSize,fontFamily:c.fontFamily,fontStyle:c.fontStyle,fontWeight:c.fontWeight,letterSpacing:c.letterSpacing,textTransform:c.textTransform,whiteSpace:"nowrap"}),g.attr("class","select2-sizer"),a(document.body).append(g)}return g.text(b.val()),g.width()}function D(b,c,d){var e,g,f=[];e=a.trim(b.attr("class")),e&&(e=""+e,a(e.split(/\s+/)).each2(function(){0===this.indexOf("select2-")&&f.push(this)})),e=a.trim(c.attr("class")),e&&(e=""+e,a(e.split(/\s+/)).each2(function(){0!==this.indexOf("select2-")&&(g=d(this),g&&f.push(g))})),b.attr("class",f.join(" "))}function E(a,b,c,d){var e=o(a.toUpperCase()).indexOf(o(b.toUpperCase())),f=b.length;return 0>e?(c.push(d(a)),void 0):(c.push(d(a.substring(0,e))),c.push("<span class='select2-match'>"),c.push(d(a.substring(e,e+f))),c.push("</span>"),c.push(d(a.substring(e+f,a.length))),void 0)}function F(a){var b={"\\":"&#92;","&":"&amp;","<":"&lt;",">":"&gt;",'"':"&quot;","'":"&#39;","/":"&#47;"};return String(a).replace(/[&<>"'\/\\]/g,function(a){return b[a]})}function G(c){var d,e=null,f=c.quietMillis||100,g=c.url,h=this;return function(i){window.clearTimeout(d),d=window.setTimeout(function(){var d=c.data,f=g,j=c.transport||a.fn.select2.ajaxDefaults.transport,k={type:c.type||"GET",cache:c.cache||!1,jsonpCallback:c.jsonpCallback||b,dataType:c.dataType||"json"},l=a.extend({},a.fn.select2.ajaxDefaults.params,k);d=d?d.call(h,i.term,i.page,i.context):null,f="function"==typeof f?f.call(h,i.term,i.page,i.context):f,e&&"function"==typeof e.abort&&e.abort(),c.params&&(a.isFunction(c.params)?a.extend(l,c.params.call(h)):a.extend(l,c.params)),a.extend(l,{url:f,dataType:c.dataType,data:d,success:function(a){var b=c.results(a,i.page,i);i.callback(b)},error:function(a,b,c){var d={hasError:!0,jqXHR:a,textStatus:b,errorThrown:c};i.callback(d)}}),e=j.call(h,l)},f)}}function H(b){var d,e,c=b,f=function(a){return""+a.text};a.isArray(c)&&(e=c,c={results:e}),a.isFunction(c)===!1&&(e=c,c=function(){return e});var g=c();return g.text&&(f=g.text,a.isFunction(f)||(d=g.text,f=function(a){return a[d]})),function(b){var g,d=b.term,e={results:[]};return""===d?(b.callback(c()),void 0):(g=function(c,e){var h,i;if(c=c[0],c.children){h={};for(i in c)c.hasOwnProperty(i)&&(h[i]=c[i]);h.children=[],a(c.children).each2(function(a,b){g(b,h.children)}),(h.children.length||b.matcher(d,f(h),c))&&e.push(h)}else b.matcher(d,f(c),c)&&e.push(c)},a(c().results).each2(function(a,b){g(b,e.results)}),b.callback(e),void 0)}}function I(c){var d=a.isFunction(c);return function(e){var f=e.term,g={results:[]},h=d?c(e):c;a.isArray(h)&&(a(h).each(function(){var a=this.text!==b,c=a?this.text:this;(""===f||e.matcher(f,c))&&g.results.push(a?this:{id:this,text:this})}),e.callback(g))}}function J(b,c){if(a.isFunction(b))return!0;if(!b)return!1;if("string"==typeof b)return!0;throw new Error(c+" must be a string, function, or falsy value")}function K(b,c){if(a.isFunction(b)){var d=Array.prototype.slice.call(arguments,2);return b.apply(c,d)}return b}function L(b){var c=0;return a.each(b,function(a,b){b.children?c+=L(b.children):c++}),c}function M(a,c,d,e){var h,i,j,k,l,f=a,g=!1;if(!e.createSearchChoice||!e.tokenSeparators||e.tokenSeparators.length<1)return b;for(;;){for(i=-1,j=0,k=e.tokenSeparators.length;k>j&&(l=e.tokenSeparators[j],i=a.indexOf(l),!(i>=0));j++);if(0>i)break;if(h=a.substring(0,i),a=a.substring(i+l.length),h.length>0&&(h=e.createSearchChoice.call(this,h,c),h!==b&&null!==h&&e.id(h)!==b&&null!==e.id(h))){for(g=!1,j=0,k=c.length;k>j;j++)if(r(e.id(h),e.id(c[j]))){g=!0;break}g||d(h)}}return f!==a?a:void 0}function N(){var b=this;a.each(arguments,function(a,c){b[c].remove(),b[c]=null})}function O(b,c){var d=function(){};return d.prototype=new b,d.prototype.constructor=d,d.prototype.parent=b.prototype,d.prototype=a.extend(d.prototype,c),d}if(window.Select2===b){var c,d,e,f,g,i,j,h={x:0,y:0},k={TAB:9,ENTER:13,ESC:27,SPACE:32,LEFT:37,UP:38,RIGHT:39,DOWN:40,SHIFT:16,CTRL:17,ALT:18,PAGE_UP:33,PAGE_DOWN:34,HOME:36,END:35,BACKSPACE:8,DELETE:46,isArrow:function(a){switch(a=a.which?a.which:a){case k.LEFT:case k.RIGHT:case k.UP:case k.DOWN:return!0}return!1},isControl:function(a){var b=a.which;switch(b){case k.SHIFT:case k.CTRL:case k.ALT:return!0}return a.metaKey?!0:!1},isFunctionKey:function(a){return a=a.which?a.which:a,a>=112&&123>=a}},l="<div class='select2-measure-scrollbar'></div>",m={"\u24b6":"A","\uff21":"A","\xc0":"A","\xc1":"A","\xc2":"A","\u1ea6":"A","\u1ea4":"A","\u1eaa":"A","\u1ea8":"A","\xc3":"A","\u0100":"A","\u0102":"A","\u1eb0":"A","\u1eae":"A","\u1eb4":"A","\u1eb2":"A","\u0226":"A","\u01e0":"A","\xc4":"A","\u01de":"A","\u1ea2":"A","\xc5":"A","\u01fa":"A","\u01cd":"A","\u0200":"A","\u0202":"A","\u1ea0":"A","\u1eac":"A","\u1eb6":"A","\u1e00":"A","\u0104":"A","\u023a":"A","\u2c6f":"A","\ua732":"AA","\xc6":"AE","\u01fc":"AE","\u01e2":"AE","\ua734":"AO","\ua736":"AU","\ua738":"AV","\ua73a":"AV","\ua73c":"AY","\u24b7":"B","\uff22":"B","\u1e02":"B","\u1e04":"B","\u1e06":"B","\u0243":"B","\u0182":"B","\u0181":"B","\u24b8":"C","\uff23":"C","\u0106":"C","\u0108":"C","\u010a":"C","\u010c":"C","\xc7":"C","\u1e08":"C","\u0187":"C","\u023b":"C","\ua73e":"C","\u24b9":"D","\uff24":"D","\u1e0a":"D","\u010e":"D","\u1e0c":"D","\u1e10":"D","\u1e12":"D","\u1e0e":"D","\u0110":"D","\u018b":"D","\u018a":"D","\u0189":"D","\ua779":"D","\u01f1":"DZ","\u01c4":"DZ","\u01f2":"Dz","\u01c5":"Dz","\u24ba":"E","\uff25":"E","\xc8":"E","\xc9":"E","\xca":"E","\u1ec0":"E","\u1ebe":"E","\u1ec4":"E","\u1ec2":"E","\u1ebc":"E","\u0112":"E","\u1e14":"E","\u1e16":"E","\u0114":"E","\u0116":"E","\xcb":"E","\u1eba":"E","\u011a":"E","\u0204":"E","\u0206":"E","\u1eb8":"E","\u1ec6":"E","\u0228":"E","\u1e1c":"E","\u0118":"E","\u1e18":"E","\u1e1a":"E","\u0190":"E","\u018e":"E","\u24bb":"F","\uff26":"F","\u1e1e":"F","\u0191":"F","\ua77b":"F","\u24bc":"G","\uff27":"G","\u01f4":"G","\u011c":"G","\u1e20":"G","\u011e":"G","\u0120":"G","\u01e6":"G","\u0122":"G","\u01e4":"G","\u0193":"G","\ua7a0":"G","\ua77d":"G","\ua77e":"G","\u24bd":"H","\uff28":"H","\u0124":"H","\u1e22":"H","\u1e26":"H","\u021e":"H","\u1e24":"H","\u1e28":"H","\u1e2a":"H","\u0126":"H","\u2c67":"H","\u2c75":"H","\ua78d":"H","\u24be":"I","\uff29":"I","\xcc":"I","\xcd":"I","\xce":"I","\u0128":"I","\u012a":"I","\u012c":"I","\u0130":"I","\xcf":"I","\u1e2e":"I","\u1ec8":"I","\u01cf":"I","\u0208":"I","\u020a":"I","\u1eca":"I","\u012e":"I","\u1e2c":"I","\u0197":"I","\u24bf":"J","\uff2a":"J","\u0134":"J","\u0248":"J","\u24c0":"K","\uff2b":"K","\u1e30":"K","\u01e8":"K","\u1e32":"K","\u0136":"K","\u1e34":"K","\u0198":"K","\u2c69":"K","\ua740":"K","\ua742":"K","\ua744":"K","\ua7a2":"K","\u24c1":"L","\uff2c":"L","\u013f":"L","\u0139":"L","\u013d":"L","\u1e36":"L","\u1e38":"L","\u013b":"L","\u1e3c":"L","\u1e3a":"L","\u0141":"L","\u023d":"L","\u2c62":"L","\u2c60":"L","\ua748":"L","\ua746":"L","\ua780":"L","\u01c7":"LJ","\u01c8":"Lj","\u24c2":"M","\uff2d":"M","\u1e3e":"M","\u1e40":"M","\u1e42":"M","\u2c6e":"M","\u019c":"M","\u24c3":"N","\uff2e":"N","\u01f8":"N","\u0143":"N","\xd1":"N","\u1e44":"N","\u0147":"N","\u1e46":"N","\u0145":"N","\u1e4a":"N","\u1e48":"N","\u0220":"N","\u019d":"N","\ua790":"N","\ua7a4":"N","\u01ca":"NJ","\u01cb":"Nj","\u24c4":"O","\uff2f":"O","\xd2":"O","\xd3":"O","\xd4":"O","\u1ed2":"O","\u1ed0":"O","\u1ed6":"O","\u1ed4":"O","\xd5":"O","\u1e4c":"O","\u022c":"O","\u1e4e":"O","\u014c":"O","\u1e50":"O","\u1e52":"O","\u014e":"O","\u022e":"O","\u0230":"O","\xd6":"O","\u022a":"O","\u1ece":"O","\u0150":"O","\u01d1":"O","\u020c":"O","\u020e":"O","\u01a0":"O","\u1edc":"O","\u1eda":"O","\u1ee0":"O","\u1ede":"O","\u1ee2":"O","\u1ecc":"O","\u1ed8":"O","\u01ea":"O","\u01ec":"O","\xd8":"O","\u01fe":"O","\u0186":"O","\u019f":"O","\ua74a":"O","\ua74c":"O","\u01a2":"OI","\ua74e":"OO","\u0222":"OU","\u24c5":"P","\uff30":"P","\u1e54":"P","\u1e56":"P","\u01a4":"P","\u2c63":"P","\ua750":"P","\ua752":"P","\ua754":"P","\u24c6":"Q","\uff31":"Q","\ua756":"Q","\ua758":"Q","\u024a":"Q","\u24c7":"R","\uff32":"R","\u0154":"R","\u1e58":"R","\u0158":"R","\u0210":"R","\u0212":"R","\u1e5a":"R","\u1e5c":"R","\u0156":"R","\u1e5e":"R","\u024c":"R","\u2c64":"R","\ua75a":"R","\ua7a6":"R","\ua782":"R","\u24c8":"S","\uff33":"S","\u1e9e":"S","\u015a":"S","\u1e64":"S","\u015c":"S","\u1e60":"S","\u0160":"S","\u1e66":"S","\u1e62":"S","\u1e68":"S","\u0218":"S","\u015e":"S","\u2c7e":"S","\ua7a8":"S","\ua784":"S","\u24c9":"T","\uff34":"T","\u1e6a":"T","\u0164":"T","\u1e6c":"T","\u021a":"T","\u0162":"T","\u1e70":"T","\u1e6e":"T","\u0166":"T","\u01ac":"T","\u01ae":"T","\u023e":"T","\ua786":"T","\ua728":"TZ","\u24ca":"U","\uff35":"U","\xd9":"U","\xda":"U","\xdb":"U","\u0168":"U","\u1e78":"U","\u016a":"U","\u1e7a":"U","\u016c":"U","\xdc":"U","\u01db":"U","\u01d7":"U","\u01d5":"U","\u01d9":"U","\u1ee6":"U","\u016e":"U","\u0170":"U","\u01d3":"U","\u0214":"U","\u0216":"U","\u01af":"U","\u1eea":"U","\u1ee8":"U","\u1eee":"U","\u1eec":"U","\u1ef0":"U","\u1ee4":"U","\u1e72":"U","\u0172":"U","\u1e76":"U","\u1e74":"U","\u0244":"U","\u24cb":"V","\uff36":"V","\u1e7c":"V","\u1e7e":"V","\u01b2":"V","\ua75e":"V","\u0245":"V","\ua760":"VY","\u24cc":"W","\uff37":"W","\u1e80":"W","\u1e82":"W","\u0174":"W","\u1e86":"W","\u1e84":"W","\u1e88":"W","\u2c72":"W","\u24cd":"X","\uff38":"X","\u1e8a":"X","\u1e8c":"X","\u24ce":"Y","\uff39":"Y","\u1ef2":"Y","\xdd":"Y","\u0176":"Y","\u1ef8":"Y","\u0232":"Y","\u1e8e":"Y","\u0178":"Y","\u1ef6":"Y","\u1ef4":"Y","\u01b3":"Y","\u024e":"Y","\u1efe":"Y","\u24cf":"Z","\uff3a":"Z","\u0179":"Z","\u1e90":"Z","\u017b":"Z","\u017d":"Z","\u1e92":"Z","\u1e94":"Z","\u01b5":"Z","\u0224":"Z","\u2c7f":"Z","\u2c6b":"Z","\ua762":"Z","\u24d0":"a","\uff41":"a","\u1e9a":"a","\xe0":"a","\xe1":"a","\xe2":"a","\u1ea7":"a","\u1ea5":"a","\u1eab":"a","\u1ea9":"a","\xe3":"a","\u0101":"a","\u0103":"a","\u1eb1":"a","\u1eaf":"a","\u1eb5":"a","\u1eb3":"a","\u0227":"a","\u01e1":"a","\xe4":"a","\u01df":"a","\u1ea3":"a","\xe5":"a","\u01fb":"a","\u01ce":"a","\u0201":"a","\u0203":"a","\u1ea1":"a","\u1ead":"a","\u1eb7":"a","\u1e01":"a","\u0105":"a","\u2c65":"a","\u0250":"a","\ua733":"aa","\xe6":"ae","\u01fd":"ae","\u01e3":"ae","\ua735":"ao","\ua737":"au","\ua739":"av","\ua73b":"av","\ua73d":"ay","\u24d1":"b","\uff42":"b","\u1e03":"b","\u1e05":"b","\u1e07":"b","\u0180":"b","\u0183":"b","\u0253":"b","\u24d2":"c","\uff43":"c","\u0107":"c","\u0109":"c","\u010b":"c","\u010d":"c","\xe7":"c","\u1e09":"c","\u0188":"c","\u023c":"c","\ua73f":"c","\u2184":"c","\u24d3":"d","\uff44":"d","\u1e0b":"d","\u010f":"d","\u1e0d":"d","\u1e11":"d","\u1e13":"d","\u1e0f":"d","\u0111":"d","\u018c":"d","\u0256":"d","\u0257":"d","\ua77a":"d","\u01f3":"dz","\u01c6":"dz","\u24d4":"e","\uff45":"e","\xe8":"e","\xe9":"e","\xea":"e","\u1ec1":"e","\u1ebf":"e","\u1ec5":"e","\u1ec3":"e","\u1ebd":"e","\u0113":"e","\u1e15":"e","\u1e17":"e","\u0115":"e","\u0117":"e","\xeb":"e","\u1ebb":"e","\u011b":"e","\u0205":"e","\u0207":"e","\u1eb9":"e","\u1ec7":"e","\u0229":"e","\u1e1d":"e","\u0119":"e","\u1e19":"e","\u1e1b":"e","\u0247":"e","\u025b":"e","\u01dd":"e","\u24d5":"f","\uff46":"f","\u1e1f":"f","\u0192":"f","\ua77c":"f","\u24d6":"g","\uff47":"g","\u01f5":"g","\u011d":"g","\u1e21":"g","\u011f":"g","\u0121":"g","\u01e7":"g","\u0123":"g","\u01e5":"g","\u0260":"g","\ua7a1":"g","\u1d79":"g","\ua77f":"g","\u24d7":"h","\uff48":"h","\u0125":"h","\u1e23":"h","\u1e27":"h","\u021f":"h","\u1e25":"h","\u1e29":"h","\u1e2b":"h","\u1e96":"h","\u0127":"h","\u2c68":"h","\u2c76":"h","\u0265":"h","\u0195":"hv","\u24d8":"i","\uff49":"i","\xec":"i","\xed":"i","\xee":"i","\u0129":"i","\u012b":"i","\u012d":"i","\xef":"i","\u1e2f":"i","\u1ec9":"i","\u01d0":"i","\u0209":"i","\u020b":"i","\u1ecb":"i","\u012f":"i","\u1e2d":"i","\u0268":"i","\u0131":"i","\u24d9":"j","\uff4a":"j","\u0135":"j","\u01f0":"j","\u0249":"j","\u24da":"k","\uff4b":"k","\u1e31":"k","\u01e9":"k","\u1e33":"k","\u0137":"k","\u1e35":"k","\u0199":"k","\u2c6a":"k","\ua741":"k","\ua743":"k","\ua745":"k","\ua7a3":"k","\u24db":"l","\uff4c":"l","\u0140":"l","\u013a":"l","\u013e":"l","\u1e37":"l","\u1e39":"l","\u013c":"l","\u1e3d":"l","\u1e3b":"l","\u017f":"l","\u0142":"l","\u019a":"l","\u026b":"l","\u2c61":"l","\ua749":"l","\ua781":"l","\ua747":"l","\u01c9":"lj","\u24dc":"m","\uff4d":"m","\u1e3f":"m","\u1e41":"m","\u1e43":"m","\u0271":"m","\u026f":"m","\u24dd":"n","\uff4e":"n","\u01f9":"n","\u0144":"n","\xf1":"n","\u1e45":"n","\u0148":"n","\u1e47":"n","\u0146":"n","\u1e4b":"n","\u1e49":"n","\u019e":"n","\u0272":"n","\u0149":"n","\ua791":"n","\ua7a5":"n","\u01cc":"nj","\u24de":"o","\uff4f":"o","\xf2":"o","\xf3":"o","\xf4":"o","\u1ed3":"o","\u1ed1":"o","\u1ed7":"o","\u1ed5":"o","\xf5":"o","\u1e4d":"o","\u022d":"o","\u1e4f":"o","\u014d":"o","\u1e51":"o","\u1e53":"o","\u014f":"o","\u022f":"o","\u0231":"o","\xf6":"o","\u022b":"o","\u1ecf":"o","\u0151":"o","\u01d2":"o","\u020d":"o","\u020f":"o","\u01a1":"o","\u1edd":"o","\u1edb":"o","\u1ee1":"o","\u1edf":"o","\u1ee3":"o","\u1ecd":"o","\u1ed9":"o","\u01eb":"o","\u01ed":"o","\xf8":"o","\u01ff":"o","\u0254":"o","\ua74b":"o","\ua74d":"o","\u0275":"o","\u01a3":"oi","\u0223":"ou","\ua74f":"oo","\u24df":"p","\uff50":"p","\u1e55":"p","\u1e57":"p","\u01a5":"p","\u1d7d":"p","\ua751":"p","\ua753":"p","\ua755":"p","\u24e0":"q","\uff51":"q","\u024b":"q","\ua757":"q","\ua759":"q","\u24e1":"r","\uff52":"r","\u0155":"r","\u1e59":"r","\u0159":"r","\u0211":"r","\u0213":"r","\u1e5b":"r","\u1e5d":"r","\u0157":"r","\u1e5f":"r","\u024d":"r","\u027d":"r","\ua75b":"r","\ua7a7":"r","\ua783":"r","\u24e2":"s","\uff53":"s","\xdf":"s","\u015b":"s","\u1e65":"s","\u015d":"s","\u1e61":"s","\u0161":"s","\u1e67":"s","\u1e63":"s","\u1e69":"s","\u0219":"s","\u015f":"s","\u023f":"s","\ua7a9":"s","\ua785":"s","\u1e9b":"s","\u24e3":"t","\uff54":"t","\u1e6b":"t","\u1e97":"t","\u0165":"t","\u1e6d":"t","\u021b":"t","\u0163":"t","\u1e71":"t","\u1e6f":"t","\u0167":"t","\u01ad":"t","\u0288":"t","\u2c66":"t","\ua787":"t","\ua729":"tz","\u24e4":"u","\uff55":"u","\xf9":"u","\xfa":"u","\xfb":"u","\u0169":"u","\u1e79":"u","\u016b":"u","\u1e7b":"u","\u016d":"u","\xfc":"u","\u01dc":"u","\u01d8":"u","\u01d6":"u","\u01da":"u","\u1ee7":"u","\u016f":"u","\u0171":"u","\u01d4":"u","\u0215":"u","\u0217":"u","\u01b0":"u","\u1eeb":"u","\u1ee9":"u","\u1eef":"u","\u1eed":"u","\u1ef1":"u","\u1ee5":"u","\u1e73":"u","\u0173":"u","\u1e77":"u","\u1e75":"u","\u0289":"u","\u24e5":"v","\uff56":"v","\u1e7d":"v","\u1e7f":"v","\u028b":"v","\ua75f":"v","\u028c":"v","\ua761":"vy","\u24e6":"w","\uff57":"w","\u1e81":"w","\u1e83":"w","\u0175":"w","\u1e87":"w","\u1e85":"w","\u1e98":"w","\u1e89":"w","\u2c73":"w","\u24e7":"x","\uff58":"x","\u1e8b":"x","\u1e8d":"x","\u24e8":"y","\uff59":"y","\u1ef3":"y","\xfd":"y","\u0177":"y","\u1ef9":"y","\u0233":"y","\u1e8f":"y","\xff":"y","\u1ef7":"y","\u1e99":"y","\u1ef5":"y","\u01b4":"y","\u024f":"y","\u1eff":"y","\u24e9":"z","\uff5a":"z","\u017a":"z","\u1e91":"z","\u017c":"z","\u017e":"z","\u1e93":"z","\u1e95":"z","\u01b6":"z","\u0225":"z","\u0240":"z","\u2c6c":"z","\ua763":"z","\u0386":"\u0391","\u0388":"\u0395","\u0389":"\u0397","\u038a":"\u0399","\u03aa":"\u0399","\u038c":"\u039f","\u038e":"\u03a5","\u03ab":"\u03a5","\u038f":"\u03a9","\u03ac":"\u03b1","\u03ad":"\u03b5","\u03ae":"\u03b7","\u03af":"\u03b9","\u03ca":"\u03b9","\u0390":"\u03b9","\u03cc":"\u03bf","\u03cd":"\u03c5","\u03cb":"\u03c5","\u03b0":"\u03c5","\u03c9":"\u03c9","\u03c2":"\u03c3"};i=a(document),f=function(){var a=1;return function(){return a++}}(),c=O(Object,{bind:function(a){var b=this;return function(){a.apply(b,arguments)}},init:function(c){var d,e,g=".select2-results";this.opts=c=this.prepareOpts(c),this.id=c.id,c.element.data("select2")!==b&&null!==c.element.data("select2")&&c.element.data("select2").destroy(),this.container=this.createContainer(),this.liveRegion=a(".select2-hidden-accessible"),0==this.liveRegion.length&&(this.liveRegion=a("<span>",{role:"status","aria-live":"polite"}).addClass("select2-hidden-accessible").appendTo(document.body)),this.containerId="s2id_"+(c.element.attr("id")||"autogen"+f()),this.containerEventName=this.containerId.replace(/([.])/g,"_").replace(/([;&,\-\.\+\*\~':"\!\^#$%@\[\]\(\)=>\|])/g,"\\$1"),this.container.attr("id",this.containerId),this.container.attr("title",c.element.attr("title")),this.body=a(document.body),D(this.container,this.opts.element,this.opts.adaptContainerCssClass),this.container.attr("style",c.element.attr("style")),this.container.css(K(c.containerCss,this.opts.element)),this.container.addClass(K(c.containerCssClass,this.opts.element)),this.elementTabIndex=this.opts.element.attr("tabindex"),this.opts.element.data("select2",this).attr("tabindex","-1").before(this.container).on("click.select2",A),this.container.data("select2",this),this.dropdown=this.container.find(".select2-drop"),D(this.dropdown,this.opts.element,this.opts.adaptDropdownCssClass),this.dropdown.addClass(K(c.dropdownCssClass,this.opts.element)),this.dropdown.data("select2",this),this.dropdown.on("click",A),this.results=d=this.container.find(g),this.search=e=this.container.find("input.select2-input"),this.queryCount=0,this.resultsPage=0,this.context=null,this.initContainer(),this.container.on("click",A),v(this.results),this.dropdown.on("mousemove-filtered",g,this.bind(this.highlightUnderEvent)),this.dropdown.on("touchstart touchmove touchend",g,this.bind(function(a){this._touchEvent=!0,this.highlightUnderEvent(a)})),this.dropdown.on("touchmove",g,this.bind(this.touchMoved)),this.dropdown.on("touchstart touchend",g,this.bind(this.clearTouchMoved)),this.dropdown.on("click",this.bind(function(){this._touchEvent&&(this._touchEvent=!1,this.selectHighlighted())})),x(80,this.results),this.dropdown.on("scroll-debounced",g,this.bind(this.loadMoreIfNeeded)),a(this.container).on("change",".select2-input",function(a){a.stopPropagation()}),a(this.dropdown).on("change",".select2-input",function(a){a.stopPropagation()}),a.fn.mousewheel&&d.mousewheel(function(a,b,c,e){var f=d.scrollTop();e>0&&0>=f-e?(d.scrollTop(0),A(a)):0>e&&d.get(0).scrollHeight-d.scrollTop()+e<=d.height()&&(d.scrollTop(d.get(0).scrollHeight-d.height()),A(a))}),u(e),e.on("keyup-change input paste",this.bind(this.updateResults)),e.on("focus",function(){e.addClass("select2-focused")}),e.on("blur",function(){e.removeClass("select2-focused")}),this.dropdown.on("mouseup",g,this.bind(function(b){a(b.target).closest(".select2-result-selectable").length>0&&(this.highlightUnderEvent(b),this.selectHighlighted(b))})),this.dropdown.on("click mouseup mousedown touchstart touchend focusin",function(a){a.stopPropagation()}),this.nextSearchTerm=b,a.isFunction(this.opts.initSelection)&&(this.initSelection(),this.monitorSource()),null!==c.maximumInputLength&&this.search.attr("maxlength",c.maximumInputLength);var h=c.element.prop("disabled");h===b&&(h=!1),this.enable(!h);var i=c.element.prop("readonly");i===b&&(i=!1),this.readonly(i),j=j||q(),this.autofocus=c.element.prop("autofocus"),c.element.prop("autofocus",!1),this.autofocus&&this.focus(),this.search.attr("placeholder",c.searchInputPlaceholder)},destroy:function(){var a=this.opts.element,c=a.data("select2"),d=this;this.close(),a.length&&a[0].detachEvent&&d._sync&&a.each(function(){d._sync&&this.detachEvent("onpropertychange",d._sync)}),this.propertyObserver&&(this.propertyObserver.disconnect(),this.propertyObserver=null),this._sync=null,c!==b&&(c.container.remove(),c.liveRegion.remove(),c.dropdown.remove(),a.show().removeData("select2").off(".select2").prop("autofocus",this.autofocus||!1),this.elementTabIndex?a.attr({tabindex:this.elementTabIndex}):a.removeAttr("tabindex"),a.show()),N.call(this,"container","liveRegion","dropdown","results","search")},optionToData:function(a){return a.is("option")?{id:a.prop("value"),text:a.text(),element:a.get(),css:a.attr("class"),disabled:a.prop("disabled"),locked:r(a.attr("locked"),"locked")||r(a.data("locked"),!0)}:a.is("optgroup")?{text:a.attr("label"),children:[],element:a.get(),css:a.attr("class")}:void 0},prepareOpts:function(c){var d,e,g,h,i=this;if(d=c.element,"select"===d.get(0).tagName.toLowerCase()&&(this.select=e=c.element),e&&a.each(["id","multiple","ajax","query","createSearchChoice","initSelection","data","tags"],function(){if(this in c)throw new Error("Option '"+this+"' is not allowed for Select2 when attached to a <select> element.")}),c=a.extend({},{populateResults:function(d,e,g){var h,j=this.opts.id,k=this.liveRegion;h=function(d,e,l){var m,n,o,p,q,r,s,t,u,v;d=c.sortResults(d,e,g);var w=[];for(m=0,n=d.length;n>m;m+=1)o=d[m],q=o.disabled===!0,p=!q&&j(o)!==b,r=o.children&&o.children.length>0,s=a("<li></li>"),s.addClass("select2-results-dept-"+l),s.addClass("select2-result"),s.addClass(p?"select2-result-selectable":"select2-result-unselectable"),q&&s.addClass("select2-disabled"),r&&s.addClass("select2-result-with-children"),s.addClass(i.opts.formatResultCssClass(o)),s.attr("role","presentation"),t=a(document.createElement("div")),t.addClass("select2-result-label"),t.attr("id","select2-result-label-"+f()),t.attr("role","option"),v=c.formatResult(o,t,g,i.opts.escapeMarkup),v!==b&&(t.html(v),s.append(t)),r&&(u=a("<ul></ul>"),u.addClass("select2-result-sub"),h(o.children,u,l+1),s.append(u)),s.data("select2-data",o),w.push(s[0]);e.append(w),k.text(c.formatMatches(d.length))},h(e,d,0)}},a.fn.select2.defaults,c),"function"!=typeof c.id&&(g=c.id,c.id=function(a){return a[g]}),a.isArray(c.element.data("select2Tags"))){if("tags"in c)throw"tags specified as both an attribute 'data-select2-tags' and in options of Select2 "+c.element.attr("id");c.tags=c.element.data("select2Tags")}if(e?(c.query=this.bind(function(a){var f,g,h,c={results:[],more:!1},e=a.term;h=function(b,c){var d;b.is("option")?a.matcher(e,b.text(),b)&&c.push(i.optionToData(b)):b.is("optgroup")&&(d=i.optionToData(b),b.children().each2(function(a,b){h(b,d.children)}),d.children.length>0&&c.push(d))},f=d.children(),this.getPlaceholder()!==b&&f.length>0&&(g=this.getPlaceholderOption(),g&&(f=f.not(g))),f.each2(function(a,b){h(b,c.results)}),a.callback(c)}),c.id=function(a){return a.id}):"query"in c||("ajax"in c?(h=c.element.data("ajax-url"),h&&h.length>0&&(c.ajax.url=h),c.query=G.call(c.element,c.ajax)):"data"in c?c.query=H(c.data):"tags"in c&&(c.query=I(c.tags),c.createSearchChoice===b&&(c.createSearchChoice=function(b){return{id:a.trim(b),text:a.trim(b)}}),c.initSelection===b&&(c.initSelection=function(b,d){var e=[];a(s(b.val(),c.separator,c.transformVal)).each(function(){var b={id:this,text:this},d=c.tags;a.isFunction(d)&&(d=d()),a(d).each(function(){return r(this.id,b.id)?(b=this,!1):void 0}),e.push(b)}),d(e)}))),"function"!=typeof c.query)throw"query function not defined for Select2 "+c.element.attr("id");if("top"===c.createSearchChoicePosition)c.createSearchChoicePosition=function(a,b){a.unshift(b)};else if("bottom"===c.createSearchChoicePosition)c.createSearchChoicePosition=function(a,b){a.push(b)};else if("function"!=typeof c.createSearchChoicePosition)throw"invalid createSearchChoicePosition option must be 'top', 'bottom' or a custom function";return c},monitorSource:function(){var d,c=this.opts.element,e=this;c.on("change.select2",this.bind(function(){this.opts.element.data("select2-change-triggered")!==!0&&this.initSelection()})),this._sync=this.bind(function(){var a=c.prop("disabled");a===b&&(a=!1),this.enable(!a);var d=c.prop("readonly");d===b&&(d=!1),this.readonly(d),this.container&&(D(this.container,this.opts.element,this.opts.adaptContainerCssClass),this.container.addClass(K(this.opts.containerCssClass,this.opts.element))),this.dropdown&&(D(this.dropdown,this.opts.element,this.opts.adaptDropdownCssClass),this.dropdown.addClass(K(this.opts.dropdownCssClass,this.opts.element)))}),c.length&&c[0].attachEvent&&c.each(function(){this.attachEvent("onpropertychange",e._sync)}),d=window.MutationObserver||window.WebKitMutationObserver||window.MozMutationObserver,d!==b&&(this.propertyObserver&&(delete this.propertyObserver,this.propertyObserver=null),this.propertyObserver=new d(function(b){a.each(b,e._sync)}),this.propertyObserver.observe(c.get(0),{attributes:!0,subtree:!1}))},triggerSelect:function(b){var c=a.Event("select2-selecting",{val:this.id(b),object:b,choice:b});return this.opts.element.trigger(c),!c.isDefaultPrevented()},triggerChange:function(b){b=b||{},b=a.extend({},b,{type:"change",val:this.val()}),this.opts.element.data("select2-change-triggered",!0),this.opts.element.trigger(b),this.opts.element.data("select2-change-triggered",!1),this.opts.element.click(),this.opts.blurOnChange&&this.opts.element.blur()},isInterfaceEnabled:function(){return this.enabledInterface===!0},enableInterface:function(){var a=this._enabled&&!this._readonly,b=!a;return a===this.enabledInterface?!1:(this.container.toggleClass("select2-container-disabled",b),this.close(),this.enabledInterface=a,!0)},enable:function(a){a===b&&(a=!0),this._enabled!==a&&(this._enabled=a,this.opts.element.prop("disabled",!a),this.enableInterface())},disable:function(){this.enable(!1)},readonly:function(a){a===b&&(a=!1),this._readonly!==a&&(this._readonly=a,this.opts.element.prop("readonly",a),this.enableInterface())},opened:function(){return this.container?this.container.hasClass("select2-dropdown-open"):!1},positionDropdown:function(){var v,w,x,y,z,b=this.dropdown,c=this.container,d=c.offset(),e=c.outerHeight(!1),f=c.outerWidth(!1),g=b.outerHeight(!1),h=a(window),i=h.width(),k=h.height(),l=h.scrollLeft()+i,m=h.scrollTop()+k,n=d.top+e,o=d.left,p=m>=n+g,q=d.top-g>=h.scrollTop(),r=b.outerWidth(!1),s=function(){return l>=o+r},t=function(){return d.left+l+c.outerWidth(!1)>r},u=b.hasClass("select2-drop-above");u?(w=!0,!q&&p&&(x=!0,w=!1)):(w=!1,!p&&q&&(x=!0,w=!0)),x&&(b.hide(),d=this.container.offset(),e=this.container.outerHeight(!1),f=this.container.outerWidth(!1),g=b.outerHeight(!1),l=h.scrollLeft()+i,m=h.scrollTop()+k,n=d.top+e,o=d.left,r=b.outerWidth(!1),b.show(),this.focusSearch()),this.opts.dropdownAutoWidth?(z=a(".select2-results",b)[0],b.addClass("select2-drop-auto-width"),b.css("width",""),r=b.outerWidth(!1)+(z.scrollHeight===z.clientHeight?0:j.width),r>f?f=r:r=f,g=b.outerHeight(!1)):this.container.removeClass("select2-drop-auto-width"),"static"!==this.body.css("position")&&(v=this.body.offset(),n-=v.top,o-=v.left),!s()&&t()&&(o=d.left+this.container.outerWidth(!1)-r),y={left:o,width:f},w?(y.top=d.top-g,y.bottom="auto",this.container.addClass("select2-drop-above"),b.addClass("select2-drop-above")):(y.top=n,y.bottom="auto",this.container.removeClass("select2-drop-above"),b.removeClass("select2-drop-above")),y=a.extend(y,K(this.opts.dropdownCss,this.opts.element)),b.css(y)},shouldOpen:function(){var b;return this.opened()?!1:this._enabled===!1||this._readonly===!0?!1:(b=a.Event("select2-opening"),this.opts.element.trigger(b),!b.isDefaultPrevented())},clearDropdownAlignmentPreference:function(){this.container.removeClass("select2-drop-above"),this.dropdown.removeClass("select2-drop-above")},open:function(){return this.shouldOpen()?(this.opening(),i.on("mousemove.select2Event",function(a){h.x=a.pageX,h.y=a.pageY}),!0):!1},opening:function(){var f,b=this.containerEventName,c="scroll."+b,d="resize."+b,e="orientationchange."+b;this.container.addClass("select2-dropdown-open").addClass("select2-container-active"),this.clearDropdownAlignmentPreference(),this.dropdown[0]!==this.body.children().last()[0]&&this.dropdown.detach().appendTo(this.body),f=a("#select2-drop-mask"),0===f.length&&(f=a(document.createElement("div")),f.attr("id","select2-drop-mask").attr("class","select2-drop-mask"),f.hide(),f.appendTo(this.body),f.on("mousedown touchstart click",function(b){n(f);var d,c=a("#select2-drop");c.length>0&&(d=c.data("select2"),d.opts.selectOnBlur&&d.selectHighlighted({noFocus:!0}),d.close(),b.preventDefault(),b.stopPropagation())})),this.dropdown.prev()[0]!==f[0]&&this.dropdown.before(f),a("#select2-drop").removeAttr("id"),this.dropdown.attr("id","select2-drop"),f.show(),this.positionDropdown(),this.dropdown.show(),this.positionDropdown(),this.dropdown.addClass("select2-drop-active");var g=this;this.container.parents().add(window).each(function(){a(this).on(d+" "+c+" "+e,function(){g.opened()&&g.positionDropdown()})})},close:function(){if(this.opened()){var b=this.containerEventName,c="scroll."+b,d="resize."+b,e="orientationchange."+b;this.container.parents().add(window).each(function(){a(this).off(c).off(d).off(e)}),this.clearDropdownAlignmentPreference(),a("#select2-drop-mask").hide(),this.dropdown.removeAttr("id"),this.dropdown.hide(),this.container.removeClass("select2-dropdown-open").removeClass("select2-container-active"),this.results.empty(),i.off("mousemove.select2Event"),this.clearSearch(),this.search.removeClass("select2-active"),this.opts.element.trigger(a.Event("select2-close"))}},externalSearch:function(a){this.open(),this.search.val(a),this.updateResults(!1)},clearSearch:function(){},getMaximumSelectionSize:function(){return K(this.opts.maximumSelectionSize,this.opts.element)},ensureHighlightVisible:function(){var c,d,e,f,g,h,i,j,b=this.results;if(d=this.highlight(),!(0>d)){if(0==d)return b.scrollTop(0),void 0;c=this.findHighlightableChoices().find(".select2-result-label"),e=a(c[d]),j=(e.offset()||{}).top||0,f=j+e.outerHeight(!0),d===c.length-1&&(i=b.find("li.select2-more-results"),i.length>0&&(f=i.offset().top+i.outerHeight(!0))),g=b.offset().top+b.outerHeight(!1),f>g&&b.scrollTop(b.scrollTop()+(f-g)),h=j-b.offset().top,0>h&&"none"!=e.css("display")&&b.scrollTop(b.scrollTop()+h)}},findHighlightableChoices:function(){return this.results.find(".select2-result-selectable:not(.select2-disabled):not(.select2-selected)")},moveHighlight:function(b){for(var c=this.findHighlightableChoices(),d=this.highlight();d>-1&&d<c.length;){d+=b;
var e=a(c[d]);if(e.hasClass("select2-result-selectable")&&!e.hasClass("select2-disabled")&&!e.hasClass("select2-selected")){this.highlight(d);break}}},highlight:function(b){var d,e,c=this.findHighlightableChoices();return 0===arguments.length?p(c.filter(".select2-highlighted")[0],c.get()):(b>=c.length&&(b=c.length-1),0>b&&(b=0),this.removeHighlight(),d=a(c[b]),d.addClass("select2-highlighted"),this.search.attr("aria-activedescendant",d.find(".select2-result-label").attr("id")),this.ensureHighlightVisible(),this.liveRegion.text(d.text()),e=d.data("select2-data"),e&&this.opts.element.trigger({type:"select2-highlight",val:this.id(e),choice:e}),void 0)},removeHighlight:function(){this.results.find(".select2-highlighted").removeClass("select2-highlighted")},touchMoved:function(){this._touchMoved=!0},clearTouchMoved:function(){this._touchMoved=!1},countSelectableResults:function(){return this.findHighlightableChoices().length},highlightUnderEvent:function(b){var c=a(b.target).closest(".select2-result-selectable");if(c.length>0&&!c.is(".select2-highlighted")){var d=this.findHighlightableChoices();this.highlight(d.index(c))}else 0==c.length&&this.removeHighlight()},loadMoreIfNeeded:function(){var c,a=this.results,b=a.find("li.select2-more-results"),d=this.resultsPage+1,e=this,f=this.search.val(),g=this.context;0!==b.length&&(c=b.offset().top-a.offset().top-a.height(),c<=this.opts.loadMorePadding&&(b.addClass("select2-active"),this.opts.query({element:this.opts.element,term:f,page:d,context:g,matcher:this.opts.matcher,callback:this.bind(function(c){e.opened()&&(e.opts.populateResults.call(this,a,c.results,{term:f,page:d,context:g}),e.postprocessResults(c,!1,!1),c.more===!0?(b.detach().appendTo(a).html(e.opts.escapeMarkup(K(e.opts.formatLoadMore,e.opts.element,d+1))),window.setTimeout(function(){e.loadMoreIfNeeded()},10)):b.remove(),e.positionDropdown(),e.resultsPage=d,e.context=c.context,this.opts.element.trigger({type:"select2-loaded",items:c}))})})))},tokenize:function(){},updateResults:function(c){function m(){d.removeClass("select2-active"),h.positionDropdown(),e.find(".select2-no-results,.select2-selection-limit,.select2-searching").length?h.liveRegion.text(e.text()):h.liveRegion.text(h.opts.formatMatches(e.find('.select2-result-selectable:not(".select2-selected")').length))}function n(a){e.html(a),m()}var g,i,l,d=this.search,e=this.results,f=this.opts,h=this,j=d.val(),k=a.data(this.container,"select2-last-term");if((c===!0||!k||!r(j,k))&&(a.data(this.container,"select2-last-term",j),c===!0||this.showSearchInput!==!1&&this.opened())){l=++this.queryCount;var o=this.getMaximumSelectionSize();if(o>=1&&(g=this.data(),a.isArray(g)&&g.length>=o&&J(f.formatSelectionTooBig,"formatSelectionTooBig")))return n("<li class='select2-selection-limit'>"+K(f.formatSelectionTooBig,f.element,o)+"</li>"),void 0;if(d.val().length<f.minimumInputLength)return J(f.formatInputTooShort,"formatInputTooShort")?n("<li class='select2-no-results'>"+K(f.formatInputTooShort,f.element,d.val(),f.minimumInputLength)+"</li>"):n(""),c&&this.showSearch&&this.showSearch(!0),void 0;if(f.maximumInputLength&&d.val().length>f.maximumInputLength)return J(f.formatInputTooLong,"formatInputTooLong")?n("<li class='select2-no-results'>"+K(f.formatInputTooLong,f.element,d.val(),f.maximumInputLength)+"</li>"):n(""),void 0;f.formatSearching&&0===this.findHighlightableChoices().length&&n("<li class='select2-searching'>"+K(f.formatSearching,f.element)+"</li>"),d.addClass("select2-active"),this.removeHighlight(),i=this.tokenize(),i!=b&&null!=i&&d.val(i),this.resultsPage=1,f.query({element:f.element,term:d.val(),page:this.resultsPage,context:null,matcher:f.matcher,callback:this.bind(function(g){var i;if(l==this.queryCount){if(!this.opened())return this.search.removeClass("select2-active"),void 0;if(g.hasError!==b&&J(f.formatAjaxError,"formatAjaxError"))return n("<li class='select2-ajax-error'>"+K(f.formatAjaxError,f.element,g.jqXHR,g.textStatus,g.errorThrown)+"</li>"),void 0;if(this.context=g.context===b?null:g.context,this.opts.createSearchChoice&&""!==d.val()&&(i=this.opts.createSearchChoice.call(h,d.val(),g.results),i!==b&&null!==i&&h.id(i)!==b&&null!==h.id(i)&&0===a(g.results).filter(function(){return r(h.id(this),h.id(i))}).length&&this.opts.createSearchChoicePosition(g.results,i)),0===g.results.length&&J(f.formatNoMatches,"formatNoMatches"))return n("<li class='select2-no-results'>"+K(f.formatNoMatches,f.element,d.val())+"</li>"),void 0;e.empty(),h.opts.populateResults.call(this,e,g.results,{term:d.val(),page:this.resultsPage,context:null}),g.more===!0&&J(f.formatLoadMore,"formatLoadMore")&&(e.append("<li class='select2-more-results'>"+f.escapeMarkup(K(f.formatLoadMore,f.element,this.resultsPage))+"</li>"),window.setTimeout(function(){h.loadMoreIfNeeded()},10)),this.postprocessResults(g,c),m(),this.opts.element.trigger({type:"select2-loaded",items:g})}})})}},cancel:function(){this.close()},blur:function(){this.opts.selectOnBlur&&this.selectHighlighted({noFocus:!0}),this.close(),this.container.removeClass("select2-container-active"),this.search[0]===document.activeElement&&this.search.blur(),this.clearSearch(),this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus")},focusSearch:function(){y(this.search)},selectHighlighted:function(a){if(this._touchMoved)return this.clearTouchMoved(),void 0;var b=this.highlight(),c=this.results.find(".select2-highlighted"),d=c.closest(".select2-result").data("select2-data");d?(this.highlight(b),this.onSelect(d,a)):a&&a.noFocus&&this.close()},getPlaceholder:function(){var a;return this.opts.element.attr("placeholder")||this.opts.element.attr("data-placeholder")||this.opts.element.data("placeholder")||this.opts.placeholder||((a=this.getPlaceholderOption())!==b?a.text():b)},getPlaceholderOption:function(){if(this.select){var c=this.select.children("option").first();if(this.opts.placeholderOption!==b)return"first"===this.opts.placeholderOption&&c||"function"==typeof this.opts.placeholderOption&&this.opts.placeholderOption(this.select);if(""===a.trim(c.text())&&""===c.val())return c}},initContainerWidth:function(){function c(){var c,d,e,f,g,h;if("off"===this.opts.width)return null;if("element"===this.opts.width)return 0===this.opts.element.outerWidth(!1)?"auto":this.opts.element.outerWidth(!1)+"px";if("copy"===this.opts.width||"resolve"===this.opts.width){if(c=this.opts.element.attr("style"),c!==b)for(d=c.split(";"),f=0,g=d.length;g>f;f+=1)if(h=d[f].replace(/\s/g,""),e=h.match(/^width:(([-+]?([0-9]*\.)?[0-9]+)(px|em|ex|%|in|cm|mm|pt|pc))/i),null!==e&&e.length>=1)return e[1];return"resolve"===this.opts.width?(c=this.opts.element.css("width"),c.indexOf("%")>0?c:0===this.opts.element.outerWidth(!1)?"auto":this.opts.element.outerWidth(!1)+"px"):null}return a.isFunction(this.opts.width)?this.opts.width():this.opts.width}var d=c.call(this);null!==d&&this.container.css("width",d)}}),d=O(c,{createContainer:function(){var b=a(document.createElement("div")).attr({"class":"select2-container"}).html(["<a href='javascript:void(0)' class='select2-choice' tabindex='-1'>","   <span class='select2-chosen'>&#160;</span><abbr class='select2-search-choice-close'></abbr>","   <span class='select2-arrow' role='presentation'><b role='presentation'></b></span>","</a>","<label for='' class='select2-offscreen'></label>","<input class='select2-focusser select2-offscreen' type='text' aria-haspopup='true' role='button' />","<div class='select2-drop select2-display-none'>","   <div class='select2-search'>","       <label for='' class='select2-offscreen'></label>","       <input type='text' autocomplete='off' autocorrect='off' autocapitalize='off' spellcheck='false' class='select2-input' role='combobox' aria-expanded='true'","       aria-autocomplete='list' />","   </div>","   <ul class='select2-results' role='listbox'>","   </ul>","</div>"].join(""));return b},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.focusser.prop("disabled",!this.isInterfaceEnabled())},opening:function(){var c,d,e;this.opts.minimumResultsForSearch>=0&&this.showSearch(!0),this.parent.opening.apply(this,arguments),this.showSearchInput!==!1&&this.search.val(this.focusser.val()),this.opts.shouldFocusInput(this)&&(this.search.focus(),c=this.search.get(0),c.createTextRange?(d=c.createTextRange(),d.collapse(!1),d.select()):c.setSelectionRange&&(e=this.search.val().length,c.setSelectionRange(e,e))),""===this.search.val()&&this.nextSearchTerm!=b&&(this.search.val(this.nextSearchTerm),this.search.select()),this.focusser.prop("disabled",!0).val(""),this.updateResults(!0),this.opts.element.trigger(a.Event("select2-open"))},close:function(){this.opened()&&(this.parent.close.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},focus:function(){this.opened()?this.close():(this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus())},isFocused:function(){return this.container.hasClass("select2-container-active")},cancel:function(){this.parent.cancel.apply(this,arguments),this.focusser.prop("disabled",!1),this.opts.shouldFocusInput(this)&&this.focusser.focus()},destroy:function(){a("label[for='"+this.focusser.attr("id")+"']").attr("for",this.opts.element.attr("id")),this.parent.destroy.apply(this,arguments),N.call(this,"selection","focusser")},initContainer:function(){var b,g,c=this.container,d=this.dropdown,e=f();this.opts.minimumResultsForSearch<0?this.showSearch(!1):this.showSearch(!0),this.selection=b=c.find(".select2-choice"),this.focusser=c.find(".select2-focusser"),b.find(".select2-chosen").attr("id","select2-chosen-"+e),this.focusser.attr("aria-labelledby","select2-chosen-"+e),this.results.attr("id","select2-results-"+e),this.search.attr("aria-owns","select2-results-"+e),this.focusser.attr("id","s2id_autogen"+e),g=a("label[for='"+this.opts.element.attr("id")+"']"),this.opts.element.focus(this.bind(function(){this.focus()})),this.focusser.prev().text(g.text()).attr("for",this.focusser.attr("id"));var h=this.opts.element.attr("title");this.opts.element.attr("title",h||g.text()),this.focusser.attr("tabindex",this.elementTabIndex),this.search.attr("id",this.focusser.attr("id")+"_search"),this.search.prev().text(a("label[for='"+this.focusser.attr("id")+"']").text()).attr("for",this.search.attr("id")),this.search.on("keydown",this.bind(function(a){if(this.isInterfaceEnabled()&&229!=a.keyCode){if(a.which===k.PAGE_UP||a.which===k.PAGE_DOWN)return A(a),void 0;switch(a.which){case k.UP:case k.DOWN:return this.moveHighlight(a.which===k.UP?-1:1),A(a),void 0;case k.ENTER:return this.selectHighlighted(),A(a),void 0;case k.TAB:return this.selectHighlighted({noFocus:!0}),void 0;case k.ESC:return this.cancel(a),A(a),void 0}}})),this.search.on("blur",this.bind(function(){document.activeElement===this.body.get(0)&&window.setTimeout(this.bind(function(){this.opened()&&this.search.focus()}),0)})),this.focusser.on("keydown",this.bind(function(a){if(this.isInterfaceEnabled()&&a.which!==k.TAB&&!k.isControl(a)&&!k.isFunctionKey(a)&&a.which!==k.ESC){if(this.opts.openOnEnter===!1&&a.which===k.ENTER)return A(a),void 0;if(a.which==k.DOWN||a.which==k.UP||a.which==k.ENTER&&this.opts.openOnEnter){if(a.altKey||a.ctrlKey||a.shiftKey||a.metaKey)return;return this.open(),A(a),void 0}return a.which==k.DELETE||a.which==k.BACKSPACE?(this.opts.allowClear&&this.clear(),A(a),void 0):void 0}})),u(this.focusser),this.focusser.on("keyup-change input",this.bind(function(a){if(this.opts.minimumResultsForSearch>=0){if(a.stopPropagation(),this.opened())return;this.open()}})),b.on("mousedown touchstart","abbr",this.bind(function(a){this.isInterfaceEnabled()&&(this.clear(),B(a),this.close(),this.selection&&this.selection.focus())})),b.on("mousedown touchstart",this.bind(function(c){n(b),this.container.hasClass("select2-container-active")||this.opts.element.trigger(a.Event("select2-focus")),this.opened()?this.close():this.isInterfaceEnabled()&&this.open(),A(c)})),d.on("mousedown touchstart",this.bind(function(){this.opts.shouldFocusInput(this)&&this.search.focus()})),b.on("focus",this.bind(function(a){A(a)})),this.focusser.on("focus",this.bind(function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(a.Event("select2-focus")),this.container.addClass("select2-container-active")})).on("blur",this.bind(function(){this.opened()||(this.container.removeClass("select2-container-active"),this.opts.element.trigger(a.Event("select2-blur")))})),this.search.on("focus",this.bind(function(){this.container.hasClass("select2-container-active")||this.opts.element.trigger(a.Event("select2-focus")),this.container.addClass("select2-container-active")})),this.initContainerWidth(),this.opts.element.hide(),this.setPlaceholder()},clear:function(b){var c=this.selection.data("select2-data");if(c){var d=a.Event("select2-clearing");if(this.opts.element.trigger(d),d.isDefaultPrevented())return;var e=this.getPlaceholderOption();this.opts.element.val(e?e.val():""),this.selection.find(".select2-chosen").empty(),this.selection.removeData("select2-data"),this.setPlaceholder(),b!==!1&&(this.opts.element.trigger({type:"select2-removed",val:this.id(c),choice:c}),this.triggerChange({removed:c}))}},initSelection:function(){if(this.isPlaceholderOptionSelected())this.updateSelection(null),this.close(),this.setPlaceholder();else{var c=this;this.opts.initSelection.call(null,this.opts.element,function(a){a!==b&&null!==a&&(c.updateSelection(a),c.close(),c.setPlaceholder(),c.nextSearchTerm=c.opts.nextSearchTerm(a,c.search.val()))})}},isPlaceholderOptionSelected:function(){var a;return this.getPlaceholder()===b?!1:(a=this.getPlaceholderOption())!==b&&a.prop("selected")||""===this.opts.element.val()||this.opts.element.val()===b||null===this.opts.element.val()},prepareOpts:function(){var b=this.parent.prepareOpts.apply(this,arguments),c=this;return"select"===b.element.get(0).tagName.toLowerCase()?b.initSelection=function(a,b){var d=a.find("option").filter(function(){return this.selected&&!this.disabled});b(c.optionToData(d))}:"data"in b&&(b.initSelection=b.initSelection||function(c,d){var e=c.val(),f=null;b.query({matcher:function(a,c,d){var g=r(e,b.id(d));return g&&(f=d),g},callback:a.isFunction(d)?function(){d(f)}:a.noop})}),b},getPlaceholder:function(){return this.select&&this.getPlaceholderOption()===b?b:this.parent.getPlaceholder.apply(this,arguments)},setPlaceholder:function(){var a=this.getPlaceholder();if(this.isPlaceholderOptionSelected()&&a!==b){if(this.select&&this.getPlaceholderOption()===b)return;this.selection.find(".select2-chosen").html(this.opts.escapeMarkup(a)),this.selection.addClass("select2-default"),this.container.removeClass("select2-allowclear")}},postprocessResults:function(a,b,c){var d=0,e=this;if(this.findHighlightableChoices().each2(function(a,b){return r(e.id(b.data("select2-data")),e.opts.element.val())?(d=a,!1):void 0}),c!==!1&&(b===!0&&d>=0?this.highlight(d):this.highlight(0)),b===!0){var g=this.opts.minimumResultsForSearch;g>=0&&this.showSearch(L(a.results)>=g)}},showSearch:function(b){this.showSearchInput!==b&&(this.showSearchInput=b,this.dropdown.find(".select2-search").toggleClass("select2-search-hidden",!b),this.dropdown.find(".select2-search").toggleClass("select2-offscreen",!b),a(this.dropdown,this.container).toggleClass("select2-with-searchbox",b))},onSelect:function(a,b){if(this.triggerSelect(a)){var c=this.opts.element.val(),d=this.data();this.opts.element.val(this.id(a)),this.updateSelection(a),this.opts.element.trigger({type:"select2-selected",val:this.id(a),choice:a}),this.nextSearchTerm=this.opts.nextSearchTerm(a,this.search.val()),this.close(),b&&b.noFocus||!this.opts.shouldFocusInput(this)||this.focusser.focus(),r(c,this.id(a))||this.triggerChange({added:a,removed:d})}},updateSelection:function(a){var d,e,c=this.selection.find(".select2-chosen");this.selection.data("select2-data",a),c.empty(),null!==a&&(d=this.opts.formatSelection(a,c,this.opts.escapeMarkup)),d!==b&&c.append(d),e=this.opts.formatSelectionCssClass(a,c),e!==b&&c.addClass(e),this.selection.removeClass("select2-default"),this.opts.allowClear&&this.getPlaceholder()!==b&&this.container.addClass("select2-allowclear")},val:function(){var a,c=!1,d=null,e=this,f=this.data();if(0===arguments.length)return this.opts.element.val();if(a=arguments[0],arguments.length>1&&(c=arguments[1]),this.select)this.select.val(a).find("option").filter(function(){return this.selected}).each2(function(a,b){return d=e.optionToData(b),!1}),this.updateSelection(d),this.setPlaceholder(),c&&this.triggerChange({added:d,removed:f});else{if(!a&&0!==a)return this.clear(c),void 0;if(this.opts.initSelection===b)throw new Error("cannot call val() if initSelection() is not defined");this.opts.element.val(a),this.opts.initSelection(this.opts.element,function(a){e.opts.element.val(a?e.id(a):""),e.updateSelection(a),e.setPlaceholder(),c&&e.triggerChange({added:a,removed:f})})}},clearSearch:function(){this.search.val(""),this.focusser.val("")},data:function(a){var c,d=!1;return 0===arguments.length?(c=this.selection.data("select2-data"),c==b&&(c=null),c):(arguments.length>1&&(d=arguments[1]),a?(c=this.data(),this.opts.element.val(a?this.id(a):""),this.updateSelection(a),d&&this.triggerChange({added:a,removed:c})):this.clear(d),void 0)}}),e=O(c,{createContainer:function(){var b=a(document.createElement("div")).attr({"class":"select2-container select2-container-multi"}).html(["<ul class='select2-choices'>","  <li class='select2-search-field'>","    <label for='' class='select2-offscreen'></label>","    <input type='text' autocomplete='off' autocorrect='off' autocapitalize='off' spellcheck='false' class='select2-input'>","  </li>","</ul>","<div class='select2-drop select2-drop-multi select2-display-none'>","   <ul class='select2-results'>","   </ul>","</div>"].join(""));return b},prepareOpts:function(){var b=this.parent.prepareOpts.apply(this,arguments),c=this;return"select"===b.element.get(0).tagName.toLowerCase()?b.initSelection=function(a,b){var d=[];a.find("option").filter(function(){return this.selected&&!this.disabled}).each2(function(a,b){d.push(c.optionToData(b))}),b(d)}:"data"in b&&(b.initSelection=b.initSelection||function(c,d){var e=s(c.val(),b.separator,b.transformVal),f=[];b.query({matcher:function(c,d,g){var h=a.grep(e,function(a){return r(a,b.id(g))}).length;return h&&f.push(g),h},callback:a.isFunction(d)?function(){for(var a=[],c=0;c<e.length;c++)for(var g=e[c],h=0;h<f.length;h++){var i=f[h];if(r(g,b.id(i))){a.push(i),f.splice(h,1);break}}d(a)}:a.noop})}),b},selectChoice:function(a){var b=this.container.find(".select2-search-choice-focus");b.length&&a&&a[0]==b[0]||(b.length&&this.opts.element.trigger("choice-deselected",b),b.removeClass("select2-search-choice-focus"),a&&a.length&&(this.close(),a.addClass("select2-search-choice-focus"),this.opts.element.trigger("choice-selected",a)))},destroy:function(){a("label[for='"+this.search.attr("id")+"']").attr("for",this.opts.element.attr("id")),this.parent.destroy.apply(this,arguments),N.call(this,"searchContainer","selection")},initContainer:function(){var c,b=".select2-choices";this.searchContainer=this.container.find(".select2-search-field"),this.selection=c=this.container.find(b);var d=this;this.selection.on("click",".select2-container:not(.select2-container-disabled) .select2-search-choice:not(.select2-locked)",function(){d.search[0].focus(),d.selectChoice(a(this))}),this.search.attr("id","s2id_autogen"+f()),this.search.prev().text(a("label[for='"+this.opts.element.attr("id")+"']").text()).attr("for",this.search.attr("id")),this.opts.element.focus(this.bind(function(){this.focus()})),this.search.on("input paste",this.bind(function(){this.search.attr("placeholder")&&0==this.search.val().length||this.isInterfaceEnabled()&&(this.opened()||this.open())})),this.search.attr("tabindex",this.elementTabIndex),this.keydowns=0,this.search.on("keydown",this.bind(function(a){if(this.isInterfaceEnabled()){++this.keydowns;var b=c.find(".select2-search-choice-focus"),d=b.prev(".select2-search-choice:not(.select2-locked)"),e=b.next(".select2-search-choice:not(.select2-locked)"),f=z(this.search);if(b.length&&(a.which==k.LEFT||a.which==k.RIGHT||a.which==k.BACKSPACE||a.which==k.DELETE||a.which==k.ENTER)){var g=b;return a.which==k.LEFT&&d.length?g=d:a.which==k.RIGHT?g=e.length?e:null:a.which===k.BACKSPACE?this.unselect(b.first())&&(this.search.width(10),g=d.length?d:e):a.which==k.DELETE?this.unselect(b.first())&&(this.search.width(10),g=e.length?e:null):a.which==k.ENTER&&(g=null),this.selectChoice(g),A(a),g&&g.length||this.open(),void 0}if((a.which===k.BACKSPACE&&1==this.keydowns||a.which==k.LEFT)&&0==f.offset&&!f.length)return this.selectChoice(c.find(".select2-search-choice:not(.select2-locked)").last()),A(a),void 0;if(this.selectChoice(null),this.opened())switch(a.which){case k.UP:case k.DOWN:return this.moveHighlight(a.which===k.UP?-1:1),A(a),void 0;case k.ENTER:return this.selectHighlighted(),A(a),void 0;case k.TAB:return this.selectHighlighted({noFocus:!0}),this.close(),void 0;case k.ESC:return this.cancel(a),A(a),void 0}if(a.which!==k.TAB&&!k.isControl(a)&&!k.isFunctionKey(a)&&a.which!==k.BACKSPACE&&a.which!==k.ESC){if(a.which===k.ENTER){if(this.opts.openOnEnter===!1)return;if(a.altKey||a.ctrlKey||a.shiftKey||a.metaKey)return}this.open(),(a.which===k.PAGE_UP||a.which===k.PAGE_DOWN)&&A(a),a.which===k.ENTER&&A(a)}}})),this.search.on("keyup",this.bind(function(){this.keydowns=0,this.resizeSearch()})),this.search.on("blur",this.bind(function(b){this.container.removeClass("select2-container-active"),this.search.removeClass("select2-focused"),this.selectChoice(null),this.opened()||this.clearSearch(),b.stopImmediatePropagation(),this.opts.element.trigger(a.Event("select2-blur"))})),this.container.on("click",b,this.bind(function(b){this.isInterfaceEnabled()&&(a(b.target).closest(".select2-search-choice").length>0||(this.selectChoice(null),this.clearPlaceholder(),this.container.hasClass("select2-container-active")||this.opts.element.trigger(a.Event("select2-focus")),this.open(),this.focusSearch(),b.preventDefault()))})),this.container.on("focus",b,this.bind(function(){this.isInterfaceEnabled()&&(this.container.hasClass("select2-container-active")||this.opts.element.trigger(a.Event("select2-focus")),this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"),this.clearPlaceholder())})),this.initContainerWidth(),this.opts.element.hide(),this.clearSearch()},enableInterface:function(){this.parent.enableInterface.apply(this,arguments)&&this.search.prop("disabled",!this.isInterfaceEnabled())},initSelection:function(){if(""===this.opts.element.val()&&""===this.opts.element.text()&&(this.updateSelection([]),this.close(),this.clearSearch()),this.select||""!==this.opts.element.val()){var c=this;this.opts.initSelection.call(null,this.opts.element,function(a){a!==b&&null!==a&&(c.updateSelection(a),c.close(),c.clearSearch())})}},clearSearch:function(){var a=this.getPlaceholder(),c=this.getMaxSearchWidth();a!==b&&0===this.getVal().length&&this.search.hasClass("select2-focused")===!1?(this.search.val(a).addClass("select2-default"),this.search.width(c>0?c:this.container.css("width"))):this.search.val("").width(10)},clearPlaceholder:function(){this.search.hasClass("select2-default")&&this.search.val("").removeClass("select2-default")},opening:function(){this.clearPlaceholder(),this.resizeSearch(),this.parent.opening.apply(this,arguments),this.focusSearch(),""===this.search.val()&&this.nextSearchTerm!=b&&(this.search.val(this.nextSearchTerm),this.search.select()),this.updateResults(!0),this.opts.shouldFocusInput(this)&&this.search.focus(),this.opts.element.trigger(a.Event("select2-open"))},close:function(){this.opened()&&this.parent.close.apply(this,arguments)},focus:function(){this.close(),this.search.focus()},isFocused:function(){return this.search.hasClass("select2-focused")},updateSelection:function(b){var c=[],d=[],e=this;a(b).each(function(){p(e.id(this),c)<0&&(c.push(e.id(this)),d.push(this))}),b=d,this.selection.find(".select2-search-choice").remove(),a(b).each(function(){e.addSelectedChoice(this)}),e.postprocessResults()},tokenize:function(){var a=this.search.val();a=this.opts.tokenizer.call(this,a,this.data(),this.bind(this.onSelect),this.opts),null!=a&&a!=b&&(this.search.val(a),a.length>0&&this.open())},onSelect:function(a,c){this.triggerSelect(a)&&""!==a.text&&(this.addSelectedChoice(a),this.opts.element.trigger({type:"selected",val:this.id(a),choice:a}),this.nextSearchTerm=this.opts.nextSearchTerm(a,this.search.val()),this.clearSearch(),this.updateResults(),(this.select||!this.opts.closeOnSelect)&&this.postprocessResults(a,!1,this.opts.closeOnSelect===!0),this.opts.closeOnSelect?(this.close(),this.search.width(10)):this.countSelectableResults()>0?(this.search.width(10),this.resizeSearch(),this.getMaximumSelectionSize()>0&&this.val().length>=this.getMaximumSelectionSize()?this.updateResults(!0):this.nextSearchTerm!=b&&(this.search.val(this.nextSearchTerm),this.updateResults(),this.search.select()),this.positionDropdown()):(this.close(),this.search.width(10)),this.triggerChange({added:a}),c&&c.noFocus||this.focusSearch())},cancel:function(){this.close(),this.focusSearch()},addSelectedChoice:function(c){var j,k,d=!c.locked,e=a("<li class='select2-search-choice'>    <div></div>    <a href='#' class='select2-search-choice-close' tabindex='-1'></a></li>"),f=a("<li class='select2-search-choice select2-locked'><div></div></li>"),g=d?e:f,h=this.id(c),i=this.getVal();j=this.opts.formatSelection(c,g.find("div"),this.opts.escapeMarkup),j!=b&&g.find("div").replaceWith(a("<div></div>").html(j)),k=this.opts.formatSelectionCssClass(c,g.find("div")),k!=b&&g.addClass(k),d&&g.find(".select2-search-choice-close").on("mousedown",A).on("click dblclick",this.bind(function(b){this.isInterfaceEnabled()&&(this.unselect(a(b.target)),this.selection.find(".select2-search-choice-focus").removeClass("select2-search-choice-focus"),A(b),this.close(),this.focusSearch())})).on("focus",this.bind(function(){this.isInterfaceEnabled()&&(this.container.addClass("select2-container-active"),this.dropdown.addClass("select2-drop-active"))})),g.data("select2-data",c),g.insertBefore(this.searchContainer),i.push(h),this.setVal(i)},unselect:function(b){var d,e,c=this.getVal();if(b=b.closest(".select2-search-choice"),0===b.length)throw"Invalid argument: "+b+". Must be .select2-search-choice";if(d=b.data("select2-data")){var f=a.Event("select2-removing");if(f.val=this.id(d),f.choice=d,this.opts.element.trigger(f),f.isDefaultPrevented())return!1;for(;(e=p(this.id(d),c))>=0;)c.splice(e,1),this.setVal(c),this.select&&this.postprocessResults();return b.remove(),this.opts.element.trigger({type:"select2-removed",val:this.id(d),choice:d}),this.triggerChange({removed:d}),!0}},postprocessResults:function(a,b,c){var d=this.getVal(),e=this.results.find(".select2-result"),f=this.results.find(".select2-result-with-children"),g=this;e.each2(function(a,b){var c=g.id(b.data("select2-data"));p(c,d)>=0&&(b.addClass("select2-selected"),b.find(".select2-result-selectable").addClass("select2-selected"))}),f.each2(function(a,b){b.is(".select2-result-selectable")||0!==b.find(".select2-result-selectable:not(.select2-selected)").length||b.addClass("select2-selected")}),-1==this.highlight()&&c!==!1&&this.opts.closeOnSelect===!0&&g.highlight(0),!this.opts.createSearchChoice&&!e.filter(".select2-result:not(.select2-selected)").length>0&&(!a||a&&!a.more&&0===this.results.find(".select2-no-results").length)&&J(g.opts.formatNoMatches,"formatNoMatches")&&this.results.append("<li class='select2-no-results'>"+K(g.opts.formatNoMatches,g.opts.element,g.search.val())+"</li>")},getMaxSearchWidth:function(){return this.selection.width()-t(this.search)},resizeSearch:function(){var a,b,c,d,e,f=t(this.search);a=C(this.search)+10,b=this.search.offset().left,c=this.selection.width(),d=this.selection.offset().left,e=c-(b-d)-f,a>e&&(e=c-f),40>e&&(e=c-f),0>=e&&(e=a),this.search.width(Math.floor(e))},getVal:function(){var a;return this.select?(a=this.select.val(),null===a?[]:a):(a=this.opts.element.val(),s(a,this.opts.separator,this.opts.transformVal))},setVal:function(b){var c;this.select?this.select.val(b):(c=[],a(b).each(function(){p(this,c)<0&&c.push(this)}),this.opts.element.val(0===c.length?"":c.join(this.opts.separator)))},buildChangeDetails:function(a,b){for(var b=b.slice(0),a=a.slice(0),c=0;c<b.length;c++)for(var d=0;d<a.length;d++)r(this.opts.id(b[c]),this.opts.id(a[d]))&&(b.splice(c,1),c>0&&c--,a.splice(d,1),d--);return{added:b,removed:a}},val:function(c,d){var e,f=this;if(0===arguments.length)return this.getVal();if(e=this.data(),e.length||(e=[]),!c&&0!==c)return this.opts.element.val(""),this.updateSelection([]),this.clearSearch(),d&&this.triggerChange({added:this.data(),removed:e}),void 0;if(this.setVal(c),this.select)this.opts.initSelection(this.select,this.bind(this.updateSelection)),d&&this.triggerChange(this.buildChangeDetails(e,this.data()));else{if(this.opts.initSelection===b)throw new Error("val() cannot be called if initSelection() is not defined");this.opts.initSelection(this.opts.element,function(b){var c=a.map(b,f.id);f.setVal(c),f.updateSelection(b),f.clearSearch(),d&&f.triggerChange(f.buildChangeDetails(e,f.data()))})}this.clearSearch()},onSortStart:function(){if(this.select)throw new Error("Sorting of elements is not supported when attached to <select>. Attach to <input type='hidden'/> instead.");this.search.width(0),this.searchContainer.hide()},onSortEnd:function(){var b=[],c=this;this.searchContainer.show(),this.searchContainer.appendTo(this.searchContainer.parent()),this.resizeSearch(),this.selection.find(".select2-search-choice").each(function(){b.push(c.opts.id(a(this).data("select2-data")))}),this.setVal(b),this.triggerChange()},data:function(b,c){var e,f,d=this;return 0===arguments.length?this.selection.children(".select2-search-choice").map(function(){return a(this).data("select2-data")}).get():(f=this.data(),b||(b=[]),e=a.map(b,function(a){return d.opts.id(a)}),this.setVal(e),this.updateSelection(b),this.clearSearch(),c&&this.triggerChange(this.buildChangeDetails(f,this.data())),void 0)}}),a.fn.select2=function(){var d,e,f,g,h,c=Array.prototype.slice.call(arguments,0),i=["val","destroy","opened","open","close","focus","isFocused","container","dropdown","onSortStart","onSortEnd","enable","disable","readonly","positionDropdown","data","search"],j=["opened","isFocused","container","dropdown"],k=["val","data"],l={search:"externalSearch"};return this.each(function(){if(0===c.length||"object"==typeof c[0])d=0===c.length?{}:a.extend({},c[0]),d.element=a(this),"select"===d.element.get(0).tagName.toLowerCase()?h=d.element.prop("multiple"):(h=d.multiple||!1,"tags"in d&&(d.multiple=h=!0)),e=h?new window.Select2["class"].multi:new window.Select2["class"].single,e.init(d);else{if("string"!=typeof c[0])throw"Invalid arguments to select2 plugin: "+c;if(p(c[0],i)<0)throw"Unknown method: "+c[0];if(g=b,e=a(this).data("select2"),e===b)return;if(f=c[0],"container"===f?g=e.container:"dropdown"===f?g=e.dropdown:(l[f]&&(f=l[f]),g=e[f].apply(e,c.slice(1))),p(c[0],j)>=0||p(c[0],k)>=0&&1==c.length)return!1}}),g===b?this:g},a.fn.select2.defaults={width:"copy",loadMorePadding:0,closeOnSelect:!0,openOnEnter:!0,containerCss:{},dropdownCss:{},containerCssClass:"",dropdownCssClass:"",formatResult:function(a,b,c,d){var e=[];return E(this.text(a),c.term,e,d),e.join("")},transformVal:function(b){return a.trim(b)},formatSelection:function(a,c,d){return a?d(this.text(a)):b},sortResults:function(a){return a},formatResultCssClass:function(a){return a.css},formatSelectionCssClass:function(){return b},minimumResultsForSearch:0,minimumInputLength:0,maximumInputLength:null,maximumSelectionSize:0,id:function(a){return a==b?null:a.id},text:function(b){return b&&this.data&&this.data.text?a.isFunction(this.data.text)?this.data.text(b):b[this.data.text]:b.text
},matcher:function(a,b){return o(""+b).toUpperCase().indexOf(o(""+a).toUpperCase())>=0},separator:",",tokenSeparators:[],tokenizer:M,escapeMarkup:F,blurOnChange:!1,selectOnBlur:!1,adaptContainerCssClass:function(a){return a},adaptDropdownCssClass:function(){return null},nextSearchTerm:function(){return b},searchInputPlaceholder:"",createSearchChoicePosition:"top",shouldFocusInput:function(a){var b="ontouchstart"in window||navigator.msMaxTouchPoints>0;return b?a.opts.minimumResultsForSearch<0?!1:!0:!0}},a.fn.select2.locales=[],a.fn.select2.locales.en={formatMatches:function(a){return 1===a?"One result is available, press enter to select it.":a+" results are available, use up and down arrow keys to navigate."},formatNoMatches:function(){return"No matches found"},formatAjaxError:function(){return"Loading failed"},formatInputTooShort:function(a,b){var c=b-a.length;return"Please enter "+c+" or more character"+(1==c?"":"s")},formatInputTooLong:function(a,b){var c=a.length-b;return"Please delete "+c+" character"+(1==c?"":"s")},formatSelectionTooBig:function(a){return"You can only select "+a+" item"+(1==a?"":"s")},formatLoadMore:function(){return"Loading more results\u2026"},formatSearching:function(){return"Searching\u2026"}},a.extend(a.fn.select2.defaults,a.fn.select2.locales.en),a.fn.select2.ajaxDefaults={transport:a.ajax,params:{type:"GET",cache:!1,dataType:"json"}},window.Select2={query:{ajax:G,local:H,tags:I},util:{debounce:w,markMatch:E,escapeMarkup:F,stripDiacritics:o},"class":{"abstract":c,single:d,multi:e}}}}(jQuery);PK�
�[7@)��[�['assets/inc/datepicker/jquery-ui.min.cssnu�[���/*! jQuery UI - v1.11.4 - 2016-05-31
* http://jqueryui.com
* Includes: core.css, datepicker.css, theme.css
* To view and modify this theme, visit http://jqueryui.com/themeroller/?ffDefault=%22Open%20Sans%22%2C%E2%80%8B%20sans-serif&fsDefault=14px&fwDefault=normal&cornerRadius=3&bgColorHeader=%23ffffff&bgTextureHeader=highlight_soft&borderColorHeader=%23ffffff&fcHeader=%23222222&iconColorHeader=%23DDDDDD&bgColorContent=%23ffffff&bgTextureContent=flat&borderColorContent=%23E1E1E1&fcContent=%23444444&iconColorContent=%23444444&bgColorDefault=%23F9F9F9&bgTextureDefault=flat&borderColorDefault=%23F0F0F0&fcDefault=%23444444&iconColorDefault=%23444444&bgColorHover=%2398b7e8&bgTextureHover=flat&borderColorHover=%2398b7e8&fcHover=%23ffffff&iconColorHover=%23ffffff&bgColorActive=%233875d7&bgTextureActive=flat&borderColorActive=%233875d7&fcActive=%23ffffff&iconColorActive=%23ffffff&bgColorHighlight=%23ffffff&bgTextureHighlight=flat&borderColorHighlight=%23aaaaaa&fcHighlight=%23444444&iconColorHighlight=%23444444&bgColorError=%23E14D43&bgTextureError=flat&borderColorError=%23E14D43&fcError=%23ffffff&iconColorError=%23ffffff&bgColorOverlay=%23ffffff&bgTextureOverlay=flat&bgImgOpacityOverlay=0&opacityOverlay=30&bgColorShadow=%23aaaaaa&bgTextureShadow=flat&bgImgOpacityShadow=0&opacityShadow=30&thicknessShadow=8px&offsetTopShadow=-8px&offsetLeftShadow=-8px&cornerRadiusShadow=8px&bgImgOpacityHeader=0&bgImgOpacityContent=&bgImgOpacityDefault=0&bgImgOpacityHover=0&bgImgOpacityActive=0&bgImgOpacityHighlight=0&bgImgOpacityError=0
* Copyright jQuery Foundation and other contributors; Licensed MIT */

.ui-helper-hidden{display:none}.ui-helper-hidden-accessible{border:0;clip:rect(0 0 0 0);height:1px;margin:-1px;overflow:hidden;padding:0;position:absolute;width:1px}.ui-helper-reset{margin:0;padding:0;border:0;outline:0;line-height:1.3;text-decoration:none;font-size:100%;list-style:none}.ui-helper-clearfix:before,.ui-helper-clearfix:after{content:"";display:table;border-collapse:collapse}.ui-helper-clearfix:after{clear:both}.ui-helper-clearfix{min-height:0}.ui-helper-zfix{width:100%;height:100%;top:0;left:0;position:absolute;opacity:0;filter:Alpha(Opacity=0)}.ui-front{z-index:100}.ui-state-disabled{cursor:default!important}.ui-icon{display:block;text-indent:-99999px;overflow:hidden;background-repeat:no-repeat}.ui-widget-overlay{position:fixed;top:0;left:0;width:100%;height:100%}.ui-datepicker{width:17em;padding:.2em .2em 0;display:none}.ui-datepicker .ui-datepicker-header{position:relative;padding:.2em 0}.ui-datepicker .ui-datepicker-prev,.ui-datepicker .ui-datepicker-next{position:absolute;top:2px;width:1.8em;height:1.8em}.ui-datepicker .ui-datepicker-prev-hover,.ui-datepicker .ui-datepicker-next-hover{top:1px}.ui-datepicker .ui-datepicker-prev{left:2px}.ui-datepicker .ui-datepicker-next{right:2px}.ui-datepicker .ui-datepicker-prev-hover{left:1px}.ui-datepicker .ui-datepicker-next-hover{right:1px}.ui-datepicker .ui-datepicker-prev span,.ui-datepicker .ui-datepicker-next span{display:block;position:absolute;left:50%;margin-left:-8px;top:50%;margin-top:-8px}.ui-datepicker .ui-datepicker-title{margin:0 2.3em;line-height:1.8em;text-align:center}.ui-datepicker .ui-datepicker-title select{font-size:1em;margin:1px 0}.ui-datepicker select.ui-datepicker-month,.ui-datepicker select.ui-datepicker-year{width:45%}.ui-datepicker table{width:100%;font-size:.9em;border-collapse:collapse;margin:0 0 .4em}.ui-datepicker th{padding:.7em .3em;text-align:center;font-weight:bold;border:0}.ui-datepicker td{border:0;padding:1px}.ui-datepicker td span,.ui-datepicker td a{display:block;padding:.2em;text-align:right;text-decoration:none}.ui-datepicker .ui-datepicker-buttonpane{background-image:none;margin:.7em 0 0 0;padding:0 .2em;border-left:0;border-right:0;border-bottom:0}.ui-datepicker .ui-datepicker-buttonpane button{float:right;margin:.5em .2em .4em;cursor:pointer;padding:.2em .6em .3em .6em;width:auto;overflow:visible}.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current{float:left}.ui-datepicker.ui-datepicker-multi{width:auto}.ui-datepicker-multi .ui-datepicker-group{float:left}.ui-datepicker-multi .ui-datepicker-group table{width:95%;margin:0 auto .4em}.ui-datepicker-multi-2 .ui-datepicker-group{width:50%}.ui-datepicker-multi-3 .ui-datepicker-group{width:33.3%}.ui-datepicker-multi-4 .ui-datepicker-group{width:25%}.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header{border-left-width:0}.ui-datepicker-multi .ui-datepicker-buttonpane{clear:left}.ui-datepicker-row-break{clear:both;width:100%;font-size:0}.ui-datepicker-rtl{direction:rtl}.ui-datepicker-rtl .ui-datepicker-prev{right:2px;left:auto}.ui-datepicker-rtl .ui-datepicker-next{left:2px;right:auto}.ui-datepicker-rtl .ui-datepicker-prev:hover{right:1px;left:auto}.ui-datepicker-rtl .ui-datepicker-next:hover{left:1px;right:auto}.ui-datepicker-rtl .ui-datepicker-buttonpane{clear:right}.ui-datepicker-rtl .ui-datepicker-buttonpane button{float:left}.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,.ui-datepicker-rtl .ui-datepicker-group{float:right}.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header{border-right-width:0;border-left-width:1px}.acf-ui-datepicker .ui-widget{font-family:inherit;font-size:14px}.acf-ui-datepicker .ui-widget .ui-widget{font-size:1em}.acf-ui-datepicker .ui-widget input,.acf-ui-datepicker .ui-widget select,.acf-ui-datepicker .ui-widget textarea,.acf-ui-datepicker .ui-widget button{font-family:inherit;font-size:1em}.acf-ui-datepicker .ui-widget-content{border:1px solid #E1E1E1;background:#fff;color:#444}.acf-ui-datepicker .ui-widget-content a{color:#444}.acf-ui-datepicker .ui-widget-header{border:1px solid #fff;background:#fff url("images/ui-bg_highlight-soft_0_ffffff_1x100.png") 50% 50% repeat-x;color:#222;font-weight:bold}.acf-ui-datepicker .ui-widget-header a{color:#222}.acf-ui-datepicker .ui-state-default,.acf-ui-datepicker .ui-widget-content .ui-state-default,.acf-ui-datepicker .ui-widget-header .ui-state-default{border:1px solid #F0F0F0;background:#F9F9F9;font-weight:normal;color:#444}.acf-ui-datepicker .ui-state-default a,.acf-ui-datepicker .ui-state-default a:link,.acf-ui-datepicker .ui-state-default a:visited{color:#444;text-decoration:none}.acf-ui-datepicker .ui-state-hover,.acf-ui-datepicker .ui-widget-content .ui-state-hover,.acf-ui-datepicker .ui-widget-header .ui-state-hover,.acf-ui-datepicker .ui-state-focus,.acf-ui-datepicker .ui-widget-content .ui-state-focus,.acf-ui-datepicker .ui-widget-header .ui-state-focus{border:1px solid #98b7e8;background:#98b7e8;font-weight:normal;color:#fff}.acf-ui-datepicker .ui-state-hover a,.acf-ui-datepicker .ui-state-hover a:hover,.acf-ui-datepicker .ui-state-hover a:link,.acf-ui-datepicker .ui-state-hover a:visited,.acf-ui-datepicker .ui-state-focus a,.acf-ui-datepicker .ui-state-focus a:hover,.acf-ui-datepicker .ui-state-focus a:link,.acf-ui-datepicker .ui-state-focus a:visited{color:#fff;text-decoration:none}.acf-ui-datepicker .ui-state-active,.acf-ui-datepicker .ui-widget-content .ui-state-active,.acf-ui-datepicker .ui-widget-header .ui-state-active{border:1px solid #3875d7;background:#3875d7;font-weight:normal;color:#fff}.acf-ui-datepicker .ui-state-active a,.acf-ui-datepicker .ui-state-active a:link,.acf-ui-datepicker .ui-state-active a:visited{color:#fff;text-decoration:none}.acf-ui-datepicker .ui-state-highlight,.acf-ui-datepicker .ui-widget-content .ui-state-highlight,.acf-ui-datepicker .ui-widget-header .ui-state-highlight{border:1px solid #aaa;background:#fff;color:#444}.acf-ui-datepicker .ui-state-highlight a,.acf-ui-datepicker .ui-widget-content .ui-state-highlight a,.acf-ui-datepicker .ui-widget-header .ui-state-highlight a{color:#444}.acf-ui-datepicker .ui-state-error,.acf-ui-datepicker .ui-widget-content .ui-state-error,.acf-ui-datepicker .ui-widget-header .ui-state-error{border:1px solid #E14D43;background:#E14D43;color:#fff}.acf-ui-datepicker .ui-state-error a,.acf-ui-datepicker .ui-widget-content .ui-state-error a,.acf-ui-datepicker .ui-widget-header .ui-state-error a{color:#fff}.acf-ui-datepicker .ui-state-error-text,.acf-ui-datepicker .ui-widget-content .ui-state-error-text,.acf-ui-datepicker .ui-widget-header .ui-state-error-text{color:#fff}.acf-ui-datepicker .ui-priority-primary,.acf-ui-datepicker .ui-widget-content .ui-priority-primary,.acf-ui-datepicker .ui-widget-header .ui-priority-primary{font-weight:bold}.acf-ui-datepicker .ui-priority-secondary,.acf-ui-datepicker .ui-widget-content .ui-priority-secondary,.acf-ui-datepicker .ui-widget-header .ui-priority-secondary{opacity:.7;filter:Alpha(Opacity=70);font-weight:normal}.acf-ui-datepicker .ui-state-disabled,.acf-ui-datepicker .ui-widget-content .ui-state-disabled,.acf-ui-datepicker .ui-widget-header .ui-state-disabled{opacity:.35;filter:Alpha(Opacity=35);background-image:none}.acf-ui-datepicker .ui-state-disabled .ui-icon{filter:Alpha(Opacity=35)}.acf-ui-datepicker .ui-icon{width:16px;height:16px}.acf-ui-datepicker .ui-icon,.acf-ui-datepicker .ui-widget-content .ui-icon{background-image:url("images/ui-icons_444444_256x240.png")}.acf-ui-datepicker .ui-widget-header .ui-icon{background-image:url("images/ui-icons_DDDDDD_256x240.png")}.acf-ui-datepicker .ui-state-default .ui-icon{background-image:url("images/ui-icons_444444_256x240.png")}.acf-ui-datepicker .ui-state-hover .ui-icon,.acf-ui-datepicker .ui-state-focus .ui-icon{background-image:url("images/ui-icons_ffffff_256x240.png")}.acf-ui-datepicker .ui-state-active .ui-icon{background-image:url("images/ui-icons_ffffff_256x240.png")}.acf-ui-datepicker .ui-state-highlight .ui-icon{background-image:url("images/ui-icons_444444_256x240.png")}.acf-ui-datepicker .ui-state-error .ui-icon,.acf-ui-datepicker .ui-state-error-text .ui-icon{background-image:url("images/ui-icons_ffffff_256x240.png")}.acf-ui-datepicker .ui-icon-blank{background-position:16px 16px}.acf-ui-datepicker .ui-icon-carat-1-n{background-position:0 0}.acf-ui-datepicker .ui-icon-carat-1-ne{background-position:-16px 0}.acf-ui-datepicker .ui-icon-carat-1-e{background-position:-32px 0}.acf-ui-datepicker .ui-icon-carat-1-se{background-position:-48px 0}.acf-ui-datepicker .ui-icon-carat-1-s{background-position:-64px 0}.acf-ui-datepicker .ui-icon-carat-1-sw{background-position:-80px 0}.acf-ui-datepicker .ui-icon-carat-1-w{background-position:-96px 0}.acf-ui-datepicker .ui-icon-carat-1-nw{background-position:-112px 0}.acf-ui-datepicker .ui-icon-carat-2-n-s{background-position:-128px 0}.acf-ui-datepicker .ui-icon-carat-2-e-w{background-position:-144px 0}.acf-ui-datepicker .ui-icon-triangle-1-n{background-position:0 -16px}.acf-ui-datepicker .ui-icon-triangle-1-ne{background-position:-16px -16px}.acf-ui-datepicker .ui-icon-triangle-1-e{background-position:-32px -16px}.acf-ui-datepicker .ui-icon-triangle-1-se{background-position:-48px -16px}.acf-ui-datepicker .ui-icon-triangle-1-s{background-position:-64px -16px}.acf-ui-datepicker .ui-icon-triangle-1-sw{background-position:-80px -16px}.acf-ui-datepicker .ui-icon-triangle-1-w{background-position:-96px -16px}.acf-ui-datepicker .ui-icon-triangle-1-nw{background-position:-112px -16px}.acf-ui-datepicker .ui-icon-triangle-2-n-s{background-position:-128px -16px}.acf-ui-datepicker .ui-icon-triangle-2-e-w{background-position:-144px -16px}.acf-ui-datepicker .ui-icon-arrow-1-n{background-position:0 -32px}.acf-ui-datepicker .ui-icon-arrow-1-ne{background-position:-16px -32px}.acf-ui-datepicker .ui-icon-arrow-1-e{background-position:-32px -32px}.acf-ui-datepicker .ui-icon-arrow-1-se{background-position:-48px -32px}.acf-ui-datepicker .ui-icon-arrow-1-s{background-position:-64px -32px}.acf-ui-datepicker .ui-icon-arrow-1-sw{background-position:-80px -32px}.acf-ui-datepicker .ui-icon-arrow-1-w{background-position:-96px -32px}.acf-ui-datepicker .ui-icon-arrow-1-nw{background-position:-112px -32px}.acf-ui-datepicker .ui-icon-arrow-2-n-s{background-position:-128px -32px}.acf-ui-datepicker .ui-icon-arrow-2-ne-sw{background-position:-144px -32px}.acf-ui-datepicker .ui-icon-arrow-2-e-w{background-position:-160px -32px}.acf-ui-datepicker .ui-icon-arrow-2-se-nw{background-position:-176px -32px}.acf-ui-datepicker .ui-icon-arrowstop-1-n{background-position:-192px -32px}.acf-ui-datepicker .ui-icon-arrowstop-1-e{background-position:-208px -32px}.acf-ui-datepicker .ui-icon-arrowstop-1-s{background-position:-224px -32px}.acf-ui-datepicker .ui-icon-arrowstop-1-w{background-position:-240px -32px}.acf-ui-datepicker .ui-icon-arrowthick-1-n{background-position:0 -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-ne{background-position:-16px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-e{background-position:-32px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-se{background-position:-48px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-s{background-position:-64px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-sw{background-position:-80px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-w{background-position:-96px -48px}.acf-ui-datepicker .ui-icon-arrowthick-1-nw{background-position:-112px -48px}.acf-ui-datepicker .ui-icon-arrowthick-2-n-s{background-position:-128px -48px}.acf-ui-datepicker .ui-icon-arrowthick-2-ne-sw{background-position:-144px -48px}.acf-ui-datepicker .ui-icon-arrowthick-2-e-w{background-position:-160px -48px}.acf-ui-datepicker .ui-icon-arrowthick-2-se-nw{background-position:-176px -48px}.acf-ui-datepicker .ui-icon-arrowthickstop-1-n{background-position:-192px -48px}.acf-ui-datepicker .ui-icon-arrowthickstop-1-e{background-position:-208px -48px}.acf-ui-datepicker .ui-icon-arrowthickstop-1-s{background-position:-224px -48px}.acf-ui-datepicker .ui-icon-arrowthickstop-1-w{background-position:-240px -48px}.acf-ui-datepicker .ui-icon-arrowreturnthick-1-w{background-position:0 -64px}.acf-ui-datepicker .ui-icon-arrowreturnthick-1-n{background-position:-16px -64px}.acf-ui-datepicker .ui-icon-arrowreturnthick-1-e{background-position:-32px -64px}.acf-ui-datepicker .ui-icon-arrowreturnthick-1-s{background-position:-48px -64px}.acf-ui-datepicker .ui-icon-arrowreturn-1-w{background-position:-64px -64px}.acf-ui-datepicker .ui-icon-arrowreturn-1-n{background-position:-80px -64px}.acf-ui-datepicker .ui-icon-arrowreturn-1-e{background-position:-96px -64px}.acf-ui-datepicker .ui-icon-arrowreturn-1-s{background-position:-112px -64px}.acf-ui-datepicker .ui-icon-arrowrefresh-1-w{background-position:-128px -64px}.acf-ui-datepicker .ui-icon-arrowrefresh-1-n{background-position:-144px -64px}.acf-ui-datepicker .ui-icon-arrowrefresh-1-e{background-position:-160px -64px}.acf-ui-datepicker .ui-icon-arrowrefresh-1-s{background-position:-176px -64px}.acf-ui-datepicker .ui-icon-arrow-4{background-position:0 -80px}.acf-ui-datepicker .ui-icon-arrow-4-diag{background-position:-16px -80px}.acf-ui-datepicker .ui-icon-extlink{background-position:-32px -80px}.acf-ui-datepicker .ui-icon-newwin{background-position:-48px -80px}.acf-ui-datepicker .ui-icon-refresh{background-position:-64px -80px}.acf-ui-datepicker .ui-icon-shuffle{background-position:-80px -80px}.acf-ui-datepicker .ui-icon-transfer-e-w{background-position:-96px -80px}.acf-ui-datepicker .ui-icon-transferthick-e-w{background-position:-112px -80px}.acf-ui-datepicker .ui-icon-folder-collapsed{background-position:0 -96px}.acf-ui-datepicker .ui-icon-folder-open{background-position:-16px -96px}.acf-ui-datepicker .ui-icon-document{background-position:-32px -96px}.acf-ui-datepicker .ui-icon-document-b{background-position:-48px -96px}.acf-ui-datepicker .ui-icon-note{background-position:-64px -96px}.acf-ui-datepicker .ui-icon-mail-closed{background-position:-80px -96px}.acf-ui-datepicker .ui-icon-mail-open{background-position:-96px -96px}.acf-ui-datepicker .ui-icon-suitcase{background-position:-112px -96px}.acf-ui-datepicker .ui-icon-comment{background-position:-128px -96px}.acf-ui-datepicker .ui-icon-person{background-position:-144px -96px}.acf-ui-datepicker .ui-icon-print{background-position:-160px -96px}.acf-ui-datepicker .ui-icon-trash{background-position:-176px -96px}.acf-ui-datepicker .ui-icon-locked{background-position:-192px -96px}.acf-ui-datepicker .ui-icon-unlocked{background-position:-208px -96px}.acf-ui-datepicker .ui-icon-bookmark{background-position:-224px -96px}.acf-ui-datepicker .ui-icon-tag{background-position:-240px -96px}.acf-ui-datepicker .ui-icon-home{background-position:0 -112px}.acf-ui-datepicker .ui-icon-flag{background-position:-16px -112px}.acf-ui-datepicker .ui-icon-calendar{background-position:-32px -112px}.acf-ui-datepicker .ui-icon-cart{background-position:-48px -112px}.acf-ui-datepicker .ui-icon-pencil{background-position:-64px -112px}.acf-ui-datepicker .ui-icon-clock{background-position:-80px -112px}.acf-ui-datepicker .ui-icon-disk{background-position:-96px -112px}.acf-ui-datepicker .ui-icon-calculator{background-position:-112px -112px}.acf-ui-datepicker .ui-icon-zoomin{background-position:-128px -112px}.acf-ui-datepicker .ui-icon-zoomout{background-position:-144px -112px}.acf-ui-datepicker .ui-icon-search{background-position:-160px -112px}.acf-ui-datepicker .ui-icon-wrench{background-position:-176px -112px}.acf-ui-datepicker .ui-icon-gear{background-position:-192px -112px}.acf-ui-datepicker .ui-icon-heart{background-position:-208px -112px}.acf-ui-datepicker .ui-icon-star{background-position:-224px -112px}.acf-ui-datepicker .ui-icon-link{background-position:-240px -112px}.acf-ui-datepicker .ui-icon-cancel{background-position:0 -128px}.acf-ui-datepicker .ui-icon-plus{background-position:-16px -128px}.acf-ui-datepicker .ui-icon-plusthick{background-position:-32px -128px}.acf-ui-datepicker .ui-icon-minus{background-position:-48px -128px}.acf-ui-datepicker .ui-icon-minusthick{background-position:-64px -128px}.acf-ui-datepicker .ui-icon-close{background-position:-80px -128px}.acf-ui-datepicker .ui-icon-closethick{background-position:-96px -128px}.acf-ui-datepicker .ui-icon-key{background-position:-112px -128px}.acf-ui-datepicker .ui-icon-lightbulb{background-position:-128px -128px}.acf-ui-datepicker .ui-icon-scissors{background-position:-144px -128px}.acf-ui-datepicker .ui-icon-clipboard{background-position:-160px -128px}.acf-ui-datepicker .ui-icon-copy{background-position:-176px -128px}.acf-ui-datepicker .ui-icon-contact{background-position:-192px -128px}.acf-ui-datepicker .ui-icon-image{background-position:-208px -128px}.acf-ui-datepicker .ui-icon-video{background-position:-224px -128px}.acf-ui-datepicker .ui-icon-script{background-position:-240px -128px}.acf-ui-datepicker .ui-icon-alert{background-position:0 -144px}.acf-ui-datepicker .ui-icon-info{background-position:-16px -144px}.acf-ui-datepicker .ui-icon-notice{background-position:-32px -144px}.acf-ui-datepicker .ui-icon-help{background-position:-48px -144px}.acf-ui-datepicker .ui-icon-check{background-position:-64px -144px}.acf-ui-datepicker .ui-icon-bullet{background-position:-80px -144px}.acf-ui-datepicker .ui-icon-radio-on{background-position:-96px -144px}.acf-ui-datepicker .ui-icon-radio-off{background-position:-112px -144px}.acf-ui-datepicker .ui-icon-pin-w{background-position:-128px -144px}.acf-ui-datepicker .ui-icon-pin-s{background-position:-144px -144px}.acf-ui-datepicker .ui-icon-play{background-position:0 -160px}.acf-ui-datepicker .ui-icon-pause{background-position:-16px -160px}.acf-ui-datepicker .ui-icon-seek-next{background-position:-32px -160px}.acf-ui-datepicker .ui-icon-seek-prev{background-position:-48px -160px}.acf-ui-datepicker .ui-icon-seek-end{background-position:-64px -160px}.acf-ui-datepicker .ui-icon-seek-start{background-position:-80px -160px}.acf-ui-datepicker .ui-icon-seek-first{background-position:-80px -160px}.acf-ui-datepicker .ui-icon-stop{background-position:-96px -160px}.acf-ui-datepicker .ui-icon-eject{background-position:-112px -160px}.acf-ui-datepicker .ui-icon-volume-off{background-position:-128px -160px}.acf-ui-datepicker .ui-icon-volume-on{background-position:-144px -160px}.acf-ui-datepicker .ui-icon-power{background-position:0 -176px}.acf-ui-datepicker .ui-icon-signal-diag{background-position:-16px -176px}.acf-ui-datepicker .ui-icon-signal{background-position:-32px -176px}.acf-ui-datepicker .ui-icon-battery-0{background-position:-48px -176px}.acf-ui-datepicker .ui-icon-battery-1{background-position:-64px -176px}.acf-ui-datepicker .ui-icon-battery-2{background-position:-80px -176px}.acf-ui-datepicker .ui-icon-battery-3{background-position:-96px -176px}.acf-ui-datepicker .ui-icon-circle-plus{background-position:0 -192px}.acf-ui-datepicker .ui-icon-circle-minus{background-position:-16px -192px}.acf-ui-datepicker .ui-icon-circle-close{background-position:-32px -192px}.acf-ui-datepicker .ui-icon-circle-triangle-e{background-position:-48px -192px}.acf-ui-datepicker .ui-icon-circle-triangle-s{background-position:-64px -192px}.acf-ui-datepicker .ui-icon-circle-triangle-w{background-position:-80px -192px}.acf-ui-datepicker .ui-icon-circle-triangle-n{background-position:-96px -192px}.acf-ui-datepicker .ui-icon-circle-arrow-e{background-position:-112px -192px}.acf-ui-datepicker .ui-icon-circle-arrow-s{background-position:-128px -192px}.acf-ui-datepicker .ui-icon-circle-arrow-w{background-position:-144px -192px}.acf-ui-datepicker .ui-icon-circle-arrow-n{background-position:-160px -192px}.acf-ui-datepicker .ui-icon-circle-zoomin{background-position:-176px -192px}.acf-ui-datepicker .ui-icon-circle-zoomout{background-position:-192px -192px}.acf-ui-datepicker .ui-icon-circle-check{background-position:-208px -192px}.acf-ui-datepicker .ui-icon-circlesmall-plus{background-position:0 -208px}.acf-ui-datepicker .ui-icon-circlesmall-minus{background-position:-16px -208px}.acf-ui-datepicker .ui-icon-circlesmall-close{background-position:-32px -208px}.acf-ui-datepicker .ui-icon-squaresmall-plus{background-position:-48px -208px}.acf-ui-datepicker .ui-icon-squaresmall-minus{background-position:-64px -208px}.acf-ui-datepicker .ui-icon-squaresmall-close{background-position:-80px -208px}.acf-ui-datepicker .ui-icon-grip-dotted-vertical{background-position:0 -224px}.acf-ui-datepicker .ui-icon-grip-dotted-horizontal{background-position:-16px -224px}.acf-ui-datepicker .ui-icon-grip-solid-vertical{background-position:-32px -224px}.acf-ui-datepicker .ui-icon-grip-solid-horizontal{background-position:-48px -224px}.acf-ui-datepicker .ui-icon-gripsmall-diagonal-se{background-position:-64px -224px}.acf-ui-datepicker .ui-icon-grip-diagonal-se{background-position:-80px -224px}.acf-ui-datepicker .ui-corner-all,.acf-ui-datepicker .ui-corner-top,.acf-ui-datepicker .ui-corner-left,.acf-ui-datepicker .ui-corner-tl{border-top-left-radius:3}.acf-ui-datepicker .ui-corner-all,.acf-ui-datepicker .ui-corner-top,.acf-ui-datepicker .ui-corner-right,.acf-ui-datepicker .ui-corner-tr{border-top-right-radius:3}.acf-ui-datepicker .ui-corner-all,.acf-ui-datepicker .ui-corner-bottom,.acf-ui-datepicker .ui-corner-left,.acf-ui-datepicker .ui-corner-bl{border-bottom-left-radius:3}.acf-ui-datepicker .ui-corner-all,.acf-ui-datepicker .ui-corner-bottom,.acf-ui-datepicker .ui-corner-right,.acf-ui-datepicker .ui-corner-br{border-bottom-right-radius:3}.acf-ui-datepicker .ui-widget-overlay{background:#fff;opacity:.3;filter:Alpha(Opacity=30)}.acf-ui-datepicker .ui-widget-shadow{margin:-8px 0 0 -8px;padding:8px;background:#aaa;opacity:.3;filter:Alpha(Opacity=30);border-radius:8px}PK�
�[�z��LgLg#assets/inc/datepicker/jquery-ui.cssnu�[���/*! jQuery UI - v1.11.4 - 2016-05-31
* http://jqueryui.com
* Includes: core.css, datepicker.css, theme.css
* To view and modify this theme, visit http://jqueryui.com/themeroller/?ffDefault=%22Open%20Sans%22%2C%E2%80%8B%20sans-serif&fsDefault=14px&fwDefault=normal&cornerRadius=3&bgColorHeader=%23ffffff&bgTextureHeader=highlight_soft&borderColorHeader=%23ffffff&fcHeader=%23222222&iconColorHeader=%23DDDDDD&bgColorContent=%23ffffff&bgTextureContent=flat&borderColorContent=%23E1E1E1&fcContent=%23444444&iconColorContent=%23444444&bgColorDefault=%23F9F9F9&bgTextureDefault=flat&borderColorDefault=%23F0F0F0&fcDefault=%23444444&iconColorDefault=%23444444&bgColorHover=%2398b7e8&bgTextureHover=flat&borderColorHover=%2398b7e8&fcHover=%23ffffff&iconColorHover=%23ffffff&bgColorActive=%233875d7&bgTextureActive=flat&borderColorActive=%233875d7&fcActive=%23ffffff&iconColorActive=%23ffffff&bgColorHighlight=%23ffffff&bgTextureHighlight=flat&borderColorHighlight=%23aaaaaa&fcHighlight=%23444444&iconColorHighlight=%23444444&bgColorError=%23E14D43&bgTextureError=flat&borderColorError=%23E14D43&fcError=%23ffffff&iconColorError=%23ffffff&bgColorOverlay=%23ffffff&bgTextureOverlay=flat&bgImgOpacityOverlay=0&opacityOverlay=30&bgColorShadow=%23aaaaaa&bgTextureShadow=flat&bgImgOpacityShadow=0&opacityShadow=30&thicknessShadow=8px&offsetTopShadow=-8px&offsetLeftShadow=-8px&cornerRadiusShadow=8px&bgImgOpacityHeader=0&bgImgOpacityContent=&bgImgOpacityDefault=0&bgImgOpacityHover=0&bgImgOpacityActive=0&bgImgOpacityHighlight=0&bgImgOpacityError=0
* Copyright jQuery Foundation and other contributors; Licensed MIT */

/* Layout helpers
----------------------------------*/
.ui-helper-hidden {
	display: none;
}
.ui-helper-hidden-accessible {
	border: 0;
	clip: rect(0 0 0 0);
	height: 1px;
	margin: -1px;
	overflow: hidden;
	padding: 0;
	position: absolute;
	width: 1px;
}
.ui-helper-reset {
	margin: 0;
	padding: 0;
	border: 0;
	outline: 0;
	line-height: 1.3;
	text-decoration: none;
	font-size: 100%;
	list-style: none;
}
.ui-helper-clearfix:before,
.ui-helper-clearfix:after {
	content: "";
	display: table;
	border-collapse: collapse;
}
.ui-helper-clearfix:after {
	clear: both;
}
.ui-helper-clearfix {
	min-height: 0; /* support: IE7 */
}
.ui-helper-zfix {
	width: 100%;
	height: 100%;
	top: 0;
	left: 0;
	position: absolute;
	opacity: 0;
	filter:Alpha(Opacity=0); /* support: IE8 */
}

.ui-front {
	z-index: 100;
}


/* Interaction Cues
----------------------------------*/
.ui-state-disabled {
	cursor: default !important;
}


/* Icons
----------------------------------*/

/* states and images */
.ui-icon {
	display: block;
	text-indent: -99999px;
	overflow: hidden;
	background-repeat: no-repeat;
}


/* Misc visuals
----------------------------------*/

/* Overlays */
.ui-widget-overlay {
	position: fixed;
	top: 0;
	left: 0;
	width: 100%;
	height: 100%;
}
.ui-datepicker {
	width: 17em;
	padding: .2em .2em 0;
	display: none;
}
.ui-datepicker .ui-datepicker-header {
	position: relative;
	padding: .2em 0;
}
.ui-datepicker .ui-datepicker-prev,
.ui-datepicker .ui-datepicker-next {
	position: absolute;
	top: 2px;
	width: 1.8em;
	height: 1.8em;
}
.ui-datepicker .ui-datepicker-prev-hover,
.ui-datepicker .ui-datepicker-next-hover {
	top: 1px;
}
.ui-datepicker .ui-datepicker-prev {
	left: 2px;
}
.ui-datepicker .ui-datepicker-next {
	right: 2px;
}
.ui-datepicker .ui-datepicker-prev-hover {
	left: 1px;
}
.ui-datepicker .ui-datepicker-next-hover {
	right: 1px;
}
.ui-datepicker .ui-datepicker-prev span,
.ui-datepicker .ui-datepicker-next span {
	display: block;
	position: absolute;
	left: 50%;
	margin-left: -8px;
	top: 50%;
	margin-top: -8px;
}
.ui-datepicker .ui-datepicker-title {
	margin: 0 2.3em;
	line-height: 1.8em;
	text-align: center;
}
.ui-datepicker .ui-datepicker-title select {
	font-size: 1em;
	margin: 1px 0;
}
.ui-datepicker select.ui-datepicker-month,
.ui-datepicker select.ui-datepicker-year {
	width: 45%;
}
.ui-datepicker table {
	width: 100%;
	font-size: .9em;
	border-collapse: collapse;
	margin: 0 0 .4em;
}
.ui-datepicker th {
	padding: .7em .3em;
	text-align: center;
	font-weight: bold;
	border: 0;
}
.ui-datepicker td {
	border: 0;
	padding: 1px;
}
.ui-datepicker td span,
.ui-datepicker td a {
	display: block;
	padding: .2em;
	text-align: right;
	text-decoration: none;
}
.ui-datepicker .ui-datepicker-buttonpane {
	background-image: none;
	margin: .7em 0 0 0;
	padding: 0 .2em;
	border-left: 0;
	border-right: 0;
	border-bottom: 0;
}
.ui-datepicker .ui-datepicker-buttonpane button {
	float: right;
	margin: .5em .2em .4em;
	cursor: pointer;
	padding: .2em .6em .3em .6em;
	width: auto;
	overflow: visible;
}
.ui-datepicker .ui-datepicker-buttonpane button.ui-datepicker-current {
	float: left;
}

/* with multiple calendars */
.ui-datepicker.ui-datepicker-multi {
	width: auto;
}
.ui-datepicker-multi .ui-datepicker-group {
	float: left;
}
.ui-datepicker-multi .ui-datepicker-group table {
	width: 95%;
	margin: 0 auto .4em;
}
.ui-datepicker-multi-2 .ui-datepicker-group {
	width: 50%;
}
.ui-datepicker-multi-3 .ui-datepicker-group {
	width: 33.3%;
}
.ui-datepicker-multi-4 .ui-datepicker-group {
	width: 25%;
}
.ui-datepicker-multi .ui-datepicker-group-last .ui-datepicker-header,
.ui-datepicker-multi .ui-datepicker-group-middle .ui-datepicker-header {
	border-left-width: 0;
}
.ui-datepicker-multi .ui-datepicker-buttonpane {
	clear: left;
}
.ui-datepicker-row-break {
	clear: both;
	width: 100%;
	font-size: 0;
}

/* RTL support */
.ui-datepicker-rtl {
	direction: rtl;
}
.ui-datepicker-rtl .ui-datepicker-prev {
	right: 2px;
	left: auto;
}
.ui-datepicker-rtl .ui-datepicker-next {
	left: 2px;
	right: auto;
}
.ui-datepicker-rtl .ui-datepicker-prev:hover {
	right: 1px;
	left: auto;
}
.ui-datepicker-rtl .ui-datepicker-next:hover {
	left: 1px;
	right: auto;
}
.ui-datepicker-rtl .ui-datepicker-buttonpane {
	clear: right;
}
.ui-datepicker-rtl .ui-datepicker-buttonpane button {
	float: left;
}
.ui-datepicker-rtl .ui-datepicker-buttonpane button.ui-datepicker-current,
.ui-datepicker-rtl .ui-datepicker-group {
	float: right;
}
.ui-datepicker-rtl .ui-datepicker-group-last .ui-datepicker-header,
.ui-datepicker-rtl .ui-datepicker-group-middle .ui-datepicker-header {
	border-right-width: 0;
	border-left-width: 1px;
}

/* Component containers
----------------------------------*/
.acf-ui-datepicker .ui-widget {
	font-family: inherit;
	font-size: 14px;
}
.acf-ui-datepicker .ui-widget .ui-widget {
	font-size: 1em;
}
.acf-ui-datepicker .ui-widget input,
.acf-ui-datepicker .ui-widget select,
.acf-ui-datepicker .ui-widget textarea,
.acf-ui-datepicker .ui-widget button {
	font-family: inherit;
	font-size: 1em;
}
.acf-ui-datepicker .ui-widget-content {
	border: 1px solid #E1E1E1;
	background: #ffffff;
	color: #444444;
}
.acf-ui-datepicker .ui-widget-content a {
	color: #444444;
}
.acf-ui-datepicker .ui-widget-header {
	border: 1px solid #ffffff;
	background: #ffffff url("images/ui-bg_highlight-soft_0_ffffff_1x100.png") 50% 50% repeat-x;
	color: #222222;
	font-weight: bold;
}
.acf-ui-datepicker .ui-widget-header a {
	color: #222222;
}

/* Interaction states
----------------------------------*/
.acf-ui-datepicker .ui-state-default,
.acf-ui-datepicker .ui-widget-content .ui-state-default,
.acf-ui-datepicker .ui-widget-header .ui-state-default {
	border: 1px solid #F0F0F0;
	background: #F9F9F9;
	font-weight: normal;
	color: #444444;
}
.acf-ui-datepicker .ui-state-default a,
.acf-ui-datepicker .ui-state-default a:link,
.acf-ui-datepicker .ui-state-default a:visited {
	color: #444444;
	text-decoration: none;
}
.acf-ui-datepicker .ui-state-hover,
.acf-ui-datepicker .ui-widget-content .ui-state-hover,
.acf-ui-datepicker .ui-widget-header .ui-state-hover,
.acf-ui-datepicker .ui-state-focus,
.acf-ui-datepicker .ui-widget-content .ui-state-focus,
.acf-ui-datepicker .ui-widget-header .ui-state-focus {
	border: 1px solid #98b7e8;
	background: #98b7e8;
	font-weight: normal;
	color: #ffffff;
}
.acf-ui-datepicker .ui-state-hover a,
.acf-ui-datepicker .ui-state-hover a:hover,
.acf-ui-datepicker .ui-state-hover a:link,
.acf-ui-datepicker .ui-state-hover a:visited,
.acf-ui-datepicker .ui-state-focus a,
.acf-ui-datepicker .ui-state-focus a:hover,
.acf-ui-datepicker .ui-state-focus a:link,
.acf-ui-datepicker .ui-state-focus a:visited {
	color: #ffffff;
	text-decoration: none;
}
.acf-ui-datepicker .ui-state-active,
.acf-ui-datepicker .ui-widget-content .ui-state-active,
.acf-ui-datepicker .ui-widget-header .ui-state-active {
	border: 1px solid #3875d7;
	background: #3875d7;
	font-weight: normal;
	color: #ffffff;
}
.acf-ui-datepicker .ui-state-active a,
.acf-ui-datepicker .ui-state-active a:link,
.acf-ui-datepicker .ui-state-active a:visited {
	color: #ffffff;
	text-decoration: none;
}

/* Interaction Cues
----------------------------------*/
.acf-ui-datepicker .ui-state-highlight,
.acf-ui-datepicker .ui-widget-content .ui-state-highlight,
.acf-ui-datepicker .ui-widget-header .ui-state-highlight {
	border: 1px solid #aaaaaa;
	background: #ffffff;
	color: #444444;
}
.acf-ui-datepicker .ui-state-highlight a,
.acf-ui-datepicker .ui-widget-content .ui-state-highlight a,
.acf-ui-datepicker .ui-widget-header .ui-state-highlight a {
	color: #444444;
}
.acf-ui-datepicker .ui-state-error,
.acf-ui-datepicker .ui-widget-content .ui-state-error,
.acf-ui-datepicker .ui-widget-header .ui-state-error {
	border: 1px solid #E14D43;
	background: #E14D43;
	color: #ffffff;
}
.acf-ui-datepicker .ui-state-error a,
.acf-ui-datepicker .ui-widget-content .ui-state-error a,
.acf-ui-datepicker .ui-widget-header .ui-state-error a {
	color: #ffffff;
}
.acf-ui-datepicker .ui-state-error-text,
.acf-ui-datepicker .ui-widget-content .ui-state-error-text,
.acf-ui-datepicker .ui-widget-header .ui-state-error-text {
	color: #ffffff;
}
.acf-ui-datepicker .ui-priority-primary,
.acf-ui-datepicker .ui-widget-content .ui-priority-primary,
.acf-ui-datepicker .ui-widget-header .ui-priority-primary {
	font-weight: bold;
}
.acf-ui-datepicker .ui-priority-secondary,
.acf-ui-datepicker .ui-widget-content .ui-priority-secondary,
.acf-ui-datepicker .ui-widget-header .ui-priority-secondary {
	opacity: .7;
	filter:Alpha(Opacity=70); /* support: IE8 */
	font-weight: normal;
}
.acf-ui-datepicker .ui-state-disabled,
.acf-ui-datepicker .ui-widget-content .ui-state-disabled,
.acf-ui-datepicker .ui-widget-header .ui-state-disabled {
	opacity: .35;
	filter:Alpha(Opacity=35); /* support: IE8 */
	background-image: none;
}
.acf-ui-datepicker .ui-state-disabled .ui-icon {
	filter:Alpha(Opacity=35); /* support: IE8 - See #6059 */
}

/* Icons
----------------------------------*/

/* states and images */
.acf-ui-datepicker .ui-icon {
	width: 16px;
	height: 16px;
}
.acf-ui-datepicker .ui-icon,
.acf-ui-datepicker .ui-widget-content .ui-icon {
	background-image: url("images/ui-icons_444444_256x240.png");
}
.acf-ui-datepicker .ui-widget-header .ui-icon {
	background-image: url("images/ui-icons_DDDDDD_256x240.png");
}
.acf-ui-datepicker .ui-state-default .ui-icon {
	background-image: url("images/ui-icons_444444_256x240.png");
}
.acf-ui-datepicker .ui-state-hover .ui-icon,
.acf-ui-datepicker .ui-state-focus .ui-icon {
	background-image: url("images/ui-icons_ffffff_256x240.png");
}
.acf-ui-datepicker .ui-state-active .ui-icon {
	background-image: url("images/ui-icons_ffffff_256x240.png");
}
.acf-ui-datepicker .ui-state-highlight .ui-icon {
	background-image: url("images/ui-icons_444444_256x240.png");
}
.acf-ui-datepicker .ui-state-error .ui-icon,
.acf-ui-datepicker .ui-state-error-text .ui-icon {
	background-image: url("images/ui-icons_ffffff_256x240.png");
}

/* positioning */
.acf-ui-datepicker .ui-icon-blank { background-position: 16px 16px; }
.acf-ui-datepicker .ui-icon-carat-1-n { background-position: 0 0; }
.acf-ui-datepicker .ui-icon-carat-1-ne { background-position: -16px 0; }
.acf-ui-datepicker .ui-icon-carat-1-e { background-position: -32px 0; }
.acf-ui-datepicker .ui-icon-carat-1-se { background-position: -48px 0; }
.acf-ui-datepicker .ui-icon-carat-1-s { background-position: -64px 0; }
.acf-ui-datepicker .ui-icon-carat-1-sw { background-position: -80px 0; }
.acf-ui-datepicker .ui-icon-carat-1-w { background-position: -96px 0; }
.acf-ui-datepicker .ui-icon-carat-1-nw { background-position: -112px 0; }
.acf-ui-datepicker .ui-icon-carat-2-n-s { background-position: -128px 0; }
.acf-ui-datepicker .ui-icon-carat-2-e-w { background-position: -144px 0; }
.acf-ui-datepicker .ui-icon-triangle-1-n { background-position: 0 -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-ne { background-position: -16px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-e { background-position: -32px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-se { background-position: -48px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-s { background-position: -64px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-sw { background-position: -80px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-w { background-position: -96px -16px; }
.acf-ui-datepicker .ui-icon-triangle-1-nw { background-position: -112px -16px; }
.acf-ui-datepicker .ui-icon-triangle-2-n-s { background-position: -128px -16px; }
.acf-ui-datepicker .ui-icon-triangle-2-e-w { background-position: -144px -16px; }
.acf-ui-datepicker .ui-icon-arrow-1-n { background-position: 0 -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-ne { background-position: -16px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-e { background-position: -32px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-se { background-position: -48px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-s { background-position: -64px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-sw { background-position: -80px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-w { background-position: -96px -32px; }
.acf-ui-datepicker .ui-icon-arrow-1-nw { background-position: -112px -32px; }
.acf-ui-datepicker .ui-icon-arrow-2-n-s { background-position: -128px -32px; }
.acf-ui-datepicker .ui-icon-arrow-2-ne-sw { background-position: -144px -32px; }
.acf-ui-datepicker .ui-icon-arrow-2-e-w { background-position: -160px -32px; }
.acf-ui-datepicker .ui-icon-arrow-2-se-nw { background-position: -176px -32px; }
.acf-ui-datepicker .ui-icon-arrowstop-1-n { background-position: -192px -32px; }
.acf-ui-datepicker .ui-icon-arrowstop-1-e { background-position: -208px -32px; }
.acf-ui-datepicker .ui-icon-arrowstop-1-s { background-position: -224px -32px; }
.acf-ui-datepicker .ui-icon-arrowstop-1-w { background-position: -240px -32px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-n { background-position: 0 -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-ne { background-position: -16px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-e { background-position: -32px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-se { background-position: -48px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-s { background-position: -64px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-sw { background-position: -80px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-w { background-position: -96px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-1-nw { background-position: -112px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-2-n-s { background-position: -128px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-2-ne-sw { background-position: -144px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-2-e-w { background-position: -160px -48px; }
.acf-ui-datepicker .ui-icon-arrowthick-2-se-nw { background-position: -176px -48px; }
.acf-ui-datepicker .ui-icon-arrowthickstop-1-n { background-position: -192px -48px; }
.acf-ui-datepicker .ui-icon-arrowthickstop-1-e { background-position: -208px -48px; }
.acf-ui-datepicker .ui-icon-arrowthickstop-1-s { background-position: -224px -48px; }
.acf-ui-datepicker .ui-icon-arrowthickstop-1-w { background-position: -240px -48px; }
.acf-ui-datepicker .ui-icon-arrowreturnthick-1-w { background-position: 0 -64px; }
.acf-ui-datepicker .ui-icon-arrowreturnthick-1-n { background-position: -16px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturnthick-1-e { background-position: -32px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturnthick-1-s { background-position: -48px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturn-1-w { background-position: -64px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturn-1-n { background-position: -80px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturn-1-e { background-position: -96px -64px; }
.acf-ui-datepicker .ui-icon-arrowreturn-1-s { background-position: -112px -64px; }
.acf-ui-datepicker .ui-icon-arrowrefresh-1-w { background-position: -128px -64px; }
.acf-ui-datepicker .ui-icon-arrowrefresh-1-n { background-position: -144px -64px; }
.acf-ui-datepicker .ui-icon-arrowrefresh-1-e { background-position: -160px -64px; }
.acf-ui-datepicker .ui-icon-arrowrefresh-1-s { background-position: -176px -64px; }
.acf-ui-datepicker .ui-icon-arrow-4 { background-position: 0 -80px; }
.acf-ui-datepicker .ui-icon-arrow-4-diag { background-position: -16px -80px; }
.acf-ui-datepicker .ui-icon-extlink { background-position: -32px -80px; }
.acf-ui-datepicker .ui-icon-newwin { background-position: -48px -80px; }
.acf-ui-datepicker .ui-icon-refresh { background-position: -64px -80px; }
.acf-ui-datepicker .ui-icon-shuffle { background-position: -80px -80px; }
.acf-ui-datepicker .ui-icon-transfer-e-w { background-position: -96px -80px; }
.acf-ui-datepicker .ui-icon-transferthick-e-w { background-position: -112px -80px; }
.acf-ui-datepicker .ui-icon-folder-collapsed { background-position: 0 -96px; }
.acf-ui-datepicker .ui-icon-folder-open { background-position: -16px -96px; }
.acf-ui-datepicker .ui-icon-document { background-position: -32px -96px; }
.acf-ui-datepicker .ui-icon-document-b { background-position: -48px -96px; }
.acf-ui-datepicker .ui-icon-note { background-position: -64px -96px; }
.acf-ui-datepicker .ui-icon-mail-closed { background-position: -80px -96px; }
.acf-ui-datepicker .ui-icon-mail-open { background-position: -96px -96px; }
.acf-ui-datepicker .ui-icon-suitcase { background-position: -112px -96px; }
.acf-ui-datepicker .ui-icon-comment { background-position: -128px -96px; }
.acf-ui-datepicker .ui-icon-person { background-position: -144px -96px; }
.acf-ui-datepicker .ui-icon-print { background-position: -160px -96px; }
.acf-ui-datepicker .ui-icon-trash { background-position: -176px -96px; }
.acf-ui-datepicker .ui-icon-locked { background-position: -192px -96px; }
.acf-ui-datepicker .ui-icon-unlocked { background-position: -208px -96px; }
.acf-ui-datepicker .ui-icon-bookmark { background-position: -224px -96px; }
.acf-ui-datepicker .ui-icon-tag { background-position: -240px -96px; }
.acf-ui-datepicker .ui-icon-home { background-position: 0 -112px; }
.acf-ui-datepicker .ui-icon-flag { background-position: -16px -112px; }
.acf-ui-datepicker .ui-icon-calendar { background-position: -32px -112px; }
.acf-ui-datepicker .ui-icon-cart { background-position: -48px -112px; }
.acf-ui-datepicker .ui-icon-pencil { background-position: -64px -112px; }
.acf-ui-datepicker .ui-icon-clock { background-position: -80px -112px; }
.acf-ui-datepicker .ui-icon-disk { background-position: -96px -112px; }
.acf-ui-datepicker .ui-icon-calculator { background-position: -112px -112px; }
.acf-ui-datepicker .ui-icon-zoomin { background-position: -128px -112px; }
.acf-ui-datepicker .ui-icon-zoomout { background-position: -144px -112px; }
.acf-ui-datepicker .ui-icon-search { background-position: -160px -112px; }
.acf-ui-datepicker .ui-icon-wrench { background-position: -176px -112px; }
.acf-ui-datepicker .ui-icon-gear { background-position: -192px -112px; }
.acf-ui-datepicker .ui-icon-heart { background-position: -208px -112px; }
.acf-ui-datepicker .ui-icon-star { background-position: -224px -112px; }
.acf-ui-datepicker .ui-icon-link { background-position: -240px -112px; }
.acf-ui-datepicker .ui-icon-cancel { background-position: 0 -128px; }
.acf-ui-datepicker .ui-icon-plus { background-position: -16px -128px; }
.acf-ui-datepicker .ui-icon-plusthick { background-position: -32px -128px; }
.acf-ui-datepicker .ui-icon-minus { background-position: -48px -128px; }
.acf-ui-datepicker .ui-icon-minusthick { background-position: -64px -128px; }
.acf-ui-datepicker .ui-icon-close { background-position: -80px -128px; }
.acf-ui-datepicker .ui-icon-closethick { background-position: -96px -128px; }
.acf-ui-datepicker .ui-icon-key { background-position: -112px -128px; }
.acf-ui-datepicker .ui-icon-lightbulb { background-position: -128px -128px; }
.acf-ui-datepicker .ui-icon-scissors { background-position: -144px -128px; }
.acf-ui-datepicker .ui-icon-clipboard { background-position: -160px -128px; }
.acf-ui-datepicker .ui-icon-copy { background-position: -176px -128px; }
.acf-ui-datepicker .ui-icon-contact { background-position: -192px -128px; }
.acf-ui-datepicker .ui-icon-image { background-position: -208px -128px; }
.acf-ui-datepicker .ui-icon-video { background-position: -224px -128px; }
.acf-ui-datepicker .ui-icon-script { background-position: -240px -128px; }
.acf-ui-datepicker .ui-icon-alert { background-position: 0 -144px; }
.acf-ui-datepicker .ui-icon-info { background-position: -16px -144px; }
.acf-ui-datepicker .ui-icon-notice { background-position: -32px -144px; }
.acf-ui-datepicker .ui-icon-help { background-position: -48px -144px; }
.acf-ui-datepicker .ui-icon-check { background-position: -64px -144px; }
.acf-ui-datepicker .ui-icon-bullet { background-position: -80px -144px; }
.acf-ui-datepicker .ui-icon-radio-on { background-position: -96px -144px; }
.acf-ui-datepicker .ui-icon-radio-off { background-position: -112px -144px; }
.acf-ui-datepicker .ui-icon-pin-w { background-position: -128px -144px; }
.acf-ui-datepicker .ui-icon-pin-s { background-position: -144px -144px; }
.acf-ui-datepicker .ui-icon-play { background-position: 0 -160px; }
.acf-ui-datepicker .ui-icon-pause { background-position: -16px -160px; }
.acf-ui-datepicker .ui-icon-seek-next { background-position: -32px -160px; }
.acf-ui-datepicker .ui-icon-seek-prev { background-position: -48px -160px; }
.acf-ui-datepicker .ui-icon-seek-end { background-position: -64px -160px; }
.acf-ui-datepicker .ui-icon-seek-start { background-position: -80px -160px; }
/* ui-icon-seek-first is deprecated, use ui-icon-seek-start instead */
.acf-ui-datepicker .ui-icon-seek-first { background-position: -80px -160px; }
.acf-ui-datepicker .ui-icon-stop { background-position: -96px -160px; }
.acf-ui-datepicker .ui-icon-eject { background-position: -112px -160px; }
.acf-ui-datepicker .ui-icon-volume-off { background-position: -128px -160px; }
.acf-ui-datepicker .ui-icon-volume-on { background-position: -144px -160px; }
.acf-ui-datepicker .ui-icon-power { background-position: 0 -176px; }
.acf-ui-datepicker .ui-icon-signal-diag { background-position: -16px -176px; }
.acf-ui-datepicker .ui-icon-signal { background-position: -32px -176px; }
.acf-ui-datepicker .ui-icon-battery-0 { background-position: -48px -176px; }
.acf-ui-datepicker .ui-icon-battery-1 { background-position: -64px -176px; }
.acf-ui-datepicker .ui-icon-battery-2 { background-position: -80px -176px; }
.acf-ui-datepicker .ui-icon-battery-3 { background-position: -96px -176px; }
.acf-ui-datepicker .ui-icon-circle-plus { background-position: 0 -192px; }
.acf-ui-datepicker .ui-icon-circle-minus { background-position: -16px -192px; }
.acf-ui-datepicker .ui-icon-circle-close { background-position: -32px -192px; }
.acf-ui-datepicker .ui-icon-circle-triangle-e { background-position: -48px -192px; }
.acf-ui-datepicker .ui-icon-circle-triangle-s { background-position: -64px -192px; }
.acf-ui-datepicker .ui-icon-circle-triangle-w { background-position: -80px -192px; }
.acf-ui-datepicker .ui-icon-circle-triangle-n { background-position: -96px -192px; }
.acf-ui-datepicker .ui-icon-circle-arrow-e { background-position: -112px -192px; }
.acf-ui-datepicker .ui-icon-circle-arrow-s { background-position: -128px -192px; }
.acf-ui-datepicker .ui-icon-circle-arrow-w { background-position: -144px -192px; }
.acf-ui-datepicker .ui-icon-circle-arrow-n { background-position: -160px -192px; }
.acf-ui-datepicker .ui-icon-circle-zoomin { background-position: -176px -192px; }
.acf-ui-datepicker .ui-icon-circle-zoomout { background-position: -192px -192px; }
.acf-ui-datepicker .ui-icon-circle-check { background-position: -208px -192px; }
.acf-ui-datepicker .ui-icon-circlesmall-plus { background-position: 0 -208px; }
.acf-ui-datepicker .ui-icon-circlesmall-minus { background-position: -16px -208px; }
.acf-ui-datepicker .ui-icon-circlesmall-close { background-position: -32px -208px; }
.acf-ui-datepicker .ui-icon-squaresmall-plus { background-position: -48px -208px; }
.acf-ui-datepicker .ui-icon-squaresmall-minus { background-position: -64px -208px; }
.acf-ui-datepicker .ui-icon-squaresmall-close { background-position: -80px -208px; }
.acf-ui-datepicker .ui-icon-grip-dotted-vertical { background-position: 0 -224px; }
.acf-ui-datepicker .ui-icon-grip-dotted-horizontal { background-position: -16px -224px; }
.acf-ui-datepicker .ui-icon-grip-solid-vertical { background-position: -32px -224px; }
.acf-ui-datepicker .ui-icon-grip-solid-horizontal { background-position: -48px -224px; }
.acf-ui-datepicker .ui-icon-gripsmall-diagonal-se { background-position: -64px -224px; }
.acf-ui-datepicker .ui-icon-grip-diagonal-se { background-position: -80px -224px; }


/* Misc visuals
----------------------------------*/

/* Corner radius */
.acf-ui-datepicker .ui-corner-all,
.acf-ui-datepicker .ui-corner-top,
.acf-ui-datepicker .ui-corner-left,
.acf-ui-datepicker .ui-corner-tl {
	border-top-left-radius: 3;
}
.acf-ui-datepicker .ui-corner-all,
.acf-ui-datepicker .ui-corner-top,
.acf-ui-datepicker .ui-corner-right,
.acf-ui-datepicker .ui-corner-tr {
	border-top-right-radius: 3;
}
.acf-ui-datepicker .ui-corner-all,
.acf-ui-datepicker .ui-corner-bottom,
.acf-ui-datepicker .ui-corner-left,
.acf-ui-datepicker .ui-corner-bl {
	border-bottom-left-radius: 3;
}
.acf-ui-datepicker .ui-corner-all,
.acf-ui-datepicker .ui-corner-bottom,
.acf-ui-datepicker .ui-corner-right,
.acf-ui-datepicker .ui-corner-br {
	border-bottom-right-radius: 3;
}

/* Overlays */
.acf-ui-datepicker .ui-widget-overlay {
	background: #ffffff;
	opacity: .3;
	filter: Alpha(Opacity=30); /* support: IE8 */
}
.acf-ui-datepicker .ui-widget-shadow {
	margin: -8px 0 0 -8px;
	padding: 8px;
	background: #aaaaaa;
	opacity: .3;
	filter: Alpha(Opacity=30); /* support: IE8 */
	border-radius: 8px;
}
PK�
�[+����8assets/inc/datepicker/images/ui-icons_444444_256x240.pngnu�[����PNG


IHDR��IJ�PLTEDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDDD�� ZtRNS�3P���/"Uq@f`2�
!<BHK Z#'1S,�4���j���8E���|��������)��Q$�
��b�J��mߜGc?o�h�#�-
IDATx����6�a�7��s#@�-l	����Y�xZ�-v�����c~x�n�y��*f6߸��u��h1��-���b�Ҁ��T3=��H����B�S���&F�Z��`L!����
(�
����_�L�~�S`
f6�E�p8���G�	ν^�~`JC���P�?�=|�VK��4 >���i���cZ�~��^q�S��~&XX���U<�
O1lS�mt�W�}�\]�˜����p8��k���}o������PN�z���,C�t����P���9�PK9���
�)���vY1 e�w��k� �����	������XO�\��D{�fq��+��}A�S�C]�^ĭ�J���p8�Y/����Q4��7<W�
(Q��Z��Y��RŴ
��F70G��ǡh �^��]k+����GHs�ڿ��m;��"�� l�a�<b] �8AT��G~ʈ�[�a��<c@�2�˨���y	�!V��y����񕛘l �))n�m��M0���_��s�啨�������p8�+��,3��VG���!�0���5OO���Z6L���8��bׯ�E�7�������-��6�����ʌY��2���)�Rm���ne��{�#+����W
��j�i@�G�Y��a���P�����E�yf���_����yϹ-���p8<�����\���7���L�S�������u,�ﱱ��d����%���(�ӽ�`���l3��׀=�g��ǽPږw�Sl�ߏ
q	�}d<��t����2�O���F���{@���@���Swm����x���W;�߶�4��s�1d��B�҉����+Ӌ��~�/�X��Z	�t�A��bq�@>���������D����l�#:90���(	���b�c��U@�&��7�k/j.o�+K�eΊm �~�Ĉ�`����Z~!z�ڠ;s�YA�Qdɿִȉ�i��ʲk\ �V&�%�
���]W���P@vr�6��d"�^�8jHX��:�AXc���T�c~H�=�ֈ��p�p����|�I��@����
h0�����\���q�D>��Q�5`7g7�<��=&ʲL��������S�n���0�N�=��8�|l�l�&�+W���'�&x��@G���ɨ����yn���ի�%+ ��|��:��5����QZD��_}X�� sЪ�P*�����,Uq�"���@N�,��U�`C�*�p�SZ�3�M��?7���8�\�A#P�#y��mӫ����M����Z������qR7G������0���:	�$P7��
/�R-s��c�X3r�gG;u�� KY��S8U�������pV��fg�Kt>��_&-�����(Ρ%��JʭFAP�+��T��?4	��k�����_9�,/HF��u�!c�*ZZm}���
�*u��F��W�r��6@"@$��Fo^y��g���?���6�wxw��5N�`u���c߭�w�ߋ�4}`�qE��RdE��
@�h�y�������>�GY�u�T@�e�����X�$���>f�Ǫ�Nݽ�Ҏl<������e��	�.>>����7����
�<� Ю��ީ�˓�e*������`��>9|�/7z̆�]��%8�K^y����g��H!H(�~�5/���)� �N���>X�z뫑4��m��c}��(�Ŝ?���5dة+��_k�uX^ւ˥\�(�R��Ə�zzzzz�!9��)��󵶀���:�	�%�	�rMO��7�~˗�p���WH�=Ûo��,�EΆ�i?!O�]�`��ߵ��@E��ʬ<�܏Ƨ[�K~������L܎�?պ_5�Ӊ1"����Ci�w�-�2ḱ՗-����~���EYA�TS(M:ƾ�����/�;�3ϓP�����	X��v_/9��~�P�(��d�Y� �T�F#L��YQ&�9s�xG���p{�Gl����lƵ��9��8��Z�3 g���G�~{���3m�;��p�
��W�k����n�+B8==m�:�>_|��g������M�<R���&"�A��T5̏93	 �Ĵ�H;�^X�H��<�f3f$/���
��W��,�f>}�(JQ�&�fʑ��e�iM��/a��^��Hz����0q�wA����@�8Z�Fe����?�_8�v����8H
_�s��������'ύ�~��u]n�M��b�-]�xz#�HM
L���@)G�}1`r�a[�5���%e�^�LHh&q��m�� mK��������M�og��k�� �iw�a��6�k�	;�*T��ےn����J6��JJY�`��S�VɐI�j
�"�Ʉ��N����=T���`	��kMג`)M��y|�{�-o%������u���`��Z���ீ���3����xzzzzzzJ�<$��WH�K���<$�"	l<�.P���F[=Z/���-�t����:`"��x�4�<���
����-�h#9l0JC	�Hi�lC�)�8%m`uZ��O�<�WV�W�~������C�L�S��y��,\ ��_%��
9��p~}2�o�����?��H�u�R�7%�h�d�Yv��`�O9͖M[gd��#r�%gDm(*�����6z�`��@=�1m�3��V�TW@��4��k���%C*ICՀr���am��~�:6Q�����&p�POOOO�EĿ> ��CT��v{��i��vk�����a�.���n��<���;��ƿ>��`����������k%���w���tΟH����n���4�Z��w	ر|z��H��F�"Y��?�X
H3����$4�K�����^���xt������*@�g��5H��fZ�g�@Uu�n
N�
�Q!���?�M�ԔnjM��lRx��D��פ��*�a��N}��;��������4���Dw�������Ú���%��qt@�ՠ������!�.��
�{�U���������2@
uB$��@

�s��/@�V?����H@M�/���bM���gp*��'�T@�E�
$�_�q����=�������������IEND�B`�PK�
�[&�M)��8assets/inc/datepicker/images/ui-icons_DDDDDD_256x240.pngnu�[����PNG


IHDR��IJ�PLTE��������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������ݠ7,ZtRNS�3P���/"Uq@f`2�
!<BHK Z#'1S,�4���j���8E���|��������)��Q$�
��b�J��mߜGc?o�h�#�-
IDATx����6�a�7��s#@�-l	����Y�xZ�-v�����c~x�n�y��*f6߸��u��h1��-���b�Ҁ��T3=��H����B�S���&F�Z��`L!����
(�
����_�L�~�S`
f6�E�p8���G�	ν^�~`JC���P�?�=|�VK��4 >���i���cZ�~��^q�S��~&XX���U<�
O1lS�mt�W�}�\]�˜����p8��k���}o������PN�z���,C�t����P���9�PK9���
�)���vY1 e�w��k� �����	������XO�\��D{�fq��+��}A�S�C]�^ĭ�J���p8�Y/����Q4��7<W�
(Q��Z��Y��RŴ
��F70G��ǡh �^��]k+����GHs�ڿ��m;��"�� l�a�<b] �8AT��G~ʈ�[�a��<c@�2�˨���y	�!V��y����񕛘l �))n�m��M0���_��s�啨�������p8�+��,3��VG���!�0���5OO���Z6L���8��bׯ�E�7�������-��6�����ʌY��2���)�Rm���ne��{�#+����W
��j�i@�G�Y��a���P�����E�yf���_����yϹ-���p8<�����\���7���L�S�������u,�ﱱ��d����%���(�ӽ�`���l3��׀=�g��ǽPږw�Sl�ߏ
q	�}d<��t����2�O���F���{@���@���Swm����x���W;�߶�4��s�1d��B�҉����+Ӌ��~�/�X��Z	�t�A��bq�@>���������D����l�#:90���(	���b�c��U@�&��7�k/j.o�+K�eΊm �~�Ĉ�`����Z~!z�ڠ;s�YA�Qdɿִȉ�i��ʲk\ �V&�%�
���]W���P@vr�6��d"�^�8jHX��:�AXc���T�c~H�=�ֈ��p�p����|�I��@����
h0�����\���q�D>��Q�5`7g7�<��=&ʲL��������S�n���0�N�=��8�|l�l�&�+W���'�&x��@G���ɨ����yn���ի�%+ ��|��:��5����QZD��_}X�� sЪ�P*�����,Uq�"���@N�,��U�`C�*�p�SZ�3�M��?7���8�\�A#P�#y��mӫ����M����Z������qR7G������0���:	�$P7��
/�R-s��c�X3r�gG;u�� KY��S8U�������pV��fg�Kt>��_&-�����(Ρ%��JʭFAP�+��T��?4	��k�����_9�,/HF��u�!c�*ZZm}���
�*u��F��W�r��6@"@$��Fo^y��g���?���6�wxw��5N�`u���c߭�w�ߋ�4}`�qE��RdE��
@�h�y�������>�GY�u�T@�e�����X�$���>f�Ǫ�Nݽ�Ҏl<������e��	�.>>����7����
�<� Ю��ީ�˓�e*������`��>9|�/7z̆�]��%8�K^y����g��H!H(�~�5/���)� �N���>X�z뫑4��m��c}��(�Ŝ?���5dة+��_k�uX^ւ˥\�(�R��Ə�zzzzz�!9��)��󵶀���:�	�%�	�rMO��7�~˗�p���WH�=Ûo��,�EΆ�i?!O�]�`��ߵ��@E��ʬ<�܏Ƨ[�K~������L܎�?պ_5�Ӊ1"����Ci�w�-�2ḱ՗-����~���EYA�TS(M:ƾ�����/�;�3ϓP�����	X��v_/9��~�P�(��d�Y� �T�F#L��YQ&�9s�xG���p{�Gl����lƵ��9��8��Z�3 g���G�~{���3m�;��p�
��W�k����n�+B8==m�:�>_|��g������M�<R���&"�A��T5̏93	 �Ĵ�H;�^X�H��<�f3f$/���
��W��,�f>}�(JQ�&�fʑ��e�iM��/a��^��Hz����0q�wA����@�8Z�Fe����?�_8�v����8H
_�s��������'ύ�~��u]n�M��b�-]�xz#�HM
L���@)G�}1`r�a[�5���%e�^�LHh&q��m�� mK��������M�og��k�� �iw�a��6�k�	;�*T��ےn����J6��JJY�`��S�VɐI�j
�"�Ʉ��N����=T���`	��kMג`)M��y|�{�-o%������u���`��Z���ீ���3����xzzzzzzJ�<$��WH�K���<$�"	l<�.P���F[=Z/���-�t����:`"��x�4�<���
����-�h#9l0JC	�Hi�lC�)�8%m`uZ��O�<�WV�W�~������C�L�S��y��,\ ��_%��
9��p~}2�o�����?��H�u�R�7%�h�d�Yv��`�O9͖M[gd��#r�%gDm(*�����6z�`��@=�1m�3��V�TW@��4��k���%C*ICՀr���am��~�:6Q�����&p�POOOO�EĿ> ��CT��v{��i��vk�����a�.���n��<���;��ƿ>��`����������k%���w���tΟH����n���4�Z��w	ر|z��H��F�"Y��?�X
H3����$4�K�����^���xt������*@�g��5H��fZ�g�@Uu�n
N�
�Q!���?�M�ԔnjM��lRx��D��פ��*�a��N}��;��������4���Dw�������Ú���%��qt@�ՠ������!�.��
�{�U���������2@
uB$��@

�s��/@�V?����H@M�/���bM���gp*��'�T@�E�
$�_�q����=�������������IEND�B`�PK�
�[\�Z���8assets/inc/datepicker/images/ui-icons_ffffff_256x240.pngnu�[����PNG


IHDR��IJ�PLTE���������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������������/�!�ZtRNS�3P���/"Uq@f`2�
!<BHK Z#'1S,�4���j���8E���|��������)��Q$�
��b�J��mߜGc?o�h�#�-
IDATx����6�a�7��s#@�-l	����Y�xZ�-v�����c~x�n�y��*f6߸��u��h1��-���b�Ҁ��T3=��H����B�S���&F�Z��`L!����
(�
����_�L�~�S`
f6�E�p8���G�	ν^�~`JC���P�?�=|�VK��4 >���i���cZ�~��^q�S��~&XX���U<�
O1lS�mt�W�}�\]�˜����p8��k���}o������PN�z���,C�t����P���9�PK9���
�)���vY1 e�w��k� �����	������XO�\��D{�fq��+��}A�S�C]�^ĭ�J���p8�Y/����Q4��7<W�
(Q��Z��Y��RŴ
��F70G��ǡh �^��]k+����GHs�ڿ��m;��"�� l�a�<b] �8AT��G~ʈ�[�a��<c@�2�˨���y	�!V��y����񕛘l �))n�m��M0���_��s�啨�������p8�+��,3��VG���!�0���5OO���Z6L���8��bׯ�E�7�������-��6�����ʌY��2���)�Rm���ne��{�#+����W
��j�i@�G�Y��a���P�����E�yf���_����yϹ-���p8<�����\���7���L�S�������u,�ﱱ��d����%���(�ӽ�`���l3��׀=�g��ǽPږw�Sl�ߏ
q	�}d<��t����2�O���F���{@���@���Swm����x���W;�߶�4��s�1d��B�҉����+Ӌ��~�/�X��Z	�t�A��bq�@>���������D����l�#:90���(	���b�c��U@�&��7�k/j.o�+K�eΊm �~�Ĉ�`����Z~!z�ڠ;s�YA�Qdɿִȉ�i��ʲk\ �V&�%�
���]W���P@vr�6��d"�^�8jHX��:�AXc���T�c~H�=�ֈ��p�p����|�I��@����
h0�����\���q�D>��Q�5`7g7�<��=&ʲL��������S�n���0�N�=��8�|l�l�&�+W���'�&x��@G���ɨ����yn���ի�%+ ��|��:��5����QZD��_}X�� sЪ�P*�����,Uq�"���@N�,��U�`C�*�p�SZ�3�M��?7���8�\�A#P�#y��mӫ����M����Z������qR7G������0���:	�$P7��
/�R-s��c�X3r�gG;u�� KY��S8U�������pV��fg�Kt>��_&-�����(Ρ%��JʭFAP�+��T��?4	��k�����_9�,/HF��u�!c�*ZZm}���
�*u��F��W�r��6@"@$��Fo^y��g���?���6�wxw��5N�`u���c߭�w�ߋ�4}`�qE��RdE��
@�h�y�������>�GY�u�T@�e�����X�$���>f�Ǫ�Nݽ�Ҏl<������e��	�.>>����7����
�<� Ю��ީ�˓�e*������`��>9|�/7z̆�]��%8�K^y����g��H!H(�~�5/���)� �N���>X�z뫑4��m��c}��(�Ŝ?���5dة+��_k�uX^ւ˥\�(�R��Ə�zzzzz�!9��)��󵶀���:�	�%�	�rMO��7�~˗�p���WH�=Ûo��,�EΆ�i?!O�]�`��ߵ��@E��ʬ<�܏Ƨ[�K~������L܎�?պ_5�Ӊ1"����Ci�w�-�2ḱ՗-����~���EYA�TS(M:ƾ�����/�;�3ϓP�����	X��v_/9��~�P�(��d�Y� �T�F#L��YQ&�9s�xG���p{�Gl����lƵ��9��8��Z�3 g���G�~{���3m�;��p�
��W�k����n�+B8==m�:�>_|��g������M�<R���&"�A��T5̏93	 �Ĵ�H;�^X�H��<�f3f$/���
��W��,�f>}�(JQ�&�fʑ��e�iM��/a��^��Hz����0q�wA����@�8Z�Fe����?�_8�v����8H
_�s��������'ύ�~��u]n�M��b�-]�xz#�HM
L���@)G�}1`r�a[�5���%e�^�LHh&q��m�� mK��������M�og��k�� �iw�a��6�k�	;�*T��ےn����J6��JJY�`��S�VɐI�j
�"�Ʉ��N����=T���`	��kMג`)M��y|�{�-o%������u���`��Z���ீ���3����xzzzzzzJ�<$��WH�K���<$�"	l<�.P���F[=Z/���-�t����:`"��x�4�<���
����-�h#9l0JC	�Hi�lC�)�8%m`uZ��O�<�WV�W�~������C�L�S��y��,\ ��_%��
9��p~}2�o�����?��H�u�R�7%�h�d�Yv��`�O9͖M[gd��#r�%gDm(*�����6z�`��@=�1m�3��V�TW@��4��k���%C*ICՀr���am��~�:6Q�����&p�POOOO�EĿ> ��CT��v{��i��vk�����a�.���n��<���;��ƿ>��`����������k%���w���tΟH����n���4�Z��w	ر|z��H��F�"Y��?�X
H3����$4�K�����^���xt������*@�g��5H��fZ�g�@Uu�n
N�
�Q!���?�M�ԔnjM��lRx��D��פ��*�a��N}��;��������4���Dw�������Ú���%��qt@�ՠ������!�.��
�{�U���������2@
uB$��@

�s��/@�V?����H@M�/���bM���gp*��'�T@�E�
$�_�q����=�������������IEND�B`�PK�
�[���TTDassets/inc/datepicker/images/ui-bg_highlight-soft_0_ffffff_1x100.pngnu�[����PNG


IHDRd}��#PLTE������IDATc`�?e�IEND�B`�PK�
�[!M�h����7assets/inc/timepicker/jquery-ui-timepicker-addon.min.jsnu�[���!function(e){"function"==typeof define&&define.amd?define(["jquery","jquery-ui"],e):e(jQuery)}(function($){if($.ui.timepicker=$.ui.timepicker||{},!$.ui.timepicker.version){$.extend($.ui,{timepicker:{version:"1.6.3"}});var Timepicker=function(){this.regional=[],this.regional[""]={currentText:"Now",closeText:"Done",amNames:["AM","A"],pmNames:["PM","P"],timeFormat:"HH:mm",timeSuffix:"",timeOnlyTitle:"Choose Time",timeText:"Time",hourText:"Hour",minuteText:"Minute",secondText:"Second",millisecText:"Millisecond",microsecText:"Microsecond",timezoneText:"Time Zone",isRTL:!1},this._defaults={showButtonPanel:!0,timeOnly:!1,timeOnlyShowDate:!1,showHour:null,showMinute:null,showSecond:null,showMillisec:null,showMicrosec:null,showTimezone:null,showTime:!0,stepHour:1,stepMinute:1,stepSecond:1,stepMillisec:1,stepMicrosec:1,hour:0,minute:0,second:0,millisec:0,microsec:0,timezone:null,hourMin:0,minuteMin:0,secondMin:0,millisecMin:0,microsecMin:0,hourMax:23,minuteMax:59,secondMax:59,millisecMax:999,microsecMax:999,minDateTime:null,maxDateTime:null,maxTime:null,minTime:null,onSelect:null,hourGrid:0,minuteGrid:0,secondGrid:0,millisecGrid:0,microsecGrid:0,alwaysSetTime:!0,separator:" ",altFieldTimeOnly:!0,altTimeFormat:null,altSeparator:null,altTimeSuffix:null,altRedirectFocus:!0,pickerTimeFormat:null,pickerTimeSuffix:null,showTimepicker:!0,timezoneList:null,addSliderAccess:!1,sliderAccessArgs:null,controlType:"slider",oneLine:!1,defaultValue:null,parse:"strict",afterInject:null},$.extend(this._defaults,this.regional[""])};$.extend(Timepicker.prototype,{$input:null,$altInput:null,$timeObj:null,inst:null,hour_slider:null,minute_slider:null,second_slider:null,millisec_slider:null,microsec_slider:null,timezone_select:null,maxTime:null,minTime:null,hour:0,minute:0,second:0,millisec:0,microsec:0,timezone:null,hourMinOriginal:null,minuteMinOriginal:null,secondMinOriginal:null,millisecMinOriginal:null,microsecMinOriginal:null,hourMaxOriginal:null,minuteMaxOriginal:null,secondMaxOriginal:null,millisecMaxOriginal:null,microsecMaxOriginal:null,ampm:"",formattedDate:"",formattedTime:"",formattedDateTime:"",timezoneList:null,units:["hour","minute","second","millisec","microsec"],support:{},control:null,setDefaults:function(e){return extendRemove(this._defaults,e||{}),this},_newInst:function($input,opts){var tp_inst=new Timepicker,inlineSettings={},fns={},overrides,i;for(var attrName in this._defaults)if(this._defaults.hasOwnProperty(attrName)){var attrValue=$input.attr("time:"+attrName);if(attrValue)try{inlineSettings[attrName]=eval(attrValue)}catch(e){inlineSettings[attrName]=attrValue}}overrides={beforeShow:function(e,t){if($.isFunction(tp_inst._defaults.evnts.beforeShow))return tp_inst._defaults.evnts.beforeShow.call($input[0],e,t,tp_inst)},onChangeMonthYear:function(e,t,i){$.isFunction(tp_inst._defaults.evnts.onChangeMonthYear)&&tp_inst._defaults.evnts.onChangeMonthYear.call($input[0],e,t,i,tp_inst)},onClose:function(e,t){tp_inst.timeDefined===!0&&""!==$input.val()&&tp_inst._updateDateTime(t),$.isFunction(tp_inst._defaults.evnts.onClose)&&tp_inst._defaults.evnts.onClose.call($input[0],e,t,tp_inst)}};for(i in overrides)overrides.hasOwnProperty(i)&&(fns[i]=opts[i]||this._defaults[i]||null);tp_inst._defaults=$.extend({},this._defaults,inlineSettings,opts,overrides,{evnts:fns,timepicker:tp_inst}),tp_inst.amNames=$.map(tp_inst._defaults.amNames,function(e){return e.toUpperCase()}),tp_inst.pmNames=$.map(tp_inst._defaults.pmNames,function(e){return e.toUpperCase()}),tp_inst.support=detectSupport(tp_inst._defaults.timeFormat+(tp_inst._defaults.pickerTimeFormat?tp_inst._defaults.pickerTimeFormat:"")+(tp_inst._defaults.altTimeFormat?tp_inst._defaults.altTimeFormat:"")),"string"==typeof tp_inst._defaults.controlType?("slider"===tp_inst._defaults.controlType&&"undefined"==typeof $.ui.slider&&(tp_inst._defaults.controlType="select"),tp_inst.control=tp_inst._controls[tp_inst._defaults.controlType]):tp_inst.control=tp_inst._defaults.controlType;var timezoneList=[-720,-660,-600,-570,-540,-480,-420,-360,-300,-270,-240,-210,-180,-120,-60,0,60,120,180,210,240,270,300,330,345,360,390,420,480,525,540,570,600,630,660,690,720,765,780,840];null!==tp_inst._defaults.timezoneList&&(timezoneList=tp_inst._defaults.timezoneList);var tzl=timezoneList.length,tzi=0,tzv=null;if(tzl>0&&"object"!=typeof timezoneList[0])for(;tzi<tzl;tzi++)tzv=timezoneList[tzi],timezoneList[tzi]={value:tzv,label:$.timepicker.timezoneOffsetString(tzv,tp_inst.support.iso8601)};return tp_inst._defaults.timezoneList=timezoneList,tp_inst.timezone=null!==tp_inst._defaults.timezone?$.timepicker.timezoneOffsetNumber(tp_inst._defaults.timezone):(new Date).getTimezoneOffset()*-1,tp_inst.hour=tp_inst._defaults.hour<tp_inst._defaults.hourMin?tp_inst._defaults.hourMin:tp_inst._defaults.hour>tp_inst._defaults.hourMax?tp_inst._defaults.hourMax:tp_inst._defaults.hour,tp_inst.minute=tp_inst._defaults.minute<tp_inst._defaults.minuteMin?tp_inst._defaults.minuteMin:tp_inst._defaults.minute>tp_inst._defaults.minuteMax?tp_inst._defaults.minuteMax:tp_inst._defaults.minute,tp_inst.second=tp_inst._defaults.second<tp_inst._defaults.secondMin?tp_inst._defaults.secondMin:tp_inst._defaults.second>tp_inst._defaults.secondMax?tp_inst._defaults.secondMax:tp_inst._defaults.second,tp_inst.millisec=tp_inst._defaults.millisec<tp_inst._defaults.millisecMin?tp_inst._defaults.millisecMin:tp_inst._defaults.millisec>tp_inst._defaults.millisecMax?tp_inst._defaults.millisecMax:tp_inst._defaults.millisec,tp_inst.microsec=tp_inst._defaults.microsec<tp_inst._defaults.microsecMin?tp_inst._defaults.microsecMin:tp_inst._defaults.microsec>tp_inst._defaults.microsecMax?tp_inst._defaults.microsecMax:tp_inst._defaults.microsec,tp_inst.ampm="",tp_inst.$input=$input,tp_inst._defaults.altField&&(tp_inst.$altInput=$(tp_inst._defaults.altField),tp_inst._defaults.altRedirectFocus===!0&&tp_inst.$altInput.css({cursor:"pointer"}).focus(function(){$input.trigger("focus")})),0!==tp_inst._defaults.minDate&&0!==tp_inst._defaults.minDateTime||(tp_inst._defaults.minDate=new Date),0!==tp_inst._defaults.maxDate&&0!==tp_inst._defaults.maxDateTime||(tp_inst._defaults.maxDate=new Date),void 0!==tp_inst._defaults.minDate&&tp_inst._defaults.minDate instanceof Date&&(tp_inst._defaults.minDateTime=new Date(tp_inst._defaults.minDate.getTime())),void 0!==tp_inst._defaults.minDateTime&&tp_inst._defaults.minDateTime instanceof Date&&(tp_inst._defaults.minDate=new Date(tp_inst._defaults.minDateTime.getTime())),void 0!==tp_inst._defaults.maxDate&&tp_inst._defaults.maxDate instanceof Date&&(tp_inst._defaults.maxDateTime=new Date(tp_inst._defaults.maxDate.getTime())),void 0!==tp_inst._defaults.maxDateTime&&tp_inst._defaults.maxDateTime instanceof Date&&(tp_inst._defaults.maxDate=new Date(tp_inst._defaults.maxDateTime.getTime())),tp_inst.$input.bind("focus",function(){tp_inst._onFocus()}),tp_inst},_addTimePicker:function(e){var t=$.trim(this.$altInput&&this._defaults.altFieldTimeOnly?this.$input.val()+" "+this.$altInput.val():this.$input.val());this.timeDefined=this._parseTime(t),this._limitMinMaxDateTime(e,!1),this._injectTimePicker(),this._afterInject()},_parseTime:function(e,t){if(this.inst||(this.inst=$.datepicker._getInst(this.$input[0])),t||!this._defaults.timeOnly){var i=$.datepicker._get(this.inst,"dateFormat");try{var s=parseDateTimeInternal(i,this._defaults.timeFormat,e,$.datepicker._getFormatConfig(this.inst),this._defaults);if(!s.timeObj)return!1;$.extend(this,s.timeObj)}catch(t){return $.timepicker.log("Error parsing the date/time string: "+t+"\ndate/time string = "+e+"\ntimeFormat = "+this._defaults.timeFormat+"\ndateFormat = "+i),!1}return!0}var n=$.datepicker.parseTime(this._defaults.timeFormat,e,this._defaults);return!!n&&($.extend(this,n),!0)},_afterInject:function(){var e=this.inst.settings;$.isFunction(e.afterInject)&&e.afterInject.call(this)},_injectTimePicker:function(){var e=this.inst.dpDiv,t=this.inst.settings,i=this,s="",n="",a=null,r={},l={},o=null,u=0,c=0;if(0===e.find("div.ui-timepicker-div").length&&t.showTimepicker){var m=" ui_tpicker_unit_hide",d='<div class="ui-timepicker-div'+(t.isRTL?" ui-timepicker-rtl":"")+(t.oneLine&&"select"===t.controlType?" ui-timepicker-oneLine":"")+'"><dl><dt class="ui_tpicker_time_label'+(t.showTime?"":m)+'">'+t.timeText+'</dt><dd class="ui_tpicker_time '+(t.showTime?"":m)+'"><input class="ui_tpicker_time_input" '+(t.timeInput?"":"disabled")+"/></dd>";for(u=0,c=this.units.length;u<c;u++){if(s=this.units[u],n=s.substr(0,1).toUpperCase()+s.substr(1),a=null!==t["show"+n]?t["show"+n]:this.support[s],r[s]=parseInt(t[s+"Max"]-(t[s+"Max"]-t[s+"Min"])%t["step"+n],10),l[s]=0,d+='<dt class="ui_tpicker_'+s+"_label"+(a?"":m)+'">'+t[s+"Text"]+'</dt><dd class="ui_tpicker_'+s+(a?"":m)+'"><div class="ui_tpicker_'+s+"_slider"+(a?"":m)+'"></div>',a&&t[s+"Grid"]>0){if(d+='<div style="padding-left: 1px"><table class="ui-tpicker-grid-label"><tr>',"hour"===s)for(var p=t[s+"Min"];p<=r[s];p+=parseInt(t[s+"Grid"],10)){l[s]++;var h=$.datepicker.formatTime(this.support.ampm?"hht":"HH",{hour:p},t);d+='<td data-for="'+s+'">'+h+"</td>"}else for(var f=t[s+"Min"];f<=r[s];f+=parseInt(t[s+"Grid"],10))l[s]++,d+='<td data-for="'+s+'">'+(f<10?"0":"")+f+"</td>";d+="</tr></table></div>"}d+="</dd>"}var _=null!==t.showTimezone?t.showTimezone:this.support.timezone;d+='<dt class="ui_tpicker_timezone_label'+(_?"":m)+'">'+t.timezoneText+"</dt>",d+='<dd class="ui_tpicker_timezone'+(_?"":m)+'"></dd>',d+="</dl></div>";var g=$(d);for(t.timeOnly===!0&&(g.prepend('<div class="ui-widget-header ui-helper-clearfix ui-corner-all"><div class="ui-datepicker-title">'+t.timeOnlyTitle+"</div></div>"),e.find(".ui-datepicker-header, .ui-datepicker-calendar").hide()),u=0,c=i.units.length;u<c;u++)s=i.units[u],n=s.substr(0,1).toUpperCase()+s.substr(1),a=null!==t["show"+n]?t["show"+n]:this.support[s],i[s+"_slider"]=i.control.create(i,g.find(".ui_tpicker_"+s+"_slider"),s,i[s],t[s+"Min"],r[s],t["step"+n]),a&&t[s+"Grid"]>0&&(o=100*l[s]*t[s+"Grid"]/(r[s]-t[s+"Min"]),g.find(".ui_tpicker_"+s+" table").css({width:o+"%",marginLeft:t.isRTL?"0":o/(-2*l[s])+"%",marginRight:t.isRTL?o/(-2*l[s])+"%":"0",borderCollapse:"collapse"}).find("td").click(function(e){var t=$(this),n=t.html(),a=parseInt(n.replace(/[^0-9]/g),10),r=n.replace(/[^apm]/gi),l=t.data("for");"hour"===l&&(r.indexOf("p")!==-1&&a<12?a+=12:r.indexOf("a")!==-1&&12===a&&(a=0)),i.control.value(i,i[l+"_slider"],s,a),i._onTimeChange(),i._onSelectHandler()}).css({cursor:"pointer",width:100/l[s]+"%",textAlign:"center",overflow:"hidden"}));if(this.timezone_select=g.find(".ui_tpicker_timezone").append("<select></select>").find("select"),$.fn.append.apply(this.timezone_select,$.map(t.timezoneList,function(e,t){return $("<option />").val("object"==typeof e?e.value:e).text("object"==typeof e?e.label:e)})),"undefined"!=typeof this.timezone&&null!==this.timezone&&""!==this.timezone){var M=new Date(this.inst.selectedYear,this.inst.selectedMonth,this.inst.selectedDay,12).getTimezoneOffset()*-1;M===this.timezone?selectLocalTimezone(i):this.timezone_select.val(this.timezone)}else"undefined"!=typeof this.hour&&null!==this.hour&&""!==this.hour?this.timezone_select.val(t.timezone):selectLocalTimezone(i);this.timezone_select.change(function(){i._onTimeChange(),i._onSelectHandler(),i._afterInject()});var v=e.find(".ui-datepicker-buttonpane");if(v.length?v.before(g):e.append(g),this.$timeObj=g.find(".ui_tpicker_time_input"),this.$timeObj.change(function(){var e=i.inst.settings.timeFormat,t=$.datepicker.parseTime(e,this.value),s=new Date;t?(s.setHours(t.hour),s.setMinutes(t.minute),s.setSeconds(t.second),$.datepicker._setTime(i.inst,s)):(this.value=i.formattedTime,this.blur())}),null!==this.inst){var k=this.timeDefined;this._onTimeChange(),this.timeDefined=k}if(this._defaults.addSliderAccess){var T=this._defaults.sliderAccessArgs,D=this._defaults.isRTL;T.isRTL=D,setTimeout(function(){if(0===g.find(".ui-slider-access").length){g.find(".ui-slider:visible").sliderAccess(T);var e=g.find(".ui-slider-access:eq(0)").outerWidth(!0);e&&g.find("table:visible").each(function(){var t=$(this),i=t.outerWidth(),s=t.css(D?"marginRight":"marginLeft").toString().replace("%",""),n=i-e,a=s*n/i+"%",r={width:n,marginRight:0,marginLeft:0};r[D?"marginRight":"marginLeft"]=a,t.css(r)})}},10)}i._limitMinMaxDateTime(this.inst,!0)}},_limitMinMaxDateTime:function(e,t){var i=this._defaults,s=new Date(e.selectedYear,e.selectedMonth,e.selectedDay);if(this._defaults.showTimepicker){if(null!==$.datepicker._get(e,"minDateTime")&&void 0!==$.datepicker._get(e,"minDateTime")&&s){var n=$.datepicker._get(e,"minDateTime"),a=new Date(n.getFullYear(),n.getMonth(),n.getDate(),0,0,0,0);null!==this.hourMinOriginal&&null!==this.minuteMinOriginal&&null!==this.secondMinOriginal&&null!==this.millisecMinOriginal&&null!==this.microsecMinOriginal||(this.hourMinOriginal=i.hourMin,this.minuteMinOriginal=i.minuteMin,this.secondMinOriginal=i.secondMin,this.millisecMinOriginal=i.millisecMin,this.microsecMinOriginal=i.microsecMin),e.settings.timeOnly||a.getTime()===s.getTime()?(this._defaults.hourMin=n.getHours(),this.hour<=this._defaults.hourMin?(this.hour=this._defaults.hourMin,this._defaults.minuteMin=n.getMinutes(),this.minute<=this._defaults.minuteMin?(this.minute=this._defaults.minuteMin,this._defaults.secondMin=n.getSeconds(),this.second<=this._defaults.secondMin?(this.second=this._defaults.secondMin,this._defaults.millisecMin=n.getMilliseconds(),this.millisec<=this._defaults.millisecMin?(this.millisec=this._defaults.millisecMin,this._defaults.microsecMin=n.getMicroseconds()):(this.microsec<this._defaults.microsecMin&&(this.microsec=this._defaults.microsecMin),this._defaults.microsecMin=this.microsecMinOriginal)):(this._defaults.millisecMin=this.millisecMinOriginal,this._defaults.microsecMin=this.microsecMinOriginal)):(this._defaults.secondMin=this.secondMinOriginal,this._defaults.millisecMin=this.millisecMinOriginal,this._defaults.microsecMin=this.microsecMinOriginal)):(this._defaults.minuteMin=this.minuteMinOriginal,this._defaults.secondMin=this.secondMinOriginal,this._defaults.millisecMin=this.millisecMinOriginal,this._defaults.microsecMin=this.microsecMinOriginal)):(this._defaults.hourMin=this.hourMinOriginal,this._defaults.minuteMin=this.minuteMinOriginal,this._defaults.secondMin=this.secondMinOriginal,this._defaults.millisecMin=this.millisecMinOriginal,this._defaults.microsecMin=this.microsecMinOriginal)}if(null!==$.datepicker._get(e,"maxDateTime")&&void 0!==$.datepicker._get(e,"maxDateTime")&&s){var r=$.datepicker._get(e,"maxDateTime"),l=new Date(r.getFullYear(),r.getMonth(),r.getDate(),0,0,0,0);null!==this.hourMaxOriginal&&null!==this.minuteMaxOriginal&&null!==this.secondMaxOriginal&&null!==this.millisecMaxOriginal||(this.hourMaxOriginal=i.hourMax,this.minuteMaxOriginal=i.minuteMax,this.secondMaxOriginal=i.secondMax,this.millisecMaxOriginal=i.millisecMax,this.microsecMaxOriginal=i.microsecMax),e.settings.timeOnly||l.getTime()===s.getTime()?(this._defaults.hourMax=r.getHours(),this.hour>=this._defaults.hourMax?(this.hour=this._defaults.hourMax,this._defaults.minuteMax=r.getMinutes(),this.minute>=this._defaults.minuteMax?(this.minute=this._defaults.minuteMax,this._defaults.secondMax=r.getSeconds(),this.second>=this._defaults.secondMax?(this.second=this._defaults.secondMax,this._defaults.millisecMax=r.getMilliseconds(),this.millisec>=this._defaults.millisecMax?(this.millisec=this._defaults.millisecMax,this._defaults.microsecMax=r.getMicroseconds()):(this.microsec>this._defaults.microsecMax&&(this.microsec=this._defaults.microsecMax),this._defaults.microsecMax=this.microsecMaxOriginal)):(this._defaults.millisecMax=this.millisecMaxOriginal,this._defaults.microsecMax=this.microsecMaxOriginal)):(this._defaults.secondMax=this.secondMaxOriginal,this._defaults.millisecMax=this.millisecMaxOriginal,this._defaults.microsecMax=this.microsecMaxOriginal)):(this._defaults.minuteMax=this.minuteMaxOriginal,this._defaults.secondMax=this.secondMaxOriginal,this._defaults.millisecMax=this.millisecMaxOriginal,this._defaults.microsecMax=this.microsecMaxOriginal)):(this._defaults.hourMax=this.hourMaxOriginal,this._defaults.minuteMax=this.minuteMaxOriginal,this._defaults.secondMax=this.secondMaxOriginal,this._defaults.millisecMax=this.millisecMaxOriginal,this._defaults.microsecMax=this.microsecMaxOriginal)}if(null!==e.settings.minTime){var o=new Date("01/01/1970 "+e.settings.minTime);this.hour<o.getHours()?(this.hour=this._defaults.hourMin=o.getHours(),this.minute=this._defaults.minuteMin=o.getMinutes()):this.hour===o.getHours()&&this.minute<o.getMinutes()?this.minute=this._defaults.minuteMin=o.getMinutes():this._defaults.hourMin<o.getHours()?(this._defaults.hourMin=o.getHours(),this._defaults.minuteMin=o.getMinutes()):this._defaults.hourMin===o.getHours()===this.hour&&this._defaults.minuteMin<o.getMinutes()?this._defaults.minuteMin=o.getMinutes():this._defaults.minuteMin=0}if(null!==e.settings.maxTime){var u=new Date("01/01/1970 "+e.settings.maxTime);this.hour>u.getHours()?(this.hour=this._defaults.hourMax=u.getHours(),this.minute=this._defaults.minuteMax=u.getMinutes()):this.hour===u.getHours()&&this.minute>u.getMinutes()?this.minute=this._defaults.minuteMax=u.getMinutes():this._defaults.hourMax>u.getHours()?(this._defaults.hourMax=u.getHours(),this._defaults.minuteMax=u.getMinutes()):this._defaults.hourMax===u.getHours()===this.hour&&this._defaults.minuteMax>u.getMinutes()?this._defaults.minuteMax=u.getMinutes():this._defaults.minuteMax=59}if(void 0!==t&&t===!0){var c=parseInt(this._defaults.hourMax-(this._defaults.hourMax-this._defaults.hourMin)%this._defaults.stepHour,10),m=parseInt(this._defaults.minuteMax-(this._defaults.minuteMax-this._defaults.minuteMin)%this._defaults.stepMinute,10),d=parseInt(this._defaults.secondMax-(this._defaults.secondMax-this._defaults.secondMin)%this._defaults.stepSecond,10),p=parseInt(this._defaults.millisecMax-(this._defaults.millisecMax-this._defaults.millisecMin)%this._defaults.stepMillisec,10),h=parseInt(this._defaults.microsecMax-(this._defaults.microsecMax-this._defaults.microsecMin)%this._defaults.stepMicrosec,10);this.hour_slider&&(this.control.options(this,this.hour_slider,"hour",{min:this._defaults.hourMin,max:c,step:this._defaults.stepHour}),this.control.value(this,this.hour_slider,"hour",this.hour-this.hour%this._defaults.stepHour)),this.minute_slider&&(this.control.options(this,this.minute_slider,"minute",{min:this._defaults.minuteMin,max:m,step:this._defaults.stepMinute}),this.control.value(this,this.minute_slider,"minute",this.minute-this.minute%this._defaults.stepMinute)),this.second_slider&&(this.control.options(this,this.second_slider,"second",{min:this._defaults.secondMin,max:d,step:this._defaults.stepSecond}),this.control.value(this,this.second_slider,"second",this.second-this.second%this._defaults.stepSecond)),this.millisec_slider&&(this.control.options(this,this.millisec_slider,"millisec",{min:this._defaults.millisecMin,max:p,step:this._defaults.stepMillisec}),this.control.value(this,this.millisec_slider,"millisec",this.millisec-this.millisec%this._defaults.stepMillisec)),this.microsec_slider&&(this.control.options(this,this.microsec_slider,"microsec",{min:this._defaults.microsecMin,max:h,step:this._defaults.stepMicrosec}),this.control.value(this,this.microsec_slider,"microsec",this.microsec-this.microsec%this._defaults.stepMicrosec))}}},_onTimeChange:function(){if(this._defaults.showTimepicker){var e=!!this.hour_slider&&this.control.value(this,this.hour_slider,"hour"),t=!!this.minute_slider&&this.control.value(this,this.minute_slider,"minute"),i=!!this.second_slider&&this.control.value(this,this.second_slider,"second"),s=!!this.millisec_slider&&this.control.value(this,this.millisec_slider,"millisec"),n=!!this.microsec_slider&&this.control.value(this,this.microsec_slider,"microsec"),a=!!this.timezone_select&&this.timezone_select.val(),r=this._defaults,l=r.pickerTimeFormat||r.timeFormat,o=r.pickerTimeSuffix||r.timeSuffix;"object"==typeof e&&(e=!1),"object"==typeof t&&(t=!1),"object"==typeof i&&(i=!1),"object"==typeof s&&(s=!1),"object"==typeof n&&(n=!1),"object"==typeof a&&(a=!1),e!==!1&&(e=parseInt(e,10)),t!==!1&&(t=parseInt(t,10)),i!==!1&&(i=parseInt(i,10)),s!==!1&&(s=parseInt(s,10)),n!==!1&&(n=parseInt(n,10)),a!==!1&&(a=a.toString());var u=r[e<12?"amNames":"pmNames"][0],c=e!==parseInt(this.hour,10)||t!==parseInt(this.minute,10)||i!==parseInt(this.second,10)||s!==parseInt(this.millisec,10)||n!==parseInt(this.microsec,10)||this.ampm.length>0&&e<12!=($.inArray(this.ampm.toUpperCase(),this.amNames)!==-1)||null!==this.timezone&&a!==this.timezone.toString();c&&(e!==!1&&(this.hour=e),t!==!1&&(this.minute=t),i!==!1&&(this.second=i),s!==!1&&(this.millisec=s),n!==!1&&(this.microsec=n),a!==!1&&(this.timezone=a),this.inst||(this.inst=$.datepicker._getInst(this.$input[0])),this._limitMinMaxDateTime(this.inst,!0)),this.support.ampm&&(this.ampm=u),this.formattedTime=$.datepicker.formatTime(r.timeFormat,this,r),this.$timeObj&&(l===r.timeFormat?this.$timeObj.val(this.formattedTime+o):this.$timeObj.val($.datepicker.formatTime(l,this,r)+o)),this.timeDefined=!0,c&&this._updateDateTime()}},_onSelectHandler:function(){var e=this._defaults.onSelect||this.inst.settings.onSelect,t=this.$input?this.$input[0]:null;e&&t&&e.apply(t,[this.formattedDateTime,this])},_updateDateTime:function(e){e=this.inst||e;var t=e.currentYear>0?new Date(e.currentYear,e.currentMonth,e.currentDay):new Date(e.selectedYear,e.selectedMonth,e.selectedDay),i=$.datepicker._daylightSavingAdjust(t),s=$.datepicker._get(e,"dateFormat"),n=$.datepicker._getFormatConfig(e),a=null!==i&&this.timeDefined;this.formattedDate=$.datepicker.formatDate(s,null===i?new Date:i,n);var r=this.formattedDate;if(""===e.lastVal&&(e.currentYear=e.selectedYear,e.currentMonth=e.selectedMonth,e.currentDay=e.selectedDay),this._defaults.timeOnly===!0&&this._defaults.timeOnlyShowDate===!1?r=this.formattedTime:(this._defaults.timeOnly!==!0&&(this._defaults.alwaysSetTime||a)||this._defaults.timeOnly===!0&&this._defaults.timeOnlyShowDate===!0)&&(r+=this._defaults.separator+this.formattedTime+this._defaults.timeSuffix),this.formattedDateTime=r,this._defaults.showTimepicker)if(this.$altInput&&this._defaults.timeOnly===!1&&this._defaults.altFieldTimeOnly===!0)this.$altInput.val(this.formattedTime),this.$input.val(this.formattedDate);else if(this.$altInput){this.$input.val(r);var l="",o=null!==this._defaults.altSeparator?this._defaults.altSeparator:this._defaults.separator,u=null!==this._defaults.altTimeSuffix?this._defaults.altTimeSuffix:this._defaults.timeSuffix;this._defaults.timeOnly||(l=this._defaults.altFormat?$.datepicker.formatDate(this._defaults.altFormat,null===i?new Date:i,n):this.formattedDate,l&&(l+=o)),l+=null!==this._defaults.altTimeFormat?$.datepicker.formatTime(this._defaults.altTimeFormat,this,this._defaults)+u:this.formattedTime+u,this.$altInput.val(l)}else this.$input.val(r);else this.$input.val(this.formattedDate);this.$input.trigger("change")},_onFocus:function(){if(!this.$input.val()&&this._defaults.defaultValue){this.$input.val(this._defaults.defaultValue);var e=$.datepicker._getInst(this.$input.get(0)),t=$.datepicker._get(e,"timepicker");if(t&&t._defaults.timeOnly&&e.input.val()!==e.lastVal)try{$.datepicker._updateDatepicker(e)}catch(e){$.timepicker.log(e)}}},_controls:{slider:{create:function(e,t,i,s,n,a,r){var l=e._defaults.isRTL;return t.prop("slide",null).slider({orientation:"horizontal",value:l?s*-1:s,min:l?a*-1:n,max:l?n*-1:a,step:r,slide:function(t,s){e.control.value(e,$(this),i,l?s.value*-1:s.value),e._onTimeChange()},stop:function(t,i){e._onSelectHandler()}})},options:function(e,t,i,s,n){if(e._defaults.isRTL){if("string"==typeof s)return"min"===s||"max"===s?void 0!==n?t.slider(s,n*-1):Math.abs(t.slider(s)):t.slider(s);var a=s.min,r=s.max;return s.min=s.max=null,void 0!==a&&(s.max=a*-1),void 0!==r&&(s.min=r*-1),t.slider(s)}return"string"==typeof s&&void 0!==n?t.slider(s,n):t.slider(s)},value:function(e,t,i,s){return e._defaults.isRTL?void 0!==s?t.slider("value",s*-1):Math.abs(t.slider("value")):void 0!==s?t.slider("value",s):t.slider("value")}},select:{create:function(e,t,i,s,n,a,r){for(var l='<select class="ui-timepicker-select ui-state-default ui-corner-all" data-unit="'+i+'" data-min="'+n+'" data-max="'+a+'" data-step="'+r+'">',o=e._defaults.pickerTimeFormat||e._defaults.timeFormat,u=n;u<=a;u+=r)l+='<option value="'+u+'"'+(u===s?" selected":"")+">",l+="hour"===i?$.datepicker.formatTime($.trim(o.replace(/[^ht ]/gi,"")),{hour:u},e._defaults):"millisec"===i||"microsec"===i||u>=10?u:"0"+u.toString(),l+="</option>";return l+="</select>",t.children("select").remove(),$(l).appendTo(t).change(function(t){e._onTimeChange(),e._onSelectHandler(),e._afterInject()}),t},options:function(e,t,i,s,n){var a={},r=t.children("select");if("string"==typeof s){if(void 0===n)return r.data(s);a[s]=n}else a=s;return e.control.create(e,t,r.data("unit"),r.val(),a.min>=0?a.min:r.data("min"),a.max||r.data("max"),a.step||r.data("step"))},value:function(e,t,i,s){var n=t.children("select");return void 0!==s?n.val(s):n.val()}}}}),$.fn.extend({timepicker:function(e){e=e||{};var t=Array.prototype.slice.call(arguments);return"object"==typeof e&&(t[0]=$.extend(e,{timeOnly:!0})),$(this).each(function(){$.fn.datetimepicker.apply($(this),t)})},datetimepicker:function(e){e=e||{};var t=arguments;return"string"==typeof e?"getDate"===e||"option"===e&&2===t.length&&"string"==typeof t[1]?$.fn.datepicker.apply($(this[0]),t):this.each(function(){var e=$(this);e.datepicker.apply(e,t)}):this.each(function(){var t=$(this);t.datepicker($.timepicker._newInst(t,e)._defaults)})}}),$.datepicker.parseDateTime=function(e,t,i,s,n){var a=parseDateTimeInternal(e,t,i,s,n);if(a.timeObj){var r=a.timeObj;a.date.setHours(r.hour,r.minute,r.second,r.millisec),a.date.setMicroseconds(r.microsec)}return a.date},$.datepicker.parseTime=function(e,t,i){var s=extendRemove(extendRemove({},$.timepicker._defaults),i||{}),n=e.replace(/\'.*?\'/g,"").indexOf("Z")!==-1,a=function(e,t,i){var s=function(e,t){var i=[];return e&&$.merge(i,e),t&&$.merge(i,t),i=$.map(i,function(e){return e.replace(/[.*+?|()\[\]{}\\]/g,"\\$&")}),"("+i.join("|")+")?"},n=function(e){var t=e.toLowerCase().match(/(h{1,2}|m{1,2}|s{1,2}|l{1}|c{1}|t{1,2}|z|'.*?')/g),i={h:-1,m:-1,s:-1,l:-1,c:-1,t:-1,z:-1};if(t)for(var s=0;s<t.length;s++)i[t[s].toString().charAt(0)]===-1&&(i[t[s].toString().charAt(0)]=s+1);return i},a="^"+e.toString().replace(/([hH]{1,2}|mm?|ss?|[tT]{1,2}|[zZ]|[lc]|'.*?')/g,function(e){var t=e.length;switch(e.charAt(0).toLowerCase()){case"h":return 1===t?"(\\d?\\d)":"(\\d{"+t+"})";case"m":return 1===t?"(\\d?\\d)":"(\\d{"+t+"})";case"s":return 1===t?"(\\d?\\d)":"(\\d{"+t+"})";case"l":return"(\\d?\\d?\\d)";case"c":return"(\\d?\\d?\\d)";case"z":return"(z|[-+]\\d\\d:?\\d\\d|\\S+)?";case"t":return s(i.amNames,i.pmNames);default:return"("+e.replace(/\'/g,"").replace(/(\.|\$|\^|\\|\/|\(|\)|\[|\]|\?|\+|\*)/g,function(e){return"\\"+e})+")?"}}).replace(/\s/g,"\\s?")+i.timeSuffix+"$",r=n(e),l="",o;o=t.match(new RegExp(a,"i"));var u={hour:0,minute:0,second:0,millisec:0,microsec:0};return!!o&&(r.t!==-1&&(void 0===o[r.t]||0===o[r.t].length?(l="",u.ampm=""):(l=$.inArray(o[r.t].toUpperCase(),$.map(i.amNames,function(e,t){return e.toUpperCase()}))!==-1?"AM":"PM",u.ampm=i["AM"===l?"amNames":"pmNames"][0])),r.h!==-1&&("AM"===l&&"12"===o[r.h]?u.hour=0:"PM"===l&&"12"!==o[r.h]?u.hour=parseInt(o[r.h],10)+12:u.hour=Number(o[r.h])),r.m!==-1&&(u.minute=Number(o[r.m])),r.s!==-1&&(u.second=Number(o[r.s])),r.l!==-1&&(u.millisec=Number(o[r.l])),r.c!==-1&&(u.microsec=Number(o[r.c])),r.z!==-1&&void 0!==o[r.z]&&(u.timezone=$.timepicker.timezoneOffsetNumber(o[r.z])),u)},r=function(e,t,i){try{var s=new Date("2012-01-01 "+t);if(isNaN(s.getTime())&&(s=new Date("2012-01-01T"+t),isNaN(s.getTime())&&(s=new Date("01/01/2012 "+t),isNaN(s.getTime()))))throw"Unable to parse time with native Date: "+t;return{hour:s.getHours(),minute:s.getMinutes(),second:s.getSeconds(),millisec:s.getMilliseconds(),microsec:s.getMicroseconds(),timezone:s.getTimezoneOffset()*-1}}catch(s){try{return a(e,t,i)}catch(i){$.timepicker.log("Unable to parse \ntimeString: "+t+"\ntimeFormat: "+e)}}return!1};return"function"==typeof s.parse?s.parse(e,t,s):"loose"===s.parse?r(e,t,s):a(e,t,s)},$.datepicker.formatTime=function(e,t,i){i=i||{},i=$.extend({},$.timepicker._defaults,i),t=$.extend({hour:0,minute:0,second:0,millisec:0,microsec:0,timezone:null},t);var s=e,n=i.amNames[0],a=parseInt(t.hour,10);return a>11&&(n=i.pmNames[0]),s=s.replace(/(?:HH?|hh?|mm?|ss?|[tT]{1,2}|[zZ]|[lc]|'.*?')/g,function(e){switch(e){case"HH":return("0"+a).slice(-2);case"H":return a;case"hh":return("0"+convert24to12(a)).slice(-2);case"h":return convert24to12(a);case"mm":return("0"+t.minute).slice(-2);case"m":return t.minute;case"ss":return("0"+t.second).slice(-2);case"s":return t.second;case"l":return("00"+t.millisec).slice(-3);case"c":return("00"+t.microsec).slice(-3);case"z":return $.timepicker.timezoneOffsetString(null===t.timezone?i.timezone:t.timezone,!1);case"Z":return $.timepicker.timezoneOffsetString(null===t.timezone?i.timezone:t.timezone,!0);case"T":return n.charAt(0).toUpperCase();case"TT":return n.toUpperCase();case"t":return n.charAt(0).toLowerCase();case"tt":return n.toLowerCase();default:return e.replace(/'/g,"")}})},$.datepicker._base_selectDate=$.datepicker._selectDate,$.datepicker._selectDate=function(e,t){var i=this._getInst($(e)[0]),s=this._get(i,"timepicker"),n;s&&i.settings.showTimepicker?(s._limitMinMaxDateTime(i,!0),n=i.inline,i.inline=i.stay_open=!0,this._base_selectDate(e,t),i.inline=n,i.stay_open=!1,this._notifyChange(i),this._updateDatepicker(i)):this._base_selectDate(e,t)},$.datepicker._base_updateDatepicker=$.datepicker._updateDatepicker,$.datepicker._updateDatepicker=function(e){var t=e.input[0];if(!($.datepicker._curInst&&$.datepicker._curInst!==e&&$.datepicker._datepickerShowing&&$.datepicker._lastInput!==t||"boolean"==typeof e.stay_open&&e.stay_open!==!1)){this._base_updateDatepicker(e);var i=this._get(e,"timepicker");i&&i._addTimePicker(e)}},$.datepicker._base_doKeyPress=$.datepicker._doKeyPress,$.datepicker._doKeyPress=function(e){var t=$.datepicker._getInst(e.target),i=$.datepicker._get(t,"timepicker");if(i&&$.datepicker._get(t,"constrainInput")){var s=i.support.ampm,n=null!==i._defaults.showTimezone?i._defaults.showTimezone:i.support.timezone,a=$.datepicker._possibleChars($.datepicker._get(t,"dateFormat")),r=i._defaults.timeFormat.toString().replace(/[hms]/g,"").replace(/TT/g,s?"APM":"").replace(/Tt/g,s?"AaPpMm":"").replace(/tT/g,s?"AaPpMm":"").replace(/T/g,s?"AP":"").replace(/tt/g,s?"apm":"").replace(/t/g,s?"ap":"")+" "+i._defaults.separator+i._defaults.timeSuffix+(n?i._defaults.timezoneList.join(""):"")+i._defaults.amNames.join("")+i._defaults.pmNames.join("")+a,l=String.fromCharCode(void 0===e.charCode?e.keyCode:e.charCode);return e.ctrlKey||l<" "||!a||r.indexOf(l)>-1}return $.datepicker._base_doKeyPress(e)},$.datepicker._base_updateAlternate=$.datepicker._updateAlternate,$.datepicker._updateAlternate=function(e){var t=this._get(e,"timepicker");if(t){var i=t._defaults.altField;if(i){var s=t._defaults.altFormat||t._defaults.dateFormat,n=this._getDate(e),a=$.datepicker._getFormatConfig(e),r="",l=t._defaults.altSeparator?t._defaults.altSeparator:t._defaults.separator,o=t._defaults.altTimeSuffix?t._defaults.altTimeSuffix:t._defaults.timeSuffix,u=null!==t._defaults.altTimeFormat?t._defaults.altTimeFormat:t._defaults.timeFormat;r+=$.datepicker.formatTime(u,t,t._defaults)+o,t._defaults.timeOnly||t._defaults.altFieldTimeOnly||null===n||(r=t._defaults.altFormat?$.datepicker.formatDate(t._defaults.altFormat,n,a)+l+r:t.formattedDate+l+r),$(i).val(e.input.val()?r:"")}}else $.datepicker._base_updateAlternate(e)},$.datepicker._base_doKeyUp=$.datepicker._doKeyUp,$.datepicker._doKeyUp=function(e){var t=$.datepicker._getInst(e.target),i=$.datepicker._get(t,"timepicker");if(i&&i._defaults.timeOnly&&t.input.val()!==t.lastVal)try{$.datepicker._updateDatepicker(t)}catch(e){
$.timepicker.log(e)}return $.datepicker._base_doKeyUp(e)},$.datepicker._base_gotoToday=$.datepicker._gotoToday,$.datepicker._gotoToday=function(e){var t=this._getInst($(e)[0]);this._base_gotoToday(e);var i=this._get(t,"timepicker");if(i){var s=$.timepicker.timezoneOffsetNumber(i.timezone),n=new Date;n.setMinutes(n.getMinutes()+n.getTimezoneOffset()+parseInt(s,10)),this._setTime(t,n),this._setDate(t,n),i._onSelectHandler()}},$.datepicker._disableTimepickerDatepicker=function(e){var t=this._getInst(e);if(t){var i=this._get(t,"timepicker");$(e).datepicker("getDate"),i&&(t.settings.showTimepicker=!1,i._defaults.showTimepicker=!1,i._updateDateTime(t))}},$.datepicker._enableTimepickerDatepicker=function(e){var t=this._getInst(e);if(t){var i=this._get(t,"timepicker");$(e).datepicker("getDate"),i&&(t.settings.showTimepicker=!0,i._defaults.showTimepicker=!0,i._addTimePicker(t),i._updateDateTime(t))}},$.datepicker._setTime=function(e,t){var i=this._get(e,"timepicker");if(i){var s=i._defaults;i.hour=t?t.getHours():s.hour,i.minute=t?t.getMinutes():s.minute,i.second=t?t.getSeconds():s.second,i.millisec=t?t.getMilliseconds():s.millisec,i.microsec=t?t.getMicroseconds():s.microsec,i._limitMinMaxDateTime(e,!0),i._onTimeChange(),i._updateDateTime(e)}},$.datepicker._setTimeDatepicker=function(e,t,i){var s=this._getInst(e);if(s){var n=this._get(s,"timepicker");if(n){this._setDateFromField(s);var a;t&&("string"==typeof t?(n._parseTime(t,i),a=new Date,a.setHours(n.hour,n.minute,n.second,n.millisec),a.setMicroseconds(n.microsec)):(a=new Date(t.getTime()),a.setMicroseconds(t.getMicroseconds())),"Invalid Date"===a.toString()&&(a=void 0),this._setTime(s,a))}}},$.datepicker._base_setDateDatepicker=$.datepicker._setDateDatepicker,$.datepicker._setDateDatepicker=function(e,t){var i=this._getInst(e),s=t;if(i){"string"==typeof t&&(s=new Date(t),s.getTime()||(this._base_setDateDatepicker.apply(this,arguments),s=$(e).datepicker("getDate")));var n=this._get(i,"timepicker"),a;s instanceof Date?(a=new Date(s.getTime()),a.setMicroseconds(s.getMicroseconds())):a=s,n&&a&&(n.support.timezone||null!==n._defaults.timezone||(n.timezone=a.getTimezoneOffset()*-1),s=$.timepicker.timezoneAdjust(s,$.timepicker.timezoneOffsetString(-s.getTimezoneOffset()),n.timezone),a=$.timepicker.timezoneAdjust(a,$.timepicker.timezoneOffsetString(-a.getTimezoneOffset()),n.timezone)),this._updateDatepicker(i),this._base_setDateDatepicker.apply(this,arguments),this._setTimeDatepicker(e,a,!0)}},$.datepicker._base_getDateDatepicker=$.datepicker._getDateDatepicker,$.datepicker._getDateDatepicker=function(e,t){var i=this._getInst(e);if(i){var s=this._get(i,"timepicker");if(s){void 0===i.lastVal&&this._setDateFromField(i,t);var n=this._getDate(i),a=null;return a=s.$altInput&&s._defaults.altFieldTimeOnly?s.$input.val()+" "+s.$altInput.val():"INPUT"!==s.$input.get(0).tagName&&s.$altInput?s.$altInput.val():s.$input.val(),n&&s._parseTime(a,!i.settings.timeOnly)&&(n.setHours(s.hour,s.minute,s.second,s.millisec),n.setMicroseconds(s.microsec),null!=s.timezone&&(s.support.timezone||null!==s._defaults.timezone||(s.timezone=n.getTimezoneOffset()*-1),n=$.timepicker.timezoneAdjust(n,s.timezone,$.timepicker.timezoneOffsetString(-n.getTimezoneOffset())))),n}return this._base_getDateDatepicker(e,t)}},$.datepicker._base_parseDate=$.datepicker.parseDate,$.datepicker.parseDate=function(e,t,i){var s;try{s=this._base_parseDate(e,t,i)}catch(n){if(!(n.indexOf(":")>=0))throw n;s=this._base_parseDate(e,t.substring(0,t.length-(n.length-n.indexOf(":")-2)),i),$.timepicker.log("Error parsing the date string: "+n+"\ndate string = "+t+"\ndate format = "+e)}return s},$.datepicker._base_formatDate=$.datepicker._formatDate,$.datepicker._formatDate=function(e,t,i,s){var n=this._get(e,"timepicker");return n?(n._updateDateTime(e),n.$input.val()):this._base_formatDate(e)},$.datepicker._base_optionDatepicker=$.datepicker._optionDatepicker,$.datepicker._optionDatepicker=function(e,t,i){var s=this._getInst(e),n;if(!s)return null;var a=this._get(s,"timepicker");if(a){var r=null,l=null,o=null,u=a._defaults.evnts,c={},m,d,p,h;if("string"==typeof t){if("minDate"===t||"minDateTime"===t)r=i;else if("maxDate"===t||"maxDateTime"===t)l=i;else if("onSelect"===t)o=i;else if(u.hasOwnProperty(t)){if("undefined"==typeof i)return u[t];c[t]=i,n={}}}else if("object"==typeof t){t.minDate?r=t.minDate:t.minDateTime?r=t.minDateTime:t.maxDate?l=t.maxDate:t.maxDateTime&&(l=t.maxDateTime);for(m in u)u.hasOwnProperty(m)&&t[m]&&(c[m]=t[m])}for(m in c)c.hasOwnProperty(m)&&(u[m]=c[m],n||(n=$.extend({},t)),delete n[m]);if(n&&isEmptyObject(n))return;if(r?(r=0===r?new Date:new Date(r),a._defaults.minDate=r,a._defaults.minDateTime=r):l?(l=0===l?new Date:new Date(l),a._defaults.maxDate=l,a._defaults.maxDateTime=l):o&&(a._defaults.onSelect=o),r||l)return h=$(e),p=h.datetimepicker("getDate"),d=this._base_optionDatepicker.call($.datepicker,e,n||t,i),h.datetimepicker("setDate",p),d}return void 0===i?this._base_optionDatepicker.call($.datepicker,e,t):this._base_optionDatepicker.call($.datepicker,e,n||t,i)};var isEmptyObject=function(e){var t;for(t in e)if(e.hasOwnProperty(t))return!1;return!0},extendRemove=function(e,t){$.extend(e,t);for(var i in t)null!==t[i]&&void 0!==t[i]||(e[i]=t[i]);return e},detectSupport=function(e){var t=e.replace(/'.*?'/g,"").toLowerCase(),i=function(e,t){return e.indexOf(t)!==-1};return{hour:i(t,"h"),minute:i(t,"m"),second:i(t,"s"),millisec:i(t,"l"),microsec:i(t,"c"),timezone:i(t,"z"),ampm:i(t,"t")&&i(e,"h"),iso8601:i(e,"Z")}},convert24to12=function(e){return e%=12,0===e&&(e=12),String(e)},computeEffectiveSetting=function(e,t){return e&&e[t]?e[t]:$.timepicker._defaults[t]},splitDateTime=function(e,t){var i=computeEffectiveSetting(t,"separator"),s=computeEffectiveSetting(t,"timeFormat"),n=s.split(i),a=n.length,r=e.split(i),l=r.length;return l>1?{dateString:r.splice(0,l-a).join(i),timeString:r.splice(0,a).join(i)}:{dateString:e,timeString:""}},parseDateTimeInternal=function(e,t,i,s,n){var a,r,l;if(r=splitDateTime(i,n),a=$.datepicker._base_parseDate(e,r.dateString,s),""===r.timeString)return{date:a};if(l=$.datepicker.parseTime(t,r.timeString,n),!l)throw"Wrong time format";return{date:a,timeObj:l}},selectLocalTimezone=function(e,t){if(e&&e.timezone_select){var i=t||new Date;e.timezone_select.val(-i.getTimezoneOffset())}};$.timepicker=new Timepicker,$.timepicker.timezoneOffsetString=function(e,t){if(isNaN(e)||e>840||e<-720)return e;var i=e,s=i%60,n=(i-s)/60,a=t?":":"",r=(i>=0?"+":"-")+("0"+Math.abs(n)).slice(-2)+a+("0"+Math.abs(s)).slice(-2);return"+00:00"===r?"Z":r},$.timepicker.timezoneOffsetNumber=function(e){var t=e.toString().replace(":","");return"Z"===t.toUpperCase()?0:/^(\-|\+)\d{4}$/.test(t)?("-"===t.substr(0,1)?-1:1)*(60*parseInt(t.substr(1,2),10)+parseInt(t.substr(3,2),10)):parseInt(e,10)},$.timepicker.timezoneAdjust=function(e,t,i){var s=$.timepicker.timezoneOffsetNumber(t),n=$.timepicker.timezoneOffsetNumber(i);return isNaN(n)||e.setMinutes(e.getMinutes()+-s- -n),e},$.timepicker.timeRange=function(e,t,i){return $.timepicker.handleRange("timepicker",e,t,i)},$.timepicker.datetimeRange=function(e,t,i){$.timepicker.handleRange("datetimepicker",e,t,i)},$.timepicker.dateRange=function(e,t,i){$.timepicker.handleRange("datepicker",e,t,i)},$.timepicker.handleRange=function(e,t,i,s){function n(n,a){var r=t[e]("getDate"),l=i[e]("getDate"),o=n[e]("getDate");if(null!==r){var u=new Date(r.getTime()),c=new Date(r.getTime());u.setMilliseconds(u.getMilliseconds()+s.minInterval),c.setMilliseconds(c.getMilliseconds()+s.maxInterval),s.minInterval>0&&u>l?i[e]("setDate",u):s.maxInterval>0&&c<l?i[e]("setDate",c):r>l&&a[e]("setDate",o)}}function a(t,i,n){if(t.val()){var a=t[e].call(t,"getDate");null!==a&&s.minInterval>0&&("minDate"===n&&a.setMilliseconds(a.getMilliseconds()+s.minInterval),"maxDate"===n&&a.setMilliseconds(a.getMilliseconds()-s.minInterval)),a.getTime&&i[e].call(i,"option",n,a)}}s=$.extend({},{minInterval:0,maxInterval:0,start:{},end:{}},s);var r=!1;return"timepicker"===e&&(r=!0,e="datetimepicker"),$.fn[e].call(t,$.extend({timeOnly:r,onClose:function(e,t){n($(this),i)},onSelect:function(e){a($(this),i,"minDate")}},s,s.start)),$.fn[e].call(i,$.extend({timeOnly:r,onClose:function(e,i){n($(this),t)},onSelect:function(e){a($(this),t,"maxDate")}},s,s.end)),n(t,i),a(t,i,"minDate"),a(i,t,"maxDate"),$([t.get(0),i.get(0)])},$.timepicker.log=function(){window.console&&window.console.log&&window.console.log.apply&&window.console.log.apply(window.console,Array.prototype.slice.call(arguments))},$.timepicker._util={_extendRemove:extendRemove,_isEmptyObject:isEmptyObject,_convert24to12:convert24to12,_detectSupport:detectSupport,_selectLocalTimezone:selectLocalTimezone,_computeEffectiveSetting:computeEffectiveSetting,_splitDateTime:splitDateTime,_parseDateTimeInternal:parseDateTimeInternal},Date.prototype.getMicroseconds||(Date.prototype.microseconds=0,Date.prototype.getMicroseconds=function(){return this.microseconds},Date.prototype.setMicroseconds=function(e){return this.setMilliseconds(this.getMilliseconds()+Math.floor(e/1e3)),this.microseconds=e%1e3,this}),$.timepicker.version="1.6.3"}});PK�
�[��a�mm8assets/inc/timepicker/jquery-ui-timepicker-addon.min.cssnu�[���/*! jQuery Timepicker Addon - v1.6.3 - 2016-04-20
* http://trentrichardson.com/examples/timepicker
* Copyright (c) 2016 Trent Richardson; Licensed MIT */

.ui-timepicker-div .ui-widget-header{margin-bottom:8px}.ui-timepicker-div dl{text-align:left}.ui-timepicker-div dl dt{float:left;clear:left;padding:0 0 0 5px}.ui-timepicker-div dl dd{margin:0 10px 10px 40%}.ui-timepicker-div td{font-size:90%}.ui-tpicker-grid-label{background:0 0;border:0;margin:0;padding:0}.ui-timepicker-div .ui_tpicker_unit_hide{display:none}.ui-timepicker-div .ui_tpicker_time .ui_tpicker_time_input{background:0 0;color:inherit;border:0;outline:0;border-bottom:solid 1px #555;width:95%}.ui-timepicker-div .ui_tpicker_time .ui_tpicker_time_input:focus{border-bottom-color:#aaa}.ui-timepicker-rtl{direction:rtl}.ui-timepicker-rtl dl{text-align:right;padding:0 5px 0 0}.ui-timepicker-rtl dl dt{float:right;clear:right}.ui-timepicker-rtl dl dd{margin:0 40% 10px 10px}.ui-timepicker-div.ui-timepicker-oneLine{padding-right:2px}.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_time,.ui-timepicker-div.ui-timepicker-oneLine dt{display:none}.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_time_label{display:block;padding-top:2px}.ui-timepicker-div.ui-timepicker-oneLine dl{text-align:right}.ui-timepicker-div.ui-timepicker-oneLine dl dd,.ui-timepicker-div.ui-timepicker-oneLine dl dd>div{display:inline-block;margin:0}.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_minute:before,.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_second:before{content:':';display:inline-block}.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_millisec:before,.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_microsec:before{content:'.';display:inline-block}.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_unit_hide,.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_unit_hide:before{display:none}PK�
�[�0��333assets/inc/timepicker/jquery-ui-timepicker-addon.jsnu�[���/*! jQuery Timepicker Addon - v1.6.3 - 2016-04-20
* http://trentrichardson.com/examples/timepicker
* Copyright (c) 2016 Trent Richardson; Licensed MIT */
(function (factory) {
	if (typeof define === 'function' && define.amd) {
		define(['jquery', 'jquery-ui'], factory);
	} else {
		factory(jQuery);
	}
}(function ($) {

	/*
	* Lets not redefine timepicker, Prevent "Uncaught RangeError: Maximum call stack size exceeded"
	*/
	$.ui.timepicker = $.ui.timepicker || {};
	if ($.ui.timepicker.version) {
		return;
	}

	/*
	* Extend jQueryUI, get it started with our version number
	*/
	$.extend($.ui, {
		timepicker: {
			version: "1.6.3"
		}
	});

	/*
	* Timepicker manager.
	* Use the singleton instance of this class, $.timepicker, to interact with the time picker.
	* Settings for (groups of) time pickers are maintained in an instance object,
	* allowing multiple different settings on the same page.
	*/
	var Timepicker = function () {
		this.regional = []; // Available regional settings, indexed by language code
		this.regional[''] = { // Default regional settings
			currentText: 'Now',
			closeText: 'Done',
			amNames: ['AM', 'A'],
			pmNames: ['PM', 'P'],
			timeFormat: 'HH:mm',
			timeSuffix: '',
			timeOnlyTitle: 'Choose Time',
			timeText: 'Time',
			hourText: 'Hour',
			minuteText: 'Minute',
			secondText: 'Second',
			millisecText: 'Millisecond',
			microsecText: 'Microsecond',
			timezoneText: 'Time Zone',
			isRTL: false
		};
		this._defaults = { // Global defaults for all the datetime picker instances
			showButtonPanel: true,
			timeOnly: false,
			timeOnlyShowDate: false,
			showHour: null,
			showMinute: null,
			showSecond: null,
			showMillisec: null,
			showMicrosec: null,
			showTimezone: null,
			showTime: true,
			stepHour: 1,
			stepMinute: 1,
			stepSecond: 1,
			stepMillisec: 1,
			stepMicrosec: 1,
			hour: 0,
			minute: 0,
			second: 0,
			millisec: 0,
			microsec: 0,
			timezone: null,
			hourMin: 0,
			minuteMin: 0,
			secondMin: 0,
			millisecMin: 0,
			microsecMin: 0,
			hourMax: 23,
			minuteMax: 59,
			secondMax: 59,
			millisecMax: 999,
			microsecMax: 999,
			minDateTime: null,
			maxDateTime: null,
			maxTime: null,
			minTime: null,
			onSelect: null,
			hourGrid: 0,
			minuteGrid: 0,
			secondGrid: 0,
			millisecGrid: 0,
			microsecGrid: 0,
			alwaysSetTime: true,
			separator: ' ',
			altFieldTimeOnly: true,
			altTimeFormat: null,
			altSeparator: null,
			altTimeSuffix: null,
			altRedirectFocus: true,
			pickerTimeFormat: null,
			pickerTimeSuffix: null,
			showTimepicker: true,
			timezoneList: null,
			addSliderAccess: false,
			sliderAccessArgs: null,
			controlType: 'slider',
			oneLine: false,
			defaultValue: null,
			parse: 'strict',
			afterInject: null
		};
		$.extend(this._defaults, this.regional['']);
	};

	$.extend(Timepicker.prototype, {
		$input: null,
		$altInput: null,
		$timeObj: null,
		inst: null,
		hour_slider: null,
		minute_slider: null,
		second_slider: null,
		millisec_slider: null,
		microsec_slider: null,
		timezone_select: null,
		maxTime: null,
		minTime: null,
		hour: 0,
		minute: 0,
		second: 0,
		millisec: 0,
		microsec: 0,
		timezone: null,
		hourMinOriginal: null,
		minuteMinOriginal: null,
		secondMinOriginal: null,
		millisecMinOriginal: null,
		microsecMinOriginal: null,
		hourMaxOriginal: null,
		minuteMaxOriginal: null,
		secondMaxOriginal: null,
		millisecMaxOriginal: null,
		microsecMaxOriginal: null,
		ampm: '',
		formattedDate: '',
		formattedTime: '',
		formattedDateTime: '',
		timezoneList: null,
		units: ['hour', 'minute', 'second', 'millisec', 'microsec'],
		support: {},
		control: null,

		/*
		* Override the default settings for all instances of the time picker.
		* @param  {Object} settings  object - the new settings to use as defaults (anonymous object)
		* @return {Object} the manager object
		*/
		setDefaults: function (settings) {
			extendRemove(this._defaults, settings || {});
			return this;
		},

		/*
		* Create a new Timepicker instance
		*/
		_newInst: function ($input, opts) {
			var tp_inst = new Timepicker(),
				inlineSettings = {},
				fns = {},
				overrides, i;

			for (var attrName in this._defaults) {
				if (this._defaults.hasOwnProperty(attrName)) {
					var attrValue = $input.attr('time:' + attrName);
					if (attrValue) {
						try {
							inlineSettings[attrName] = eval(attrValue);
						} catch (err) {
							inlineSettings[attrName] = attrValue;
						}
					}
				}
			}

			overrides = {
				beforeShow: function (input, dp_inst) {
					if ($.isFunction(tp_inst._defaults.evnts.beforeShow)) {
						return tp_inst._defaults.evnts.beforeShow.call($input[0], input, dp_inst, tp_inst);
					}
				},
				onChangeMonthYear: function (year, month, dp_inst) {
					// Update the time as well : this prevents the time from disappearing from the $input field.
					// tp_inst._updateDateTime(dp_inst);
					if ($.isFunction(tp_inst._defaults.evnts.onChangeMonthYear)) {
						tp_inst._defaults.evnts.onChangeMonthYear.call($input[0], year, month, dp_inst, tp_inst);
					}
				},
				onClose: function (dateText, dp_inst) {
					if (tp_inst.timeDefined === true && $input.val() !== '') {
						tp_inst._updateDateTime(dp_inst);
					}
					if ($.isFunction(tp_inst._defaults.evnts.onClose)) {
						tp_inst._defaults.evnts.onClose.call($input[0], dateText, dp_inst, tp_inst);
					}
				}
			};
			for (i in overrides) {
				if (overrides.hasOwnProperty(i)) {
					fns[i] = opts[i] || this._defaults[i] || null;
				}
			}

			tp_inst._defaults = $.extend({}, this._defaults, inlineSettings, opts, overrides, {
				evnts: fns,
				timepicker: tp_inst // add timepicker as a property of datepicker: $.datepicker._get(dp_inst, 'timepicker');
			});
			tp_inst.amNames = $.map(tp_inst._defaults.amNames, function (val) {
				return val.toUpperCase();
			});
			tp_inst.pmNames = $.map(tp_inst._defaults.pmNames, function (val) {
				return val.toUpperCase();
			});

			// detect which units are supported
			tp_inst.support = detectSupport(
					tp_inst._defaults.timeFormat +
					(tp_inst._defaults.pickerTimeFormat ? tp_inst._defaults.pickerTimeFormat : '') +
					(tp_inst._defaults.altTimeFormat ? tp_inst._defaults.altTimeFormat : ''));

			// controlType is string - key to our this._controls
			if (typeof(tp_inst._defaults.controlType) === 'string') {
				if (tp_inst._defaults.controlType === 'slider' && typeof($.ui.slider) === 'undefined') {
					tp_inst._defaults.controlType = 'select';
				}
				tp_inst.control = tp_inst._controls[tp_inst._defaults.controlType];
			}
			// controlType is an object and must implement create, options, value methods
			else {
				tp_inst.control = tp_inst._defaults.controlType;
			}

			// prep the timezone options
			var timezoneList = [-720, -660, -600, -570, -540, -480, -420, -360, -300, -270, -240, -210, -180, -120, -60,
					0, 60, 120, 180, 210, 240, 270, 300, 330, 345, 360, 390, 420, 480, 525, 540, 570, 600, 630, 660, 690, 720, 765, 780, 840];
			if (tp_inst._defaults.timezoneList !== null) {
				timezoneList = tp_inst._defaults.timezoneList;
			}
			var tzl = timezoneList.length, tzi = 0, tzv = null;
			if (tzl > 0 && typeof timezoneList[0] !== 'object') {
				for (; tzi < tzl; tzi++) {
					tzv = timezoneList[tzi];
					timezoneList[tzi] = { value: tzv, label: $.timepicker.timezoneOffsetString(tzv, tp_inst.support.iso8601) };
				}
			}
			tp_inst._defaults.timezoneList = timezoneList;

			// set the default units
			tp_inst.timezone = tp_inst._defaults.timezone !== null ? $.timepicker.timezoneOffsetNumber(tp_inst._defaults.timezone) :
							((new Date()).getTimezoneOffset() * -1);
			tp_inst.hour = tp_inst._defaults.hour < tp_inst._defaults.hourMin ? tp_inst._defaults.hourMin :
							tp_inst._defaults.hour > tp_inst._defaults.hourMax ? tp_inst._defaults.hourMax : tp_inst._defaults.hour;
			tp_inst.minute = tp_inst._defaults.minute < tp_inst._defaults.minuteMin ? tp_inst._defaults.minuteMin :
							tp_inst._defaults.minute > tp_inst._defaults.minuteMax ? tp_inst._defaults.minuteMax : tp_inst._defaults.minute;
			tp_inst.second = tp_inst._defaults.second < tp_inst._defaults.secondMin ? tp_inst._defaults.secondMin :
							tp_inst._defaults.second > tp_inst._defaults.secondMax ? tp_inst._defaults.secondMax : tp_inst._defaults.second;
			tp_inst.millisec = tp_inst._defaults.millisec < tp_inst._defaults.millisecMin ? tp_inst._defaults.millisecMin :
							tp_inst._defaults.millisec > tp_inst._defaults.millisecMax ? tp_inst._defaults.millisecMax : tp_inst._defaults.millisec;
			tp_inst.microsec = tp_inst._defaults.microsec < tp_inst._defaults.microsecMin ? tp_inst._defaults.microsecMin :
							tp_inst._defaults.microsec > tp_inst._defaults.microsecMax ? tp_inst._defaults.microsecMax : tp_inst._defaults.microsec;
			tp_inst.ampm = '';
			tp_inst.$input = $input;

			if (tp_inst._defaults.altField) {
				tp_inst.$altInput = $(tp_inst._defaults.altField);
				if (tp_inst._defaults.altRedirectFocus === true) {
					tp_inst.$altInput.css({
						cursor: 'pointer'
					}).focus(function () {
						$input.trigger("focus");
					});
				}
			}

			if (tp_inst._defaults.minDate === 0 || tp_inst._defaults.minDateTime === 0) {
				tp_inst._defaults.minDate = new Date();
			}
			if (tp_inst._defaults.maxDate === 0 || tp_inst._defaults.maxDateTime === 0) {
				tp_inst._defaults.maxDate = new Date();
			}

			// datepicker needs minDate/maxDate, timepicker needs minDateTime/maxDateTime..
			if (tp_inst._defaults.minDate !== undefined && tp_inst._defaults.minDate instanceof Date) {
				tp_inst._defaults.minDateTime = new Date(tp_inst._defaults.minDate.getTime());
			}
			if (tp_inst._defaults.minDateTime !== undefined && tp_inst._defaults.minDateTime instanceof Date) {
				tp_inst._defaults.minDate = new Date(tp_inst._defaults.minDateTime.getTime());
			}
			if (tp_inst._defaults.maxDate !== undefined && tp_inst._defaults.maxDate instanceof Date) {
				tp_inst._defaults.maxDateTime = new Date(tp_inst._defaults.maxDate.getTime());
			}
			if (tp_inst._defaults.maxDateTime !== undefined && tp_inst._defaults.maxDateTime instanceof Date) {
				tp_inst._defaults.maxDate = new Date(tp_inst._defaults.maxDateTime.getTime());
			}
			tp_inst.$input.bind('focus', function () {
				tp_inst._onFocus();
			});

			return tp_inst;
		},

		/*
		* add our sliders to the calendar
		*/
		_addTimePicker: function (dp_inst) {
			var currDT = $.trim((this.$altInput && this._defaults.altFieldTimeOnly) ? this.$input.val() + ' ' + this.$altInput.val() : this.$input.val());

			this.timeDefined = this._parseTime(currDT);
			this._limitMinMaxDateTime(dp_inst, false);
			this._injectTimePicker();
			this._afterInject();
		},

		/*
		* parse the time string from input value or _setTime
		*/
		_parseTime: function (timeString, withDate) {
			if (!this.inst) {
				this.inst = $.datepicker._getInst(this.$input[0]);
			}

			if (withDate || !this._defaults.timeOnly) {
				var dp_dateFormat = $.datepicker._get(this.inst, 'dateFormat');
				try {
					var parseRes = parseDateTimeInternal(dp_dateFormat, this._defaults.timeFormat, timeString, $.datepicker._getFormatConfig(this.inst), this._defaults);
					if (!parseRes.timeObj) {
						return false;
					}
					$.extend(this, parseRes.timeObj);
				} catch (err) {
					$.timepicker.log("Error parsing the date/time string: " + err +
									"\ndate/time string = " + timeString +
									"\ntimeFormat = " + this._defaults.timeFormat +
									"\ndateFormat = " + dp_dateFormat);
					return false;
				}
				return true;
			} else {
				var timeObj = $.datepicker.parseTime(this._defaults.timeFormat, timeString, this._defaults);
				if (!timeObj) {
					return false;
				}
				$.extend(this, timeObj);
				return true;
			}
		},

		/*
		* Handle callback option after injecting timepicker
		*/
		_afterInject: function() {
			var o = this.inst.settings;
			if ($.isFunction(o.afterInject)) {
				o.afterInject.call(this);
			}
		},

		/*
		* generate and inject html for timepicker into ui datepicker
		*/
		_injectTimePicker: function () {
			var $dp = this.inst.dpDiv,
				o = this.inst.settings,
				tp_inst = this,
				litem = '',
				uitem = '',
				show = null,
				max = {},
				gridSize = {},
				size = null,
				i = 0,
				l = 0;

			// Prevent displaying twice
			if ($dp.find("div.ui-timepicker-div").length === 0 && o.showTimepicker) {
				var noDisplay = ' ui_tpicker_unit_hide',
					html = '<div class="ui-timepicker-div' + (o.isRTL ? ' ui-timepicker-rtl' : '') + (o.oneLine && o.controlType === 'select' ? ' ui-timepicker-oneLine' : '') + '"><dl>' + '<dt class="ui_tpicker_time_label' + ((o.showTime) ? '' : noDisplay) + '">' + o.timeText + '</dt>' +
								'<dd class="ui_tpicker_time '+ ((o.showTime) ? '' : noDisplay) + '"><input class="ui_tpicker_time_input" ' + (o.timeInput ? '' : 'disabled') + '/></dd>';

				// Create the markup
				for (i = 0, l = this.units.length; i < l; i++) {
					litem = this.units[i];
					uitem = litem.substr(0, 1).toUpperCase() + litem.substr(1);
					show = o['show' + uitem] !== null ? o['show' + uitem] : this.support[litem];

					// Added by Peter Medeiros:
					// - Figure out what the hour/minute/second max should be based on the step values.
					// - Example: if stepMinute is 15, then minMax is 45.
					max[litem] = parseInt((o[litem + 'Max'] - ((o[litem + 'Max'] - o[litem + 'Min']) % o['step' + uitem])), 10);
					gridSize[litem] = 0;

					html += '<dt class="ui_tpicker_' + litem + '_label' + (show ? '' : noDisplay) + '">' + o[litem + 'Text'] + '</dt>' +
								'<dd class="ui_tpicker_' + litem + (show ? '' : noDisplay) + '"><div class="ui_tpicker_' + litem + '_slider' + (show ? '' : noDisplay) + '"></div>';

					if (show && o[litem + 'Grid'] > 0) {
						html += '<div style="padding-left: 1px"><table class="ui-tpicker-grid-label"><tr>';

						if (litem === 'hour') {
							for (var h = o[litem + 'Min']; h <= max[litem]; h += parseInt(o[litem + 'Grid'], 10)) {
								gridSize[litem]++;
								var tmph = $.datepicker.formatTime(this.support.ampm ? 'hht' : 'HH', {hour: h}, o);
								html += '<td data-for="' + litem + '">' + tmph + '</td>';
							}
						}
						else {
							for (var m = o[litem + 'Min']; m <= max[litem]; m += parseInt(o[litem + 'Grid'], 10)) {
								gridSize[litem]++;
								html += '<td data-for="' + litem + '">' + ((m < 10) ? '0' : '') + m + '</td>';
							}
						}

						html += '</tr></table></div>';
					}
					html += '</dd>';
				}

				// Timezone
				var showTz = o.showTimezone !== null ? o.showTimezone : this.support.timezone;
				html += '<dt class="ui_tpicker_timezone_label' + (showTz ? '' : noDisplay) + '">' + o.timezoneText + '</dt>';
				html += '<dd class="ui_tpicker_timezone' + (showTz ? '' : noDisplay) + '"></dd>';

				// Create the elements from string
				html += '</dl></div>';
				var $tp = $(html);

				// if we only want time picker...
				if (o.timeOnly === true) {
					$tp.prepend('<div class="ui-widget-header ui-helper-clearfix ui-corner-all">' + '<div class="ui-datepicker-title">' + o.timeOnlyTitle + '</div>' + '</div>');
					$dp.find('.ui-datepicker-header, .ui-datepicker-calendar').hide();
				}

				// add sliders, adjust grids, add events
				for (i = 0, l = tp_inst.units.length; i < l; i++) {
					litem = tp_inst.units[i];
					uitem = litem.substr(0, 1).toUpperCase() + litem.substr(1);
					show = o['show' + uitem] !== null ? o['show' + uitem] : this.support[litem];

					// add the slider
					tp_inst[litem + '_slider'] = tp_inst.control.create(tp_inst, $tp.find('.ui_tpicker_' + litem + '_slider'), litem, tp_inst[litem], o[litem + 'Min'], max[litem], o['step' + uitem]);

					// adjust the grid and add click event
					if (show && o[litem + 'Grid'] > 0) {
						size = 100 * gridSize[litem] * o[litem + 'Grid'] / (max[litem] - o[litem + 'Min']);
						$tp.find('.ui_tpicker_' + litem + ' table').css({
							width: size + "%",
							marginLeft: o.isRTL ? '0' : ((size / (-2 * gridSize[litem])) + "%"),
							marginRight: o.isRTL ? ((size / (-2 * gridSize[litem])) + "%") : '0',
							borderCollapse: 'collapse'
						}).find("td").click(function (e) {
								var $t = $(this),
									h = $t.html(),
									n = parseInt(h.replace(/[^0-9]/g), 10),
									ap = h.replace(/[^apm]/ig),
									f = $t.data('for'); // loses scope, so we use data-for

								if (f === 'hour') {
									if (ap.indexOf('p') !== -1 && n < 12) {
										n += 12;
									}
									else {
										if (ap.indexOf('a') !== -1 && n === 12) {
											n = 0;
										}
									}
								}

								tp_inst.control.value(tp_inst, tp_inst[f + '_slider'], litem, n);

								tp_inst._onTimeChange();
								tp_inst._onSelectHandler();
							}).css({
								cursor: 'pointer',
								width: (100 / gridSize[litem]) + '%',
								textAlign: 'center',
								overflow: 'hidden'
							});
					} // end if grid > 0
				} // end for loop

				// Add timezone options
				this.timezone_select = $tp.find('.ui_tpicker_timezone').append('<select></select>').find("select");
				$.fn.append.apply(this.timezone_select,
				$.map(o.timezoneList, function (val, idx) {
					return $("<option />").val(typeof val === "object" ? val.value : val).text(typeof val === "object" ? val.label : val);
				}));
				if (typeof(this.timezone) !== "undefined" && this.timezone !== null && this.timezone !== "") {
					var local_timezone = (new Date(this.inst.selectedYear, this.inst.selectedMonth, this.inst.selectedDay, 12)).getTimezoneOffset() * -1;
					if (local_timezone === this.timezone) {
						selectLocalTimezone(tp_inst);
					} else {
						this.timezone_select.val(this.timezone);
					}
				} else {
					if (typeof(this.hour) !== "undefined" && this.hour !== null && this.hour !== "") {
						this.timezone_select.val(o.timezone);
					} else {
						selectLocalTimezone(tp_inst);
					}
				}
				this.timezone_select.change(function () {
					tp_inst._onTimeChange();
					tp_inst._onSelectHandler();
					tp_inst._afterInject();
				});
				// End timezone options

				// inject timepicker into datepicker
				var $buttonPanel = $dp.find('.ui-datepicker-buttonpane');
				if ($buttonPanel.length) {
					$buttonPanel.before($tp);
				} else {
					$dp.append($tp);
				}

				this.$timeObj = $tp.find('.ui_tpicker_time_input');
				this.$timeObj.change(function () {
					var timeFormat = tp_inst.inst.settings.timeFormat;
					var parsedTime = $.datepicker.parseTime(timeFormat, this.value);
					var update = new Date();
					if (parsedTime) {
						update.setHours(parsedTime.hour);
						update.setMinutes(parsedTime.minute);
						update.setSeconds(parsedTime.second);
						$.datepicker._setTime(tp_inst.inst, update);
					} else {
						this.value = tp_inst.formattedTime;
						this.blur();
					}
				});

				if (this.inst !== null) {
					var timeDefined = this.timeDefined;
					this._onTimeChange();
					this.timeDefined = timeDefined;
				}

				// slideAccess integration: http://trentrichardson.com/2011/11/11/jquery-ui-sliders-and-touch-accessibility/
				if (this._defaults.addSliderAccess) {
					var sliderAccessArgs = this._defaults.sliderAccessArgs,
						rtl = this._defaults.isRTL;
					sliderAccessArgs.isRTL = rtl;

					setTimeout(function () { // fix for inline mode
						if ($tp.find('.ui-slider-access').length === 0) {
							$tp.find('.ui-slider:visible').sliderAccess(sliderAccessArgs);

							// fix any grids since sliders are shorter
							var sliderAccessWidth = $tp.find('.ui-slider-access:eq(0)').outerWidth(true);
							if (sliderAccessWidth) {
								$tp.find('table:visible').each(function () {
									var $g = $(this),
										oldWidth = $g.outerWidth(),
										oldMarginLeft = $g.css(rtl ? 'marginRight' : 'marginLeft').toString().replace('%', ''),
										newWidth = oldWidth - sliderAccessWidth,
										newMarginLeft = ((oldMarginLeft * newWidth) / oldWidth) + '%',
										css = { width: newWidth, marginRight: 0, marginLeft: 0 };
									css[rtl ? 'marginRight' : 'marginLeft'] = newMarginLeft;
									$g.css(css);
								});
							}
						}
					}, 10);
				}
				// end slideAccess integration

				tp_inst._limitMinMaxDateTime(this.inst, true);
			}
		},

		/*
		* This function tries to limit the ability to go outside the
		* min/max date range
		*/
		_limitMinMaxDateTime: function (dp_inst, adjustSliders) {
			var o = this._defaults,
				dp_date = new Date(dp_inst.selectedYear, dp_inst.selectedMonth, dp_inst.selectedDay);

			if (!this._defaults.showTimepicker) {
				return;
			} // No time so nothing to check here

			if ($.datepicker._get(dp_inst, 'minDateTime') !== null && $.datepicker._get(dp_inst, 'minDateTime') !== undefined && dp_date) {
				var minDateTime = $.datepicker._get(dp_inst, 'minDateTime'),
					minDateTimeDate = new Date(minDateTime.getFullYear(), minDateTime.getMonth(), minDateTime.getDate(), 0, 0, 0, 0);

				if (this.hourMinOriginal === null || this.minuteMinOriginal === null || this.secondMinOriginal === null || this.millisecMinOriginal === null || this.microsecMinOriginal === null) {
					this.hourMinOriginal = o.hourMin;
					this.minuteMinOriginal = o.minuteMin;
					this.secondMinOriginal = o.secondMin;
					this.millisecMinOriginal = o.millisecMin;
					this.microsecMinOriginal = o.microsecMin;
				}

				if (dp_inst.settings.timeOnly || minDateTimeDate.getTime() === dp_date.getTime()) {
					this._defaults.hourMin = minDateTime.getHours();
					if (this.hour <= this._defaults.hourMin) {
						this.hour = this._defaults.hourMin;
						this._defaults.minuteMin = minDateTime.getMinutes();
						if (this.minute <= this._defaults.minuteMin) {
							this.minute = this._defaults.minuteMin;
							this._defaults.secondMin = minDateTime.getSeconds();
							if (this.second <= this._defaults.secondMin) {
								this.second = this._defaults.secondMin;
								this._defaults.millisecMin = minDateTime.getMilliseconds();
								if (this.millisec <= this._defaults.millisecMin) {
									this.millisec = this._defaults.millisecMin;
									this._defaults.microsecMin = minDateTime.getMicroseconds();
								} else {
									if (this.microsec < this._defaults.microsecMin) {
										this.microsec = this._defaults.microsecMin;
									}
									this._defaults.microsecMin = this.microsecMinOriginal;
								}
							} else {
								this._defaults.millisecMin = this.millisecMinOriginal;
								this._defaults.microsecMin = this.microsecMinOriginal;
							}
						} else {
							this._defaults.secondMin = this.secondMinOriginal;
							this._defaults.millisecMin = this.millisecMinOriginal;
							this._defaults.microsecMin = this.microsecMinOriginal;
						}
					} else {
						this._defaults.minuteMin = this.minuteMinOriginal;
						this._defaults.secondMin = this.secondMinOriginal;
						this._defaults.millisecMin = this.millisecMinOriginal;
						this._defaults.microsecMin = this.microsecMinOriginal;
					}
				} else {
					this._defaults.hourMin = this.hourMinOriginal;
					this._defaults.minuteMin = this.minuteMinOriginal;
					this._defaults.secondMin = this.secondMinOriginal;
					this._defaults.millisecMin = this.millisecMinOriginal;
					this._defaults.microsecMin = this.microsecMinOriginal;
				}
			}

			if ($.datepicker._get(dp_inst, 'maxDateTime') !== null && $.datepicker._get(dp_inst, 'maxDateTime') !== undefined && dp_date) {
				var maxDateTime = $.datepicker._get(dp_inst, 'maxDateTime'),
					maxDateTimeDate = new Date(maxDateTime.getFullYear(), maxDateTime.getMonth(), maxDateTime.getDate(), 0, 0, 0, 0);

				if (this.hourMaxOriginal === null || this.minuteMaxOriginal === null || this.secondMaxOriginal === null || this.millisecMaxOriginal === null) {
					this.hourMaxOriginal = o.hourMax;
					this.minuteMaxOriginal = o.minuteMax;
					this.secondMaxOriginal = o.secondMax;
					this.millisecMaxOriginal = o.millisecMax;
					this.microsecMaxOriginal = o.microsecMax;
				}

				if (dp_inst.settings.timeOnly || maxDateTimeDate.getTime() === dp_date.getTime()) {
					this._defaults.hourMax = maxDateTime.getHours();
					if (this.hour >= this._defaults.hourMax) {
						this.hour = this._defaults.hourMax;
						this._defaults.minuteMax = maxDateTime.getMinutes();
						if (this.minute >= this._defaults.minuteMax) {
							this.minute = this._defaults.minuteMax;
							this._defaults.secondMax = maxDateTime.getSeconds();
							if (this.second >= this._defaults.secondMax) {
								this.second = this._defaults.secondMax;
								this._defaults.millisecMax = maxDateTime.getMilliseconds();
								if (this.millisec >= this._defaults.millisecMax) {
									this.millisec = this._defaults.millisecMax;
									this._defaults.microsecMax = maxDateTime.getMicroseconds();
								} else {
									if (this.microsec > this._defaults.microsecMax) {
										this.microsec = this._defaults.microsecMax;
									}
									this._defaults.microsecMax = this.microsecMaxOriginal;
								}
							} else {
								this._defaults.millisecMax = this.millisecMaxOriginal;
								this._defaults.microsecMax = this.microsecMaxOriginal;
							}
						} else {
							this._defaults.secondMax = this.secondMaxOriginal;
							this._defaults.millisecMax = this.millisecMaxOriginal;
							this._defaults.microsecMax = this.microsecMaxOriginal;
						}
					} else {
						this._defaults.minuteMax = this.minuteMaxOriginal;
						this._defaults.secondMax = this.secondMaxOriginal;
						this._defaults.millisecMax = this.millisecMaxOriginal;
						this._defaults.microsecMax = this.microsecMaxOriginal;
					}
				} else {
					this._defaults.hourMax = this.hourMaxOriginal;
					this._defaults.minuteMax = this.minuteMaxOriginal;
					this._defaults.secondMax = this.secondMaxOriginal;
					this._defaults.millisecMax = this.millisecMaxOriginal;
					this._defaults.microsecMax = this.microsecMaxOriginal;
				}
			}

			if (dp_inst.settings.minTime!==null) {
				var tempMinTime=new Date("01/01/1970 " + dp_inst.settings.minTime);
				if (this.hour<tempMinTime.getHours()) {
					this.hour=this._defaults.hourMin=tempMinTime.getHours();
					this.minute=this._defaults.minuteMin=tempMinTime.getMinutes();
				} else if (this.hour===tempMinTime.getHours() && this.minute<tempMinTime.getMinutes()) {
					this.minute=this._defaults.minuteMin=tempMinTime.getMinutes();
				} else {
					if (this._defaults.hourMin<tempMinTime.getHours()) {
						this._defaults.hourMin=tempMinTime.getHours();
						this._defaults.minuteMin=tempMinTime.getMinutes();
					} else if (this._defaults.hourMin===tempMinTime.getHours()===this.hour && this._defaults.minuteMin<tempMinTime.getMinutes()) {
						this._defaults.minuteMin=tempMinTime.getMinutes();
					} else {
						this._defaults.minuteMin=0;
					}
				}
			}

			if (dp_inst.settings.maxTime!==null) {
				var tempMaxTime=new Date("01/01/1970 " + dp_inst.settings.maxTime);
				if (this.hour>tempMaxTime.getHours()) {
					this.hour=this._defaults.hourMax=tempMaxTime.getHours();
					this.minute=this._defaults.minuteMax=tempMaxTime.getMinutes();
				} else if (this.hour===tempMaxTime.getHours() && this.minute>tempMaxTime.getMinutes()) {
					this.minute=this._defaults.minuteMax=tempMaxTime.getMinutes();
				} else {
					if (this._defaults.hourMax>tempMaxTime.getHours()) {
						this._defaults.hourMax=tempMaxTime.getHours();
						this._defaults.minuteMax=tempMaxTime.getMinutes();
					} else if (this._defaults.hourMax===tempMaxTime.getHours()===this.hour && this._defaults.minuteMax>tempMaxTime.getMinutes()) {
						this._defaults.minuteMax=tempMaxTime.getMinutes();
					} else {
						this._defaults.minuteMax=59;
					}
				}
			}

			if (adjustSliders !== undefined && adjustSliders === true) {
				var hourMax = parseInt((this._defaults.hourMax - ((this._defaults.hourMax - this._defaults.hourMin) % this._defaults.stepHour)), 10),
					minMax = parseInt((this._defaults.minuteMax - ((this._defaults.minuteMax - this._defaults.minuteMin) % this._defaults.stepMinute)), 10),
					secMax = parseInt((this._defaults.secondMax - ((this._defaults.secondMax - this._defaults.secondMin) % this._defaults.stepSecond)), 10),
					millisecMax = parseInt((this._defaults.millisecMax - ((this._defaults.millisecMax - this._defaults.millisecMin) % this._defaults.stepMillisec)), 10),
					microsecMax = parseInt((this._defaults.microsecMax - ((this._defaults.microsecMax - this._defaults.microsecMin) % this._defaults.stepMicrosec)), 10);

				if (this.hour_slider) {
					this.control.options(this, this.hour_slider, 'hour', { min: this._defaults.hourMin, max: hourMax, step: this._defaults.stepHour });
					this.control.value(this, this.hour_slider, 'hour', this.hour - (this.hour % this._defaults.stepHour));
				}
				if (this.minute_slider) {
					this.control.options(this, this.minute_slider, 'minute', { min: this._defaults.minuteMin, max: minMax, step: this._defaults.stepMinute });
					this.control.value(this, this.minute_slider, 'minute', this.minute - (this.minute % this._defaults.stepMinute));
				}
				if (this.second_slider) {
					this.control.options(this, this.second_slider, 'second', { min: this._defaults.secondMin, max: secMax, step: this._defaults.stepSecond });
					this.control.value(this, this.second_slider, 'second', this.second - (this.second % this._defaults.stepSecond));
				}
				if (this.millisec_slider) {
					this.control.options(this, this.millisec_slider, 'millisec', { min: this._defaults.millisecMin, max: millisecMax, step: this._defaults.stepMillisec });
					this.control.value(this, this.millisec_slider, 'millisec', this.millisec - (this.millisec % this._defaults.stepMillisec));
				}
				if (this.microsec_slider) {
					this.control.options(this, this.microsec_slider, 'microsec', { min: this._defaults.microsecMin, max: microsecMax, step: this._defaults.stepMicrosec });
					this.control.value(this, this.microsec_slider, 'microsec', this.microsec - (this.microsec % this._defaults.stepMicrosec));
				}
			}

		},

		/*
		* when a slider moves, set the internal time...
		* on time change is also called when the time is updated in the text field
		*/
		_onTimeChange: function () {
			if (!this._defaults.showTimepicker) {
                                return;
			}
			var hour = (this.hour_slider) ? this.control.value(this, this.hour_slider, 'hour') : false,
				minute = (this.minute_slider) ? this.control.value(this, this.minute_slider, 'minute') : false,
				second = (this.second_slider) ? this.control.value(this, this.second_slider, 'second') : false,
				millisec = (this.millisec_slider) ? this.control.value(this, this.millisec_slider, 'millisec') : false,
				microsec = (this.microsec_slider) ? this.control.value(this, this.microsec_slider, 'microsec') : false,
				timezone = (this.timezone_select) ? this.timezone_select.val() : false,
				o = this._defaults,
				pickerTimeFormat = o.pickerTimeFormat || o.timeFormat,
				pickerTimeSuffix = o.pickerTimeSuffix || o.timeSuffix;

			if (typeof(hour) === 'object') {
				hour = false;
			}
			if (typeof(minute) === 'object') {
				minute = false;
			}
			if (typeof(second) === 'object') {
				second = false;
			}
			if (typeof(millisec) === 'object') {
				millisec = false;
			}
			if (typeof(microsec) === 'object') {
				microsec = false;
			}
			if (typeof(timezone) === 'object') {
				timezone = false;
			}

			if (hour !== false) {
				hour = parseInt(hour, 10);
			}
			if (minute !== false) {
				minute = parseInt(minute, 10);
			}
			if (second !== false) {
				second = parseInt(second, 10);
			}
			if (millisec !== false) {
				millisec = parseInt(millisec, 10);
			}
			if (microsec !== false) {
				microsec = parseInt(microsec, 10);
			}
			if (timezone !== false) {
				timezone = timezone.toString();
			}

			var ampm = o[hour < 12 ? 'amNames' : 'pmNames'][0];

			// If the update was done in the input field, the input field should not be updated.
			// If the update was done using the sliders, update the input field.
			var hasChanged = (
						hour !== parseInt(this.hour,10) || // sliders should all be numeric
						minute !== parseInt(this.minute,10) ||
						second !== parseInt(this.second,10) ||
						millisec !== parseInt(this.millisec,10) ||
						microsec !== parseInt(this.microsec,10) ||
						(this.ampm.length > 0 && (hour < 12) !== ($.inArray(this.ampm.toUpperCase(), this.amNames) !== -1)) ||
						(this.timezone !== null && timezone !== this.timezone.toString()) // could be numeric or "EST" format, so use toString()
					);

			if (hasChanged) {

				if (hour !== false) {
					this.hour = hour;
				}
				if (minute !== false) {
					this.minute = minute;
				}
				if (second !== false) {
					this.second = second;
				}
				if (millisec !== false) {
					this.millisec = millisec;
				}
				if (microsec !== false) {
					this.microsec = microsec;
				}
				if (timezone !== false) {
					this.timezone = timezone;
				}

				if (!this.inst) {
					this.inst = $.datepicker._getInst(this.$input[0]);
				}

				this._limitMinMaxDateTime(this.inst, true);
			}
			if (this.support.ampm) {
				this.ampm = ampm;
			}

			// Updates the time within the timepicker
			this.formattedTime = $.datepicker.formatTime(o.timeFormat, this, o);
			if (this.$timeObj) {
				if (pickerTimeFormat === o.timeFormat) {
					this.$timeObj.val(this.formattedTime + pickerTimeSuffix);
				}
				else {
					this.$timeObj.val($.datepicker.formatTime(pickerTimeFormat, this, o) + pickerTimeSuffix);
				}
				/*
				// Input loses focus when typing with picker open
				// https://github.com/trentrichardson/jQuery-Timepicker-Addon/issues/848
				if (this.$timeObj[0].setSelectionRange) {
					var sPos = this.$timeObj[0].selectionStart;
					var ePos = this.$timeObj[0].selectionEnd;
					this.$timeObj[0].setSelectionRange(sPos, ePos);
				}
				*/
			}

			this.timeDefined = true;
			if (hasChanged) {
				this._updateDateTime();
				//this.$input.focus(); // may automatically open the picker on setDate
			}
		},

		/*
		* call custom onSelect.
		* bind to sliders slidestop, and grid click.
		*/
		_onSelectHandler: function () {
			var onSelect = this._defaults.onSelect || this.inst.settings.onSelect;
			var inputEl = this.$input ? this.$input[0] : null;
			if (onSelect && inputEl) {
				onSelect.apply(inputEl, [this.formattedDateTime, this]);
			}
		},

		/*
		* update our input with the new date time..
		*/
		_updateDateTime: function (dp_inst) {
			dp_inst = this.inst || dp_inst;
			var dtTmp = (dp_inst.currentYear > 0?
							new Date(dp_inst.currentYear, dp_inst.currentMonth, dp_inst.currentDay) :
							new Date(dp_inst.selectedYear, dp_inst.selectedMonth, dp_inst.selectedDay)),
				dt = $.datepicker._daylightSavingAdjust(dtTmp),
				//dt = $.datepicker._daylightSavingAdjust(new Date(dp_inst.selectedYear, dp_inst.selectedMonth, dp_inst.selectedDay)),
				//dt = $.datepicker._daylightSavingAdjust(new Date(dp_inst.currentYear, dp_inst.currentMonth, dp_inst.currentDay)),
				dateFmt = $.datepicker._get(dp_inst, 'dateFormat'),
				formatCfg = $.datepicker._getFormatConfig(dp_inst),
				timeAvailable = dt !== null && this.timeDefined;
			this.formattedDate = $.datepicker.formatDate(dateFmt, (dt === null ? new Date() : dt), formatCfg);
			var formattedDateTime = this.formattedDate;

			// if a slider was changed but datepicker doesn't have a value yet, set it
			if (dp_inst.lastVal === "") {
                dp_inst.currentYear = dp_inst.selectedYear;
                dp_inst.currentMonth = dp_inst.selectedMonth;
                dp_inst.currentDay = dp_inst.selectedDay;
            }

			/*
			* remove following lines to force every changes in date picker to change the input value
			* Bug descriptions: when an input field has a default value, and click on the field to pop up the date picker.
			* If the user manually empty the value in the input field, the date picker will never change selected value.
			*/
			//if (dp_inst.lastVal !== undefined && (dp_inst.lastVal.length > 0 && this.$input.val().length === 0)) {
			//	return;
			//}

			if (this._defaults.timeOnly === true && this._defaults.timeOnlyShowDate === false) {
				formattedDateTime = this.formattedTime;
			} else if ((this._defaults.timeOnly !== true && (this._defaults.alwaysSetTime || timeAvailable)) || (this._defaults.timeOnly === true && this._defaults.timeOnlyShowDate === true)) {
				formattedDateTime += this._defaults.separator + this.formattedTime + this._defaults.timeSuffix;
			}

			this.formattedDateTime = formattedDateTime;

			if (!this._defaults.showTimepicker) {
				this.$input.val(this.formattedDate);
			} else if (this.$altInput && this._defaults.timeOnly === false && this._defaults.altFieldTimeOnly === true) {
				this.$altInput.val(this.formattedTime);
				this.$input.val(this.formattedDate);
			} else if (this.$altInput) {
				this.$input.val(formattedDateTime);
				var altFormattedDateTime = '',
					altSeparator = this._defaults.altSeparator !== null ? this._defaults.altSeparator : this._defaults.separator,
					altTimeSuffix = this._defaults.altTimeSuffix !== null ? this._defaults.altTimeSuffix : this._defaults.timeSuffix;

				if (!this._defaults.timeOnly) {
					if (this._defaults.altFormat) {
						altFormattedDateTime = $.datepicker.formatDate(this._defaults.altFormat, (dt === null ? new Date() : dt), formatCfg);
					}
					else {
						altFormattedDateTime = this.formattedDate;
					}

					if (altFormattedDateTime) {
						altFormattedDateTime += altSeparator;
					}
				}

				if (this._defaults.altTimeFormat !== null) {
					altFormattedDateTime += $.datepicker.formatTime(this._defaults.altTimeFormat, this, this._defaults) + altTimeSuffix;
				}
				else {
					altFormattedDateTime += this.formattedTime + altTimeSuffix;
				}
				this.$altInput.val(altFormattedDateTime);
			} else {
				this.$input.val(formattedDateTime);
			}

			this.$input.trigger("change");
		},

		_onFocus: function () {
			if (!this.$input.val() && this._defaults.defaultValue) {
				this.$input.val(this._defaults.defaultValue);
				var inst = $.datepicker._getInst(this.$input.get(0)),
					tp_inst = $.datepicker._get(inst, 'timepicker');
				if (tp_inst) {
					if (tp_inst._defaults.timeOnly && (inst.input.val() !== inst.lastVal)) {
						try {
							$.datepicker._updateDatepicker(inst);
						} catch (err) {
							$.timepicker.log(err);
						}
					}
				}
			}
		},

		/*
		* Small abstraction to control types
		* We can add more, just be sure to follow the pattern: create, options, value
		*/
		_controls: {
			// slider methods
			slider: {
				create: function (tp_inst, obj, unit, val, min, max, step) {
					var rtl = tp_inst._defaults.isRTL; // if rtl go -60->0 instead of 0->60
					return obj.prop('slide', null).slider({
						orientation: "horizontal",
						value: rtl ? val * -1 : val,
						min: rtl ? max * -1 : min,
						max: rtl ? min * -1 : max,
						step: step,
						slide: function (event, ui) {
							tp_inst.control.value(tp_inst, $(this), unit, rtl ? ui.value * -1 : ui.value);
							tp_inst._onTimeChange();
						},
						stop: function (event, ui) {
							tp_inst._onSelectHandler();
						}
					});
				},
				options: function (tp_inst, obj, unit, opts, val) {
					if (tp_inst._defaults.isRTL) {
						if (typeof(opts) === 'string') {
							if (opts === 'min' || opts === 'max') {
								if (val !== undefined) {
									return obj.slider(opts, val * -1);
								}
								return Math.abs(obj.slider(opts));
							}
							return obj.slider(opts);
						}
						var min = opts.min,
							max = opts.max;
						opts.min = opts.max = null;
						if (min !== undefined) {
							opts.max = min * -1;
						}
						if (max !== undefined) {
							opts.min = max * -1;
						}
						return obj.slider(opts);
					}
					if (typeof(opts) === 'string' && val !== undefined) {
						return obj.slider(opts, val);
					}
					return obj.slider(opts);
				},
				value: function (tp_inst, obj, unit, val) {
					if (tp_inst._defaults.isRTL) {
						if (val !== undefined) {
							return obj.slider('value', val * -1);
						}
						return Math.abs(obj.slider('value'));
					}
					if (val !== undefined) {
						return obj.slider('value', val);
					}
					return obj.slider('value');
				}
			},
			// select methods
			select: {
				create: function (tp_inst, obj, unit, val, min, max, step) {
					var sel = '<select class="ui-timepicker-select ui-state-default ui-corner-all" data-unit="' + unit + '" data-min="' + min + '" data-max="' + max + '" data-step="' + step + '">',
						format = tp_inst._defaults.pickerTimeFormat || tp_inst._defaults.timeFormat;

					for (var i = min; i <= max; i += step) {
						sel += '<option value="' + i + '"' + (i === val ? ' selected' : '') + '>';
						if (unit === 'hour') {
							sel += $.datepicker.formatTime($.trim(format.replace(/[^ht ]/ig, '')), {hour: i}, tp_inst._defaults);
						}
						else if (unit === 'millisec' || unit === 'microsec' || i >= 10) { sel += i; }
						else {sel += '0' + i.toString(); }
						sel += '</option>';
					}
					sel += '</select>';

					obj.children('select').remove();

					$(sel).appendTo(obj).change(function (e) {
						tp_inst._onTimeChange();
						tp_inst._onSelectHandler();
						tp_inst._afterInject();
					});

					return obj;
				},
				options: function (tp_inst, obj, unit, opts, val) {
					var o = {},
						$t = obj.children('select');
					if (typeof(opts) === 'string') {
						if (val === undefined) {
							return $t.data(opts);
						}
						o[opts] = val;
					}
					else { o = opts; }
					return tp_inst.control.create(tp_inst, obj, $t.data('unit'), $t.val(), o.min>=0 ? o.min : $t.data('min'), o.max || $t.data('max'), o.step || $t.data('step'));
				},
				value: function (tp_inst, obj, unit, val) {
					var $t = obj.children('select');
					if (val !== undefined) {
						return $t.val(val);
					}
					return $t.val();
				}
			}
		} // end _controls

	});

	$.fn.extend({
		/*
		* shorthand just to use timepicker.
		*/
		timepicker: function (o) {
			o = o || {};
			var tmp_args = Array.prototype.slice.call(arguments);

			if (typeof o === 'object') {
				tmp_args[0] = $.extend(o, {
					timeOnly: true
				});
			}

			return $(this).each(function () {
				$.fn.datetimepicker.apply($(this), tmp_args);
			});
		},

		/*
		* extend timepicker to datepicker
		*/
		datetimepicker: function (o) {
			o = o || {};
			var tmp_args = arguments;

			if (typeof(o) === 'string') {
				if (o === 'getDate'  || (o === 'option' && tmp_args.length === 2 && typeof (tmp_args[1]) === 'string')) {
					return $.fn.datepicker.apply($(this[0]), tmp_args);
				} else {
					return this.each(function () {
						var $t = $(this);
						$t.datepicker.apply($t, tmp_args);
					});
				}
			} else {
				return this.each(function () {
					var $t = $(this);
					$t.datepicker($.timepicker._newInst($t, o)._defaults);
				});
			}
		}
	});

	/*
	* Public Utility to parse date and time
	*/
	$.datepicker.parseDateTime = function (dateFormat, timeFormat, dateTimeString, dateSettings, timeSettings) {
		var parseRes = parseDateTimeInternal(dateFormat, timeFormat, dateTimeString, dateSettings, timeSettings);
		if (parseRes.timeObj) {
			var t = parseRes.timeObj;
			parseRes.date.setHours(t.hour, t.minute, t.second, t.millisec);
			parseRes.date.setMicroseconds(t.microsec);
		}

		return parseRes.date;
	};

	/*
	* Public utility to parse time
	*/
	$.datepicker.parseTime = function (timeFormat, timeString, options) {
		var o = extendRemove(extendRemove({}, $.timepicker._defaults), options || {}),
			iso8601 = (timeFormat.replace(/\'.*?\'/g, '').indexOf('Z') !== -1);

		// Strict parse requires the timeString to match the timeFormat exactly
		var strictParse = function (f, s, o) {

			// pattern for standard and localized AM/PM markers
			var getPatternAmpm = function (amNames, pmNames) {
				var markers = [];
				if (amNames) {
					$.merge(markers, amNames);
				}
				if (pmNames) {
					$.merge(markers, pmNames);
				}
				markers = $.map(markers, function (val) {
					return val.replace(/[.*+?|()\[\]{}\\]/g, '\\$&');
				});
				return '(' + markers.join('|') + ')?';
			};

			// figure out position of time elements.. cause js cant do named captures
			var getFormatPositions = function (timeFormat) {
				var finds = timeFormat.toLowerCase().match(/(h{1,2}|m{1,2}|s{1,2}|l{1}|c{1}|t{1,2}|z|'.*?')/g),
					orders = {
						h: -1,
						m: -1,
						s: -1,
						l: -1,
						c: -1,
						t: -1,
						z: -1
					};

				if (finds) {
					for (var i = 0; i < finds.length; i++) {
						if (orders[finds[i].toString().charAt(0)] === -1) {
							orders[finds[i].toString().charAt(0)] = i + 1;
						}
					}
				}
				return orders;
			};

			var regstr = '^' + f.toString()
					.replace(/([hH]{1,2}|mm?|ss?|[tT]{1,2}|[zZ]|[lc]|'.*?')/g, function (match) {
							var ml = match.length;
							switch (match.charAt(0).toLowerCase()) {
							case 'h':
								return ml === 1 ? '(\\d?\\d)' : '(\\d{' + ml + '})';
							case 'm':
								return ml === 1 ? '(\\d?\\d)' : '(\\d{' + ml + '})';
							case 's':
								return ml === 1 ? '(\\d?\\d)' : '(\\d{' + ml + '})';
							case 'l':
								return '(\\d?\\d?\\d)';
							case 'c':
								return '(\\d?\\d?\\d)';
							case 'z':
								return '(z|[-+]\\d\\d:?\\d\\d|\\S+)?';
							case 't':
								return getPatternAmpm(o.amNames, o.pmNames);
							default:    // literal escaped in quotes
								return '(' + match.replace(/\'/g, "").replace(/(\.|\$|\^|\\|\/|\(|\)|\[|\]|\?|\+|\*)/g, function (m) { return "\\" + m; }) + ')?';
							}
						})
					.replace(/\s/g, '\\s?') +
					o.timeSuffix + '$',
				order = getFormatPositions(f),
				ampm = '',
				treg;

			treg = s.match(new RegExp(regstr, 'i'));

			var resTime = {
				hour: 0,
				minute: 0,
				second: 0,
				millisec: 0,
				microsec: 0
			};

			if (treg) {
				if (order.t !== -1) {
					if (treg[order.t] === undefined || treg[order.t].length === 0) {
						ampm = '';
						resTime.ampm = '';
					} else {
						ampm = $.inArray(treg[order.t].toUpperCase(), $.map(o.amNames, function (x,i) { return x.toUpperCase(); })) !== -1 ? 'AM' : 'PM';
						resTime.ampm = o[ampm === 'AM' ? 'amNames' : 'pmNames'][0];
					}
				}

				if (order.h !== -1) {
					if (ampm === 'AM' && treg[order.h] === '12') {
						resTime.hour = 0; // 12am = 0 hour
					} else {
						if (ampm === 'PM' && treg[order.h] !== '12') {
							resTime.hour = parseInt(treg[order.h], 10) + 12; // 12pm = 12 hour, any other pm = hour + 12
						} else {
							resTime.hour = Number(treg[order.h]);
						}
					}
				}

				if (order.m !== -1) {
					resTime.minute = Number(treg[order.m]);
				}
				if (order.s !== -1) {
					resTime.second = Number(treg[order.s]);
				}
				if (order.l !== -1) {
					resTime.millisec = Number(treg[order.l]);
				}
				if (order.c !== -1) {
					resTime.microsec = Number(treg[order.c]);
				}
				if (order.z !== -1 && treg[order.z] !== undefined) {
					resTime.timezone = $.timepicker.timezoneOffsetNumber(treg[order.z]);
				}


				return resTime;
			}
			return false;
		};// end strictParse

		// First try JS Date, if that fails, use strictParse
		var looseParse = function (f, s, o) {
			try {
				var d = new Date('2012-01-01 ' + s);
				if (isNaN(d.getTime())) {
					d = new Date('2012-01-01T' + s);
					if (isNaN(d.getTime())) {
						d = new Date('01/01/2012 ' + s);
						if (isNaN(d.getTime())) {
							throw "Unable to parse time with native Date: " + s;
						}
					}
				}

				return {
					hour: d.getHours(),
					minute: d.getMinutes(),
					second: d.getSeconds(),
					millisec: d.getMilliseconds(),
					microsec: d.getMicroseconds(),
					timezone: d.getTimezoneOffset() * -1
				};
			}
			catch (err) {
				try {
					return strictParse(f, s, o);
				}
				catch (err2) {
					$.timepicker.log("Unable to parse \ntimeString: " + s + "\ntimeFormat: " + f);
				}
			}
			return false;
		}; // end looseParse

		if (typeof o.parse === "function") {
			return o.parse(timeFormat, timeString, o);
		}
		if (o.parse === 'loose') {
			return looseParse(timeFormat, timeString, o);
		}
		return strictParse(timeFormat, timeString, o);
	};

	/**
	 * Public utility to format the time
	 * @param {string} format format of the time
	 * @param {Object} time Object not a Date for timezones
	 * @param {Object} [options] essentially the regional[].. amNames, pmNames, ampm
	 * @returns {string} the formatted time
	 */
	$.datepicker.formatTime = function (format, time, options) {
		options = options || {};
		options = $.extend({}, $.timepicker._defaults, options);
		time = $.extend({
			hour: 0,
			minute: 0,
			second: 0,
			millisec: 0,
			microsec: 0,
			timezone: null
		}, time);

		var tmptime = format,
			ampmName = options.amNames[0],
			hour = parseInt(time.hour, 10);

		if (hour > 11) {
			ampmName = options.pmNames[0];
		}

		tmptime = tmptime.replace(/(?:HH?|hh?|mm?|ss?|[tT]{1,2}|[zZ]|[lc]|'.*?')/g, function (match) {
			switch (match) {
			case 'HH':
				return ('0' + hour).slice(-2);
			case 'H':
				return hour;
			case 'hh':
				return ('0' + convert24to12(hour)).slice(-2);
			case 'h':
				return convert24to12(hour);
			case 'mm':
				return ('0' + time.minute).slice(-2);
			case 'm':
				return time.minute;
			case 'ss':
				return ('0' + time.second).slice(-2);
			case 's':
				return time.second;
			case 'l':
				return ('00' + time.millisec).slice(-3);
			case 'c':
				return ('00' + time.microsec).slice(-3);
			case 'z':
				return $.timepicker.timezoneOffsetString(time.timezone === null ? options.timezone : time.timezone, false);
			case 'Z':
				return $.timepicker.timezoneOffsetString(time.timezone === null ? options.timezone : time.timezone, true);
			case 'T':
				return ampmName.charAt(0).toUpperCase();
			case 'TT':
				return ampmName.toUpperCase();
			case 't':
				return ampmName.charAt(0).toLowerCase();
			case 'tt':
				return ampmName.toLowerCase();
			default:
				return match.replace(/'/g, "");
			}
		});

		return tmptime;
	};

	/*
	* the bad hack :/ override datepicker so it doesn't close on select
	// inspired: http://stackoverflow.com/questions/1252512/jquery-datepicker-prevent-closing-picker-when-clicking-a-date/1762378#1762378
	*/
	$.datepicker._base_selectDate = $.datepicker._selectDate;
	$.datepicker._selectDate = function (id, dateStr) {
		var inst = this._getInst($(id)[0]),
			tp_inst = this._get(inst, 'timepicker'),
			was_inline;

		if (tp_inst && inst.settings.showTimepicker) {
			tp_inst._limitMinMaxDateTime(inst, true);
			was_inline = inst.inline;
			inst.inline = inst.stay_open = true;
			//This way the onSelect handler called from calendarpicker get the full dateTime
			this._base_selectDate(id, dateStr);
			inst.inline = was_inline;
			inst.stay_open = false;
			this._notifyChange(inst);
			this._updateDatepicker(inst);
		} else {
			this._base_selectDate(id, dateStr);
		}
	};

	/*
	* second bad hack :/ override datepicker so it triggers an event when changing the input field
	* and does not redraw the datepicker on every selectDate event
	*/
	$.datepicker._base_updateDatepicker = $.datepicker._updateDatepicker;
	$.datepicker._updateDatepicker = function (inst) {

		// don't popup the datepicker if there is another instance already opened
		var input = inst.input[0];
		if ($.datepicker._curInst && $.datepicker._curInst !== inst && $.datepicker._datepickerShowing && $.datepicker._lastInput !== input) {
			return;
		}

		if (typeof(inst.stay_open) !== 'boolean' || inst.stay_open === false) {

			this._base_updateDatepicker(inst);

			// Reload the time control when changing something in the input text field.
			var tp_inst = this._get(inst, 'timepicker');
			if (tp_inst) {
				tp_inst._addTimePicker(inst);
			}
		}
	};

	/*
	* third bad hack :/ override datepicker so it allows spaces and colon in the input field
	*/
	$.datepicker._base_doKeyPress = $.datepicker._doKeyPress;
	$.datepicker._doKeyPress = function (event) {
		var inst = $.datepicker._getInst(event.target),
			tp_inst = $.datepicker._get(inst, 'timepicker');

		if (tp_inst) {
			if ($.datepicker._get(inst, 'constrainInput')) {
				var ampm = tp_inst.support.ampm,
					tz = tp_inst._defaults.showTimezone !== null ? tp_inst._defaults.showTimezone : tp_inst.support.timezone,
					dateChars = $.datepicker._possibleChars($.datepicker._get(inst, 'dateFormat')),
					datetimeChars = tp_inst._defaults.timeFormat.toString()
											.replace(/[hms]/g, '')
											.replace(/TT/g, ampm ? 'APM' : '')
											.replace(/Tt/g, ampm ? 'AaPpMm' : '')
											.replace(/tT/g, ampm ? 'AaPpMm' : '')
											.replace(/T/g, ampm ? 'AP' : '')
											.replace(/tt/g, ampm ? 'apm' : '')
											.replace(/t/g, ampm ? 'ap' : '') +
											" " + tp_inst._defaults.separator +
											tp_inst._defaults.timeSuffix +
											(tz ? tp_inst._defaults.timezoneList.join('') : '') +
											(tp_inst._defaults.amNames.join('')) + (tp_inst._defaults.pmNames.join('')) +
											dateChars,
					chr = String.fromCharCode(event.charCode === undefined ? event.keyCode : event.charCode);
				return event.ctrlKey || (chr < ' ' || !dateChars || datetimeChars.indexOf(chr) > -1);
			}
		}

		return $.datepicker._base_doKeyPress(event);
	};

	/*
	* Fourth bad hack :/ override _updateAlternate function used in inline mode to init altField
	* Update any alternate field to synchronise with the main field.
	*/
	$.datepicker._base_updateAlternate = $.datepicker._updateAlternate;
	$.datepicker._updateAlternate = function (inst) {
		var tp_inst = this._get(inst, 'timepicker');
		if (tp_inst) {
			var altField = tp_inst._defaults.altField;
			if (altField) { // update alternate field too
				var altFormat = tp_inst._defaults.altFormat || tp_inst._defaults.dateFormat,
					date = this._getDate(inst),
					formatCfg = $.datepicker._getFormatConfig(inst),
					altFormattedDateTime = '',
					altSeparator = tp_inst._defaults.altSeparator ? tp_inst._defaults.altSeparator : tp_inst._defaults.separator,
					altTimeSuffix = tp_inst._defaults.altTimeSuffix ? tp_inst._defaults.altTimeSuffix : tp_inst._defaults.timeSuffix,
					altTimeFormat = tp_inst._defaults.altTimeFormat !== null ? tp_inst._defaults.altTimeFormat : tp_inst._defaults.timeFormat;

				altFormattedDateTime += $.datepicker.formatTime(altTimeFormat, tp_inst, tp_inst._defaults) + altTimeSuffix;
				if (!tp_inst._defaults.timeOnly && !tp_inst._defaults.altFieldTimeOnly && date !== null) {
					if (tp_inst._defaults.altFormat) {
						altFormattedDateTime = $.datepicker.formatDate(tp_inst._defaults.altFormat, date, formatCfg) + altSeparator + altFormattedDateTime;
					}
					else {
						altFormattedDateTime = tp_inst.formattedDate + altSeparator + altFormattedDateTime;
					}
				}
				$(altField).val( inst.input.val() ? altFormattedDateTime : "");
			}
		}
		else {
			$.datepicker._base_updateAlternate(inst);
		}
	};

	/*
	* Override key up event to sync manual input changes.
	*/
	$.datepicker._base_doKeyUp = $.datepicker._doKeyUp;
	$.datepicker._doKeyUp = function (event) {
		var inst = $.datepicker._getInst(event.target),
			tp_inst = $.datepicker._get(inst, 'timepicker');

		if (tp_inst) {
			if (tp_inst._defaults.timeOnly && (inst.input.val() !== inst.lastVal)) {
				try {
					$.datepicker._updateDatepicker(inst);
				} catch (err) {
					$.timepicker.log(err);
				}
			}
		}

		return $.datepicker._base_doKeyUp(event);
	};

	/*
	* override "Today" button to also grab the time and set it to input field.
	*/
	$.datepicker._base_gotoToday = $.datepicker._gotoToday;
	$.datepicker._gotoToday = function (id) {
		var inst = this._getInst($(id)[0]);
		this._base_gotoToday(id);
		var tp_inst = this._get(inst, 'timepicker');
		if (!tp_inst) {
		  return;
		}

		var tzoffset = $.timepicker.timezoneOffsetNumber(tp_inst.timezone);
		var now = new Date();
		now.setMinutes(now.getMinutes() + now.getTimezoneOffset() + parseInt(tzoffset, 10));
		this._setTime(inst, now);
		this._setDate(inst, now);
		tp_inst._onSelectHandler();
	};

	/*
	* Disable & enable the Time in the datetimepicker
	*/
	$.datepicker._disableTimepickerDatepicker = function (target) {
		var inst = this._getInst(target);
		if (!inst) {
			return;
		}

		var tp_inst = this._get(inst, 'timepicker');
		$(target).datepicker('getDate'); // Init selected[Year|Month|Day]
		if (tp_inst) {
			inst.settings.showTimepicker = false;
			tp_inst._defaults.showTimepicker = false;
			tp_inst._updateDateTime(inst);
		}
	};

	$.datepicker._enableTimepickerDatepicker = function (target) {
		var inst = this._getInst(target);
		if (!inst) {
			return;
		}

		var tp_inst = this._get(inst, 'timepicker');
		$(target).datepicker('getDate'); // Init selected[Year|Month|Day]
		if (tp_inst) {
			inst.settings.showTimepicker = true;
			tp_inst._defaults.showTimepicker = true;
			tp_inst._addTimePicker(inst); // Could be disabled on page load
			tp_inst._updateDateTime(inst);
		}
	};

	/*
	* Create our own set time function
	*/
	$.datepicker._setTime = function (inst, date) {
		var tp_inst = this._get(inst, 'timepicker');
		if (tp_inst) {
			var defaults = tp_inst._defaults;

			// calling _setTime with no date sets time to defaults
			tp_inst.hour = date ? date.getHours() : defaults.hour;
			tp_inst.minute = date ? date.getMinutes() : defaults.minute;
			tp_inst.second = date ? date.getSeconds() : defaults.second;
			tp_inst.millisec = date ? date.getMilliseconds() : defaults.millisec;
			tp_inst.microsec = date ? date.getMicroseconds() : defaults.microsec;

			//check if within min/max times..
			tp_inst._limitMinMaxDateTime(inst, true);

			tp_inst._onTimeChange();
			tp_inst._updateDateTime(inst);
		}
	};

	/*
	* Create new public method to set only time, callable as $().datepicker('setTime', date)
	*/
	$.datepicker._setTimeDatepicker = function (target, date, withDate) {
		var inst = this._getInst(target);
		if (!inst) {
			return;
		}

		var tp_inst = this._get(inst, 'timepicker');

		if (tp_inst) {
			this._setDateFromField(inst);
			var tp_date;
			if (date) {
				if (typeof date === "string") {
					tp_inst._parseTime(date, withDate);
					tp_date = new Date();
					tp_date.setHours(tp_inst.hour, tp_inst.minute, tp_inst.second, tp_inst.millisec);
					tp_date.setMicroseconds(tp_inst.microsec);
				} else {
					tp_date = new Date(date.getTime());
					tp_date.setMicroseconds(date.getMicroseconds());
				}
				if (tp_date.toString() === 'Invalid Date') {
					tp_date = undefined;
				}
				this._setTime(inst, tp_date);
			}
		}

	};

	/*
	* override setDate() to allow setting time too within Date object
	*/
	$.datepicker._base_setDateDatepicker = $.datepicker._setDateDatepicker;
	$.datepicker._setDateDatepicker = function (target, _date) {
		var inst = this._getInst(target);
		var date = _date;
		if (!inst) {
			return;
		}

		if (typeof(_date) === 'string') {
			date = new Date(_date);
			if (!date.getTime()) {
				this._base_setDateDatepicker.apply(this, arguments);
				date = $(target).datepicker('getDate');
			}
		}

		var tp_inst = this._get(inst, 'timepicker');
		var tp_date;
		if (date instanceof Date) {
			tp_date = new Date(date.getTime());
			tp_date.setMicroseconds(date.getMicroseconds());
		} else {
			tp_date = date;
		}

		// This is important if you are using the timezone option, javascript's Date
		// object will only return the timezone offset for the current locale, so we
		// adjust it accordingly.  If not using timezone option this won't matter..
		// If a timezone is different in tp, keep the timezone as is
		if (tp_inst && tp_date) {
			// look out for DST if tz wasn't specified
			if (!tp_inst.support.timezone && tp_inst._defaults.timezone === null) {
				tp_inst.timezone = tp_date.getTimezoneOffset() * -1;
			}
			date = $.timepicker.timezoneAdjust(date, $.timepicker.timezoneOffsetString(-date.getTimezoneOffset()), tp_inst.timezone);
			tp_date = $.timepicker.timezoneAdjust(tp_date, $.timepicker.timezoneOffsetString(-tp_date.getTimezoneOffset()), tp_inst.timezone);
		}

		this._updateDatepicker(inst);
		this._base_setDateDatepicker.apply(this, arguments);
		this._setTimeDatepicker(target, tp_date, true);
	};

	/*
	* override getDate() to allow getting time too within Date object
	*/
	$.datepicker._base_getDateDatepicker = $.datepicker._getDateDatepicker;
	$.datepicker._getDateDatepicker = function (target, noDefault) {
		var inst = this._getInst(target);
		if (!inst) {
			return;
		}

		var tp_inst = this._get(inst, 'timepicker');

		if (tp_inst) {
			// if it hasn't yet been defined, grab from field
			if (inst.lastVal === undefined) {
				this._setDateFromField(inst, noDefault);
			}

			var date = this._getDate(inst);

			var currDT = null;

			if (tp_inst.$altInput && tp_inst._defaults.altFieldTimeOnly) {
				currDT = tp_inst.$input.val() + ' ' + tp_inst.$altInput.val();
			}
			else if (tp_inst.$input.get(0).tagName !== 'INPUT' && tp_inst.$altInput) {
				/**
				 * in case the datetimepicker has been applied to a non-input tag for inline UI,
				 * and the user has not configured the plugin to display only time in altInput,
				 * pick current date time from the altInput (and hope for the best, for now, until "ER1" is applied)
				 *
				 * @todo ER1. Since altInput can have a totally difference format, convert it to standard format by reading input format from "altFormat" and "altTimeFormat" option values
				 */
				currDT = tp_inst.$altInput.val();
			}
			else {
				currDT = tp_inst.$input.val();
			}

			if (date && tp_inst._parseTime(currDT, !inst.settings.timeOnly)) {
				date.setHours(tp_inst.hour, tp_inst.minute, tp_inst.second, tp_inst.millisec);
				date.setMicroseconds(tp_inst.microsec);

				// This is important if you are using the timezone option, javascript's Date
				// object will only return the timezone offset for the current locale, so we
				// adjust it accordingly.  If not using timezone option this won't matter..
				if (tp_inst.timezone != null) {
					// look out for DST if tz wasn't specified
					if (!tp_inst.support.timezone && tp_inst._defaults.timezone === null) {
						tp_inst.timezone = date.getTimezoneOffset() * -1;
					}
					date = $.timepicker.timezoneAdjust(date, tp_inst.timezone, $.timepicker.timezoneOffsetString(-date.getTimezoneOffset()));
				}
			}
			return date;
		}
		return this._base_getDateDatepicker(target, noDefault);
	};

	/*
	* override parseDate() because UI 1.8.14 throws an error about "Extra characters"
	* An option in datapicker to ignore extra format characters would be nicer.
	*/
	$.datepicker._base_parseDate = $.datepicker.parseDate;
	$.datepicker.parseDate = function (format, value, settings) {
		var date;
		try {
			date = this._base_parseDate(format, value, settings);
		} catch (err) {
			// Hack!  The error message ends with a colon, a space, and
			// the "extra" characters.  We rely on that instead of
			// attempting to perfectly reproduce the parsing algorithm.
			if (err.indexOf(":") >= 0) {
				date = this._base_parseDate(format, value.substring(0, value.length - (err.length - err.indexOf(':') - 2)), settings);
				$.timepicker.log("Error parsing the date string: " + err + "\ndate string = " + value + "\ndate format = " + format);
			} else {
				throw err;
			}
		}
		return date;
	};

	/*
	* override formatDate to set date with time to the input
	*/
	$.datepicker._base_formatDate = $.datepicker._formatDate;
	$.datepicker._formatDate = function (inst, day, month, year) {
		var tp_inst = this._get(inst, 'timepicker');
		if (tp_inst) {
			tp_inst._updateDateTime(inst);
			return tp_inst.$input.val();
		}
		return this._base_formatDate(inst);
	};

	/*
	* override options setter to add time to maxDate(Time) and minDate(Time). MaxDate
	*/
	$.datepicker._base_optionDatepicker = $.datepicker._optionDatepicker;
	$.datepicker._optionDatepicker = function (target, name, value) {
		var inst = this._getInst(target),
			name_clone;
		if (!inst) {
			return null;
		}

		var tp_inst = this._get(inst, 'timepicker');
		if (tp_inst) {
			var min = null,
				max = null,
				onselect = null,
				overrides = tp_inst._defaults.evnts,
				fns = {},
				prop,
				ret,
				oldVal,
				$target;
			if (typeof name === 'string') { // if min/max was set with the string
				if (name === 'minDate' || name === 'minDateTime') {
					min = value;
				} else if (name === 'maxDate' || name === 'maxDateTime') {
					max = value;
				} else if (name === 'onSelect') {
					onselect = value;
				} else if (overrides.hasOwnProperty(name)) {
					if (typeof (value) === 'undefined') {
						return overrides[name];
					}
					fns[name] = value;
					name_clone = {}; //empty results in exiting function after overrides updated
				}
			} else if (typeof name === 'object') { //if min/max was set with the JSON
				if (name.minDate) {
					min = name.minDate;
				} else if (name.minDateTime) {
					min = name.minDateTime;
				} else if (name.maxDate) {
					max = name.maxDate;
				} else if (name.maxDateTime) {
					max = name.maxDateTime;
				}
				for (prop in overrides) {
					if (overrides.hasOwnProperty(prop) && name[prop]) {
						fns[prop] = name[prop];
					}
				}
			}
			for (prop in fns) {
				if (fns.hasOwnProperty(prop)) {
					overrides[prop] = fns[prop];
					if (!name_clone) { name_clone = $.extend({}, name); }
					delete name_clone[prop];
				}
			}
			if (name_clone && isEmptyObject(name_clone)) { return; }
			if (min) { //if min was set
				if (min === 0) {
					min = new Date();
				} else {
					min = new Date(min);
				}
				tp_inst._defaults.minDate = min;
				tp_inst._defaults.minDateTime = min;
			} else if (max) { //if max was set
				if (max === 0) {
					max = new Date();
				} else {
					max = new Date(max);
				}
				tp_inst._defaults.maxDate = max;
				tp_inst._defaults.maxDateTime = max;
			} else if (onselect) {
				tp_inst._defaults.onSelect = onselect;
			}

			// Datepicker will override our date when we call _base_optionDatepicker when
			// calling minDate/maxDate, so we will first grab the value, call
			// _base_optionDatepicker, then set our value back.
			if(min || max){
				$target = $(target);
				oldVal = $target.datetimepicker('getDate');
				ret = this._base_optionDatepicker.call($.datepicker, target, name_clone || name, value);
				$target.datetimepicker('setDate', oldVal);
				return ret;
			}
		}
		if (value === undefined) {
			return this._base_optionDatepicker.call($.datepicker, target, name);
		}
		return this._base_optionDatepicker.call($.datepicker, target, name_clone || name, value);
	};

	/*
	* jQuery isEmptyObject does not check hasOwnProperty - if someone has added to the object prototype,
	* it will return false for all objects
	*/
	var isEmptyObject = function (obj) {
		var prop;
		for (prop in obj) {
			if (obj.hasOwnProperty(prop)) {
				return false;
			}
		}
		return true;
	};

	/*
	* jQuery extend now ignores nulls!
	*/
	var extendRemove = function (target, props) {
		$.extend(target, props);
		for (var name in props) {
			if (props[name] === null || props[name] === undefined) {
				target[name] = props[name];
			}
		}
		return target;
	};

	/*
	* Determine by the time format which units are supported
	* Returns an object of booleans for each unit
	*/
	var detectSupport = function (timeFormat) {
		var tf = timeFormat.replace(/'.*?'/g, '').toLowerCase(), // removes literals
			isIn = function (f, t) { // does the format contain the token?
					return f.indexOf(t) !== -1 ? true : false;
				};
		return {
				hour: isIn(tf, 'h'),
				minute: isIn(tf, 'm'),
				second: isIn(tf, 's'),
				millisec: isIn(tf, 'l'),
				microsec: isIn(tf, 'c'),
				timezone: isIn(tf, 'z'),
				ampm: isIn(tf, 't') && isIn(timeFormat, 'h'),
				iso8601: isIn(timeFormat, 'Z')
			};
	};

	/*
	* Converts 24 hour format into 12 hour
	* Returns 12 hour without leading 0
	*/
	var convert24to12 = function (hour) {
		hour %= 12;

		if (hour === 0) {
			hour = 12;
		}

		return String(hour);
	};

	var computeEffectiveSetting = function (settings, property) {
		return settings && settings[property] ? settings[property] : $.timepicker._defaults[property];
	};

	/*
	* Splits datetime string into date and time substrings.
	* Throws exception when date can't be parsed
	* Returns {dateString: dateString, timeString: timeString}
	*/
	var splitDateTime = function (dateTimeString, timeSettings) {
		// The idea is to get the number separator occurrences in datetime and the time format requested (since time has
		// fewer unknowns, mostly numbers and am/pm). We will use the time pattern to split.
		var separator = computeEffectiveSetting(timeSettings, 'separator'),
			format = computeEffectiveSetting(timeSettings, 'timeFormat'),
			timeParts = format.split(separator), // how many occurrences of separator may be in our format?
			timePartsLen = timeParts.length,
			allParts = dateTimeString.split(separator),
			allPartsLen = allParts.length;

		if (allPartsLen > 1) {
			return {
				dateString: allParts.splice(0, allPartsLen - timePartsLen).join(separator),
				timeString: allParts.splice(0, timePartsLen).join(separator)
			};
		}

		return {
			dateString: dateTimeString,
			timeString: ''
		};
	};

	/*
	* Internal function to parse datetime interval
	* Returns: {date: Date, timeObj: Object}, where
	*   date - parsed date without time (type Date)
	*   timeObj = {hour: , minute: , second: , millisec: , microsec: } - parsed time. Optional
	*/
	var parseDateTimeInternal = function (dateFormat, timeFormat, dateTimeString, dateSettings, timeSettings) {
		var date,
			parts,
			parsedTime;

		parts = splitDateTime(dateTimeString, timeSettings);
		date = $.datepicker._base_parseDate(dateFormat, parts.dateString, dateSettings);

		if (parts.timeString === '') {
			return {
				date: date
			};
		}

		parsedTime = $.datepicker.parseTime(timeFormat, parts.timeString, timeSettings);

		if (!parsedTime) {
			throw 'Wrong time format';
		}

		return {
			date: date,
			timeObj: parsedTime
		};
	};

	/*
	* Internal function to set timezone_select to the local timezone
	*/
	var selectLocalTimezone = function (tp_inst, date) {
		if (tp_inst && tp_inst.timezone_select) {
			var now = date || new Date();
			tp_inst.timezone_select.val(-now.getTimezoneOffset());
		}
	};

	/*
	* Create a Singleton Instance
	*/
	$.timepicker = new Timepicker();

	/**
	 * Get the timezone offset as string from a date object (eg '+0530' for UTC+5.5)
	 * @param {number} tzMinutes if not a number, less than -720 (-1200), or greater than 840 (+1400) this value is returned
	 * @param {boolean} iso8601 if true formats in accordance to iso8601 "+12:45"
	 * @return {string}
	 */
	$.timepicker.timezoneOffsetString = function (tzMinutes, iso8601) {
		if (isNaN(tzMinutes) || tzMinutes > 840 || tzMinutes < -720) {
			return tzMinutes;
		}

		var off = tzMinutes,
			minutes = off % 60,
			hours = (off - minutes) / 60,
			iso = iso8601 ? ':' : '',
			tz = (off >= 0 ? '+' : '-') + ('0' + Math.abs(hours)).slice(-2) + iso + ('0' + Math.abs(minutes)).slice(-2);

		if (tz === '+00:00') {
			return 'Z';
		}
		return tz;
	};

	/**
	 * Get the number in minutes that represents a timezone string
	 * @param  {string} tzString formatted like "+0500", "-1245", "Z"
	 * @return {number} the offset minutes or the original string if it doesn't match expectations
	 */
	$.timepicker.timezoneOffsetNumber = function (tzString) {
		var normalized = tzString.toString().replace(':', ''); // excuse any iso8601, end up with "+1245"

		if (normalized.toUpperCase() === 'Z') { // if iso8601 with Z, its 0 minute offset
			return 0;
		}

		if (!/^(\-|\+)\d{4}$/.test(normalized)) { // possibly a user defined tz, so just give it back
			return parseInt(tzString, 10);
		}

		return ((normalized.substr(0, 1) === '-' ? -1 : 1) * // plus or minus
					((parseInt(normalized.substr(1, 2), 10) * 60) + // hours (converted to minutes)
					parseInt(normalized.substr(3, 2), 10))); // minutes
	};

	/**
	 * No way to set timezone in js Date, so we must adjust the minutes to compensate. (think setDate, getDate)
	 * @param  {Date} date
	 * @param  {string} fromTimezone formatted like "+0500", "-1245"
	 * @param  {string} toTimezone formatted like "+0500", "-1245"
	 * @return {Date}
	 */
	$.timepicker.timezoneAdjust = function (date, fromTimezone, toTimezone) {
		var fromTz = $.timepicker.timezoneOffsetNumber(fromTimezone);
		var toTz = $.timepicker.timezoneOffsetNumber(toTimezone);
		if (!isNaN(toTz)) {
			date.setMinutes(date.getMinutes() + (-fromTz) - (-toTz));
		}
		return date;
	};

	/**
	 * Calls `timepicker()` on the `startTime` and `endTime` elements, and configures them to
	 * enforce date range limits.
	 * n.b. The input value must be correctly formatted (reformatting is not supported)
	 * @param  {Element} startTime
	 * @param  {Element} endTime
	 * @param  {Object} options Options for the timepicker() call
	 * @return {jQuery}
	 */
	$.timepicker.timeRange = function (startTime, endTime, options) {
		return $.timepicker.handleRange('timepicker', startTime, endTime, options);
	};

	/**
	 * Calls `datetimepicker` on the `startTime` and `endTime` elements, and configures them to
	 * enforce date range limits.
	 * @param  {Element} startTime
	 * @param  {Element} endTime
	 * @param  {Object} options Options for the `timepicker()` call. Also supports `reformat`,
	 *   a boolean value that can be used to reformat the input values to the `dateFormat`.
	 * @param  {string} method Can be used to specify the type of picker to be added
	 * @return {jQuery}
	 */
	$.timepicker.datetimeRange = function (startTime, endTime, options) {
		$.timepicker.handleRange('datetimepicker', startTime, endTime, options);
	};

	/**
	 * Calls `datepicker` on the `startTime` and `endTime` elements, and configures them to
	 * enforce date range limits.
	 * @param  {Element} startTime
	 * @param  {Element} endTime
	 * @param  {Object} options Options for the `timepicker()` call. Also supports `reformat`,
	 *   a boolean value that can be used to reformat the input values to the `dateFormat`.
	 * @return {jQuery}
	 */
	$.timepicker.dateRange = function (startTime, endTime, options) {
		$.timepicker.handleRange('datepicker', startTime, endTime, options);
	};

	/**
	 * Calls `method` on the `startTime` and `endTime` elements, and configures them to
	 * enforce date range limits.
	 * @param  {string} method Can be used to specify the type of picker to be added
	 * @param  {Element} startTime
	 * @param  {Element} endTime
	 * @param  {Object} options Options for the `timepicker()` call. Also supports `reformat`,
	 *   a boolean value that can be used to reformat the input values to the `dateFormat`.
	 * @return {jQuery}
	 */
	$.timepicker.handleRange = function (method, startTime, endTime, options) {
		options = $.extend({}, {
			minInterval: 0, // min allowed interval in milliseconds
			maxInterval: 0, // max allowed interval in milliseconds
			start: {},      // options for start picker
			end: {}         // options for end picker
		}, options);

		// for the mean time this fixes an issue with calling getDate with timepicker()
		var timeOnly = false;
		if(method === 'timepicker'){
			timeOnly = true;
			method = 'datetimepicker';
		}

		function checkDates(changed, other) {
			var startdt = startTime[method]('getDate'),
				enddt = endTime[method]('getDate'),
				changeddt = changed[method]('getDate');

			if (startdt !== null) {
				var minDate = new Date(startdt.getTime()),
					maxDate = new Date(startdt.getTime());

				minDate.setMilliseconds(minDate.getMilliseconds() + options.minInterval);
				maxDate.setMilliseconds(maxDate.getMilliseconds() + options.maxInterval);

				if (options.minInterval > 0 && minDate > enddt) { // minInterval check
					endTime[method]('setDate', minDate);
				}
				else if (options.maxInterval > 0 && maxDate < enddt) { // max interval check
					endTime[method]('setDate', maxDate);
				}
				else if (startdt > enddt) {
					other[method]('setDate', changeddt);
				}
			}
		}

		function selected(changed, other, option) {
			if (!changed.val()) {
				return;
			}
			var date = changed[method].call(changed, 'getDate');
			if (date !== null && options.minInterval > 0) {
				if (option === 'minDate') {
					date.setMilliseconds(date.getMilliseconds() + options.minInterval);
				}
				if (option === 'maxDate') {
					date.setMilliseconds(date.getMilliseconds() - options.minInterval);
				}
			}

			if (date.getTime) {
				other[method].call(other, 'option', option, date);
			}
		}

		$.fn[method].call(startTime, $.extend({
			timeOnly: timeOnly,
			onClose: function (dateText, inst) {
				checkDates($(this), endTime);
			},
			onSelect: function (selectedDateTime) {
				selected($(this), endTime, 'minDate');
			}
		}, options, options.start));
		$.fn[method].call(endTime, $.extend({
			timeOnly: timeOnly,
			onClose: function (dateText, inst) {
				checkDates($(this), startTime);
			},
			onSelect: function (selectedDateTime) {
				selected($(this), startTime, 'maxDate');
			}
		}, options, options.end));

		checkDates(startTime, endTime);

		selected(startTime, endTime, 'minDate');
		selected(endTime, startTime, 'maxDate');

		return $([startTime.get(0), endTime.get(0)]);
	};

	/**
	 * Log error or data to the console during error or debugging
	 * @param  {Object} err pass any type object to log to the console during error or debugging
	 * @return {void}
	 */
	$.timepicker.log = function () {
		// Older IE (9, maybe 10) throw error on accessing `window.console.log.apply`, so check first.
		if (window.console && window.console.log && window.console.log.apply) {
			window.console.log.apply(window.console, Array.prototype.slice.call(arguments));
		}
	};

	/*
	 * Add util object to allow access to private methods for testability.
	 */
	$.timepicker._util = {
		_extendRemove: extendRemove,
		_isEmptyObject: isEmptyObject,
		_convert24to12: convert24to12,
		_detectSupport: detectSupport,
		_selectLocalTimezone: selectLocalTimezone,
		_computeEffectiveSetting: computeEffectiveSetting,
		_splitDateTime: splitDateTime,
		_parseDateTimeInternal: parseDateTimeInternal
	};

	/*
	* Microsecond support
	*/
	if (!Date.prototype.getMicroseconds) {
		Date.prototype.microseconds = 0;
		Date.prototype.getMicroseconds = function () { return this.microseconds; };
		Date.prototype.setMicroseconds = function (m) {
			this.setMilliseconds(this.getMilliseconds() + Math.floor(m / 1000));
			this.microseconds = m % 1000;
			return this;
		};
	}

	/*
	* Keep up with the version
	*/
	$.timepicker.version = "1.6.3";

}));
PK�
�[� ��4assets/inc/timepicker/jquery-ui-timepicker-addon.cssnu�[���.ui-timepicker-div .ui-widget-header { margin-bottom: 8px; }
.ui-timepicker-div dl { text-align: left; }
.ui-timepicker-div dl dt { float: left; clear:left; padding: 0 0 0 5px; }
.ui-timepicker-div dl dd { margin: 0 10px 10px 40%; }
.ui-timepicker-div td { font-size: 90%; }
.ui-tpicker-grid-label { background: none; border: none; margin: 0; padding: 0; }
.ui-timepicker-div .ui_tpicker_unit_hide{ display: none; }

.ui-timepicker-div .ui_tpicker_time .ui_tpicker_time_input { background: none; color: inherit; border: none; outline: none; border-bottom: solid 1px #555; width: 95%; }
.ui-timepicker-div .ui_tpicker_time .ui_tpicker_time_input:focus { border-bottom-color: #aaa; }

.ui-timepicker-rtl{ direction: rtl; }
.ui-timepicker-rtl dl { text-align: right; padding: 0 5px 0 0; }
.ui-timepicker-rtl dl dt{ float: right; clear: right; }
.ui-timepicker-rtl dl dd { margin: 0 40% 10px 10px; }

/* Shortened version style */
.ui-timepicker-div.ui-timepicker-oneLine { padding-right: 2px; }
.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_time, 
.ui-timepicker-div.ui-timepicker-oneLine dt { display: none; }
.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_time_label { display: block; padding-top: 2px; }
.ui-timepicker-div.ui-timepicker-oneLine dl { text-align: right; }
.ui-timepicker-div.ui-timepicker-oneLine dl dd, 
.ui-timepicker-div.ui-timepicker-oneLine dl dd > div { display:inline-block; margin:0; }
.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_minute:before,
.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_second:before { content:':'; display:inline-block; }
.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_millisec:before,
.ui-timepicker-div.ui-timepicker-oneLine dl dd.ui_tpicker_microsec:before { content:'.'; display:inline-block; }
.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_unit_hide,
.ui-timepicker-div.ui-timepicker-oneLine .ui_tpicker_unit_hide:before{ display: none; }PK�
�[04�!�!assets/images/spinner@2x.gifnu�[���GIF89a((������ӊ��������������!�NETSCAPE2.0!�XMP DataXMP<?xpacket begin="" id="W5M0MpCehiHzreSzNTczkc9d"?> <x:xmpmeta xmlns:x="adobe:ns:meta/" x:xmptk="Adobe XMP Core 5.3-c011 66.145661, 2012/02/06-14:56:27        "> <rdf:RDF xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"> <rdf:Description rdf:about="" xmlns:xmpMM="http://ns.adobe.com/xap/1.0/mm/" xmlns:stRef="http://ns.adobe.com/xap/1.0/sType/ResourceRef#" xmlns:xmp="http://ns.adobe.com/xap/1.0/" xmpMM:OriginalDocumentID="xmp.did:0780117407206811822ABB14DB0B97B4" xmpMM:DocumentID="xmp.did:9ACA89C3E0CD11E29D41F19CB1586180" xmpMM:InstanceID="xmp.iid:9ACA89C2E0CD11E29D41F19CB1586180" xmp:CreatorTool="Adobe Photoshop CS6 (Macintosh)"> <xmpMM:DerivedFrom stRef:instanceID="xmp.iid:37DB416491206811822ABB14DB0B97B4" stRef:documentID="xmp.did:0780117407206811822ABB14DB0B97B4"/> </rdf:Description> </rdf:RDF> </x:xmpmeta> <?xpacket end="r"?>�������������������������������������������������������������������������������������������������������������������������������~}|{zyxwvutsrqponmlkjihgfedcba`_^]\[ZYXWVUTSRQPONMLKJIHGFEDCBA@?>=<;:9876543210/.-,+*)('&%$#"! 

	!�	,((�x��0�I��a�E0X]��@@�ι�k+DA�k�Z�E0	g�%�K2�Ce�p�b<���m��	�
_�꠮�b-<���ٌ*O�2�;
�<Rf��*x]��dz�����������g������;�
��;���;������)�8��rs����cn��v�NK�9�>7��C�$~gD��!�����	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y����3�MGW3p�@+�!�jB�υ\Li��Uhl��͗�<k���0Y���.cЦ���v��z-uz��5��6��������z��4��W�\p�$�Px����wN�%H��wV�r��GD�LC���)2�|0+ŷ��`'�)>��	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���e����G.��qC���E�c̈��)�2�XC�s%��p���aA�Q;s���]y��I5�"��>������,��-�<�5�4�-{�
p�bh��nR��V�^i��C�Q��jK)2�y0R�mgȸ+D&s�
I�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj�������2�P`^9m(*l���*@.��BI�zZ�ܖj�:\b2�ژ�`617�=�%v5F���������>��=�>�=�6�5r�
k�b��i��b��t���B�n���1}�8į�60ɷ,�(�A��	!�	,$$�x��#(a��	�!��D��e[�jCn]i<�voj��ohe<�H�LF����<IC��.���(��j9TS�k&o�cEV�����ytT�K{KG-�P6��D�Db�����-�6�5�.�-s�x�n��Q��np�u���B�F*���13�W1�����,>'`�
O}	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��cД��sTh�$A`!m�$�롘rW��35|���&��G]�`f^mjG3-~#�$�J����"��%�6�5�.�-p�y{�_a�EM��d
��r��L]�F*�~�1�~81,P0�2�='M�f�	!�	,$$�x��a(a��	�!��D��e[�jCn]iL�voj���eCb1Ǡ)��F�I5<ɪ�0�(��T;�2Ƣ�!K0N�0 ����a��$}o
q[lU
zr`�F_%��$��Z��-�=�6�5�.��x��j;�a��jp��
����UF*B��:���,T01�w(�1`G*	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#U
�du��nY�	{�~����0���E[�p���$�N!7�b|x
I|Mo|wMB�-���<�<�5�4�-f�
^�}
H�EM��~
���Y�L��h��U�02v70+P/�1˜'�)jq)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8�$Bz�E��Ka�
`�(r4E�hg�osw,RH#�h7Y��bEO�4�5�4��et�u
��EM��y
�����cL��UFA�D�)2��*�,/0�E'�9�r)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\O�l�]:�:�ѭ�
M#�
#n{}tLB>mkp+"�5�4b�e}�`H�>M����R1�h��nFA�P�)2h70|�4/�1�d'�)�v)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"n�E\��o���-e �$@]{cg�tUM�q`N"qF�#��a�-e��$`�#L��"�
m�}~�c�B����J�)2hx0�����
�>'�)v�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"�$ޛ��6}t[GvhM�bUxIn`
mnRIn@~#�UF
�e]��`H{.M�������{Ln���P�2h}0+����d'�)��)	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��cД�B#���2G�*����8����\�"�$���n�C�"nR]#kMmke�{�bP�m��Z��`�P}�M�h�`�x"��cLBqF*�h�13h81��50�2,K(̿s�	!�	,$$�x��#(a��	�!��D��e[�jCn]i<�voj��ohe<��cД�B#�<��2G�*����8����\�"�$���n;�e�c
z$kFm#kG
bhe�$bJR]&
�U�
�"`�c`zL�PGB#�
���"��w��n�A���3h81,P0�2�d(�*v�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��cД�B#�<��2G�*����8����\�"�$���n;�eٻ.nb$hGz$c�
g-�CRbe]U`
m"`�=��$L�JM%�
�QM���UY�BU�?*�hF13h8ƨ�50��#'��vG*	!�	,$$�x��a(a��	�!��D��e[�jCn]iL�voj���eCb1Ǡ)��F�I5<�j��j��C�kd�#
v�}�7Q"�Q�=߲�]-l{.d8
36cpn$f^jh-a;UL-\�JG�$a�>��7�`#���5/�
BoF1���1,T0�2�[(�*�"�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#U
�du��n�؃��d�#
~�{��P"�M�=ϲ�[,�$_{4cpMB4f^DM5aH�R�EM�=a
�,�
n<�
��YC@h.���.��E��Kq�02i7�+P/��#&�Ѷt�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"�$ޛ��n;�eٷ.~,�$^z=b<�
]CR��
HCMm,L�5e�`�K�#��<@N�B���>��4&�%�G�P70+P/�1�d'�)�s�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"�$ޛ��n;�eٷ.~,�$�#b4&�
]d@��
H=`��M�-M�
m�<R1���#LB��,FA�'���2h70���Ƙ+K'�)v�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"�$ޛ��n;�eٷ.~,�$JziaK'2Pe]4@m=`H5R1�4L�,`
b-�
�#��6��gdMB�������%�G�P70+��ʎ�d��As�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�"�$ޛ��n;�eٷ.~,�$upZb#F
2Ue]-@zC`Hm[�#R�<`�>�Q�$��4LB��d�
�%�K���P70+P/�1�d'�)v�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��cД�B#���2G�*����8����\�"�$���n;�eٻ.~-osc68
3cb"R
mJe]%GgU`�MUL�#���$��o��`
�d��bPF*Bk�1�c�1��d��,K(˾s�	!�	,$$�x��#(a��	�!��D��e[�jCn]i<�voj��ohe<��cД�B#�<��2G�*����8����\�"�$���n;�eٻ.6bZ.`fzZ.��ia/mPe]#R�V
Y�
�DL�G��C�����C�X$�[BqF*�h�13h81,����-'M�v�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��c�B#�<��2G�*����8����\�"�$���n;�eq	0mh-8Bh/Mk7bia#`
�Pe]"R�D`<��cL�EG^�
�pc��x��nF*��G3��+�601�$'��v�	!�	,$$�x��a(a��	�!��D��e[�jCn]iL�voj���eCb1Ǡ)��F�I5<�j��j��C�kd�#
v�}�7Q"�Q���!�%and$Q2{_|cT��ZC��Uf^"�
�Ua;#~�T\�yV
�l�Xy�rF*�i�:�D81,���
�/(̿t�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#U
�du��n�؃��d�#
~�{��P"�MHL�^2u|@�_%nd"R^i��_#��[I�Blf�>�daH}.M��a�o��}L�o�c[�0�d70+P/�1�e'�)w�	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8����\�",��]���2ze�l��`zv@
�c"��^"RSt#�Bn6�cb{ze]�$`H�|M���z���h}�nFA�P�)yc70+����|'�)v�)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8�����>�q�tĵ��]ODMk-�
�{}h%�B�#o+��=�<w�e��z���M���m�R1�x�v�FA�C�)2h70|�.��p�'�)u)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G�*����8l�d<z���5�I�sJD���"@
^}y,L
OyF2�bE���<�5�4��e]�|
H�>M�����w���B���l��c70+P/�1�d'�)k�)	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���<h]oh�q;b�c̔�B#�<��G]�Z���p	-�����Xo�j�H���#v
xa#g
rs�>g2s=����4�C��~�-�5Y�>
��cH�>M��o
��|��Li�FA�Z�)�j70+P/�1�<&M�r�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<��c�B#�IC�0xVGLutu~I�TF94'�}�7�3��f�n%eyg%�g��n��#��5�K��|c�.�5t�b��
��a��Z
��}�n�
B�F*���13�81,P0�2�='M��	!�	,$$�x��#(a��	�!��D��e[�jCn]i<�voj��ohe<��c�F���UhH�E`2<IAS��rW���Iv�7��4�Ҝ��>Jb
yf^u#8\�R-k�X��>����j�=�6�5�.�-}�wi�p��LZ�{��l���B�YA�S�*3��1Z�50�2,K(�*\Q�	!�	,$$�x��a(a��	�!��D��e[�jCn]i<�voj��ohe<�!�9m�L��B#@
��$����Y=pI��{\>����0h	�}z".�kz6wzM�X�X����%��~��OW�-�5�.��
s�d`��mn��R�q�z�B�F*”�13�81,����='Q�b_	!�	,$$�x��a(a��	�!��D��e[�jCn]iL�voj�o���H�lX	0� Ǡ�
hԀ}���`+r*v-��l�*����m03�+p�pgzl=�tFtl�l�d���5��6�=�6�5�.w�|p�ug��no��U�]h��
B�r��I13���o�60ɸ,>'j���	!�	,$$�x��c(a��	%�"]
�,i�
Q�4Y���Q=���$�>�C؍��$	�1f.6YhZ��7Y�*�-��L�*Ƭbl�6;Y��$tl��"��=��������D�w�x{�6p�$�-��j��fh�JV��f��a��nH�y���)2�70+����>&Vп��	!�,$$�x��c(a��	%�"]
�,i�
Q�4Y���س�MG�
0�V��l6��c̊����7Z��I{�&RUѭ	��k��
���@>���$��$������h���-��4��5�5�4�-v�~m�_d�kl�t
|�fG���
D�KC���)2�70+�/�1�R&U�P��	;PK�
�[ԋO��assets/images/spinner.gifnu�[���GIF89a���ݞ�������������뀀����!�NETSCAPE2.0!�XMP DataXMP<?xpacket begin="" id="W5M0MpCehiHzreSzNTczkc9d"?> <x:xmpmeta xmlns:x="adobe:ns:meta/" x:xmptk="Adobe XMP Core 5.3-c011 66.145661, 2012/02/06-14:56:27        "> <rdf:RDF xmlns:rdf="http://www.w3.org/1999/02/22-rdf-syntax-ns#"> <rdf:Description rdf:about="" xmlns:xmpMM="http://ns.adobe.com/xap/1.0/mm/" xmlns:stRef="http://ns.adobe.com/xap/1.0/sType/ResourceRef#" xmlns:xmp="http://ns.adobe.com/xap/1.0/" xmpMM:OriginalDocumentID="xmp.did:0780117407206811822ABB14DB0B97B4" xmpMM:DocumentID="xmp.did:9ACA89BFE0CD11E29D41F19CB1586180" xmpMM:InstanceID="xmp.iid:9ACA89BEE0CD11E29D41F19CB1586180" xmp:CreatorTool="Adobe Photoshop CS6 (Macintosh)"> <xmpMM:DerivedFrom stRef:instanceID="xmp.iid:37DB416491206811822ABB14DB0B97B4" stRef:documentID="xmp.did:0780117407206811822ABB14DB0B97B4"/> </rdf:Description> </rdf:RDF> </x:xmpmeta> <?xpacket end="r"?>�������������������������������������������������������������������������������������������������������������������������������~}|{zyxwvutsrqponmlkjihgfedcba`_^]\[ZYXWVUTSRQPONMLKJIHGFEDCBA@?>=<;:9876543210/.-,+*)('&%$#"! 

	!�	,[x���`a�o�`��A�H\'`LQv�B|���^|�_�P4�Ťg�x)���ٜ&�V��]*��뀳�4Ne
���[�-�L.�|>!�	,Px�0"&��)��C��
���F0��g���H5M�#�$��l:5̧`��L�J���D��E���`����X!�	,Px�0"F��)��C��
$PJ!n���g�ậ}����ۭ4��2�l:m�'G"�L�CZw9*e9���(=���4�$!�	,Px�0"F��)��C��E$PJ!rq�wd�1,Cw��ІFO3�m��*�ln�N��3�n(�f �	d�.��=�EC$!+!�	,Nx�0"F��)��C�č�"	��٨�������n�j��q�<*��&g"����S�Z���SL�xI��!�	,Nx�0"F��)��C�č��=�wd�FYp��F�G���3�Uq�ܤ���f"�����3'pݶ$���Xv��Ē!�	,Px�0"F��)��C�č��H~G�n���n�B@ͭ�-��'�AR����C2#�'g"�P�L���j\Nɂ�y,��HT$!�	,Ox�0"F��)��C�č��H~G����\�h7���#�|�0�R#�'g"�P\O!�)`ɜ$�C�X
�cbI!�	,Px�0"F��)��C�č��H~G�������]dn���w�$�@��=���f"�P\�إI�d\�i��y,��1�$!�	,Nx�0"F��)��C�č��H~G������ԯ�Ad�AA�_�C1��a"��h"�P\����d\N��}A��Ē!�	,Ox�0"&��)��C�č��H~G������ԯ�o��`�N��Q�<�̄ȡ���K�&`ɶ��C�X
�cbI!�	,Ox�0"F��)��C�č��H~G������ԯ��)�!��-f���&�@Bq���%`ɶ#�C�X��D�H!�	,Ox�0"F��)��C�č��H~G������ԯ����s���(	��2Lp��֬!��%`ɶ��C�X
���H!�	,Lx�0"F��)��C�č��H~G������ԯ�����\�H��f\�l����]z$��%ÒL�cq:�K!�	,Mx�0"F��)��C�č��H~G������ԯ�����WORd�I�tQ\*�5���%�rJ�cY4 ��%!�	,Lx�0"F��)��C�č��H~G������ԯ�����=��6p&���ek�F��#K���&��"K!�	,Px�0"F��)��C�č��H~G������ԯ���>
p'��ڇ��P��#z
���%n��x,��1�$!�	,Ox�0"F��)��C�č��H~G������ԯ���>
p'	n&9���0�'v�	��K�L�C�X
�cbI!�	,Px�0"F��)��C�č��H~G������ԯ�����Hp#j&����P���0�]z��Ȓ�<L�i��y,��1�$!�	,Ox�0"&��)��C�č��H~G������ԯ�����`��LF����4&B0rJE��L���C�X
�cbI!�	,Nx�0"F��)��C�č��H~G������ԯ����׏�FBr�f��B�M-U�"(�K���	��X��ג!�	,Ox�0"F��)��C�č��H~G������ԯ�����=��3�&��¥���J���`�%�ڒC�X
�ĴH!�	,Kx�0"F��)��C�č��H~G������ԯ�����N8�P��,�X�(�A�] ��3-0U�E�H��!�	,Nx�0"F��)��C�č��H~G������ԯ������E�hL��hr\(9�L� ��.�GM��=9%��,Y�i�!�	,Mx�0"F��)��C�č��H~G������ԯ���.D@P��7��%�(��%��L�cY4D�"!�	,Px�0"F��)��C�č��H~G������ԯ�����᲋����0PR���|Q���J�d\�i��y,��1�$!�	,Mx�0"F��)��C�č��H~G������ԯ���8�.�a�D�'1��ɡ����&`ɶ*�"
�t��%!�	,Lx�0"F��)��C�č��H~G������ԯc��"����@�b��,��$ʡ���K
ȒmU%���K!�	,Qx�0"&��)��C�č��H~G������D�֎�5��7ap4��G���Q5��1vI�,�WU�`hˢyL,	!�	,Px�0"F��)��C�č��H~G���D��j�1(D�:S��J`#>��t4�r(Me��	X��Jx�n<�E�)!!�	,Lx�0"F��)��C�č��H~G&
*@D(p�5����
�l^�$0��䚆	tׂ�PJ��T�,�Dzh�$�E!�	,Ox�0"F��)��C�č��3r�wdq�̚y�u�+�ʱ25�0�l��N�s4�r(���]�!��y,`GjbI!�	,Nx�0"F��)��C�č�P��&|G&L�����lB���<z.�r�1]��f"�P��ɉ|�M���Xv��Ē!�	,Px�0"F��)��C�$QJ!Qr�wdưfw[�йg��i�dD�l�^�H1Z�Q
`�w�&c�S�Z`�K)-+!�	,Px�0"F��)��C�dL'PJI
!n�w�:s�pq�N@:�HXr�Z�N�$��P9��3��"c���d�$=���1�$!�,Px�0"F��)��C�d@1p���m����p#A�<0H48�Er�\j�H��7�r(�i`E�t]�j�)z,��1�$;PK�
�[p�(͖
�
assets/images/acf-logo.pngnu�[����PNG


IHDR����^�gAMA���asRGB���gPLTEGpL;�;�<�<�;�<�<���?��;�<�;�U��;�<�H��<�;�;�<�<�;�;�<�;�;�<�<�<�<�8�;�;�;�<�;�8�;�;�<�>�<�;�;�=�;�,��<�<�9�C�;�;�;�;�E�;�<�;�;�;�?߿;�;�;�=�=�;�<�5�=�<�<�<�:�<�;�:�<�<�;�<�<�<�;�=�;�<�;�7�<�<�:�<�;�<�<�<�<�������������V����������>����������������������p��������������=����@�ݒ��e��D�B��Q��T��n��X�Ø���ѹ���������G�N�t����k�ʜ�ܢ�޴��ޗ��\��g�Ʌ����Jᆲ������L�x���������a������^������������������{��Y�ê����r����Z����������٭���������ڜ��ctRNSͅ�C�m������"�Ϩ�O3ۇ$Q�����qr1����>x�;�v����%^�	2�R�@���d�ti��!}\���4ç~T�g�I
^IDATx��CG�˙�a���>D�A	Q<@@<P�GŘ��ݭ�u
2!
!*��\�("��-JV1���lv7{�Q;0�]=S����5~R�{�>3u�z��QaAf���*��l�F�ʲ*?�.9��YP��rS^�5
�P�5%ϴ^��4sC2$Tr�9͢G�U�HH���*]A�0E�C�J�0��Ex�eP���/
:��#�P��&��v.TI�o���m1gAU�e���T]6�Q���z#����5��1���)̐��k�a@�}p���0�*��%5Q|`mK�j$cyM�=�PC%�	T'����*���@p�B�eݩ>Ǯ0��Rc�Z$�UuN�f�A�u�z�M0��dR��8TŽ��R��.�
K�
PjP���%@](A��1�
u��
���P7Zv@�PGzC�"x��J�d����Pg��-�jO��S��>�M�C�I?3f@]*���ԩ�q��+H�^�`�&�[m�@��B�Jn@����ZR�w��.Gl��A"c��i�P��&�ҭ�h5�7��8�~aK"dB��|������Y1���Cf�#2�T6�~�@��$AB�$��s�����Y`��ɀ�X�H~�g=dN�8�F�@�;0 ��AazɺlA�׉@̐I�E�{� ���,_W<� #��\VA��Þ��Z$�.H�w�d3dX��@"X��jY�,�-��RȴJC�ey��t�A���qŲm��M��2���qܽ3]�qׅ��/o{pk�I��?��"�=��N�[܂�G�wt��e�[��у�v����������K���n�~sH\����:LS�E��U\w��a;�j�W.�
��$I2A��.��e�t��g�ip�ȴOFƽ�{�^�����
�Q$ٵ�O�2��5��:��o�5A�s��I��-�׵�5|h����8w���y"(����>�HW�i�@� )�@N	K�n�J?G�k<ߪH�D�N��qa�m�+�;HA�V��L�D^t禸���Ǒ�s�?�
H���H���W���q�ߛ���&5@`!(�2���;.������q�w`�Mt�n�1V�*��@�p_ޟ��py����	�3'y����,�Ly��0��p�v��O���.0��G�9���'/�6�o�O��s����E̐��7�r������ _�k�����%�Ïў�	�����jO�Ub�������g�f7�P�ܤ�T�x�S3\s�h�j�7+*��?�]
��_�������+�2��_JO_�y����)��M4���AbdX(]ȸ3�������+��DH�w��"���E����}}�1�N��z�������V*
��#5?�;%�9xWw�M�I���S��
��ߎ.��3�5߃ڂ@z�~��>+�[�u}�L#��c�}���h[�kjݴh;�
��Y�	��c^�Ic�(��9�qcsO����A�h'�ȴ1�v��F����hCk����Ӈ�8
.���-H%�ш����2����w=�R�K�9�I1H���F�V:���c�H])� Ք+�n���v\���>"+=肄W����-u';9�8
�����)���9�#� 67�?�\Ϝ�ܪ�����@������!��D� u���Ws�5�5ײ�P�L���4��W�b�e��le �4N��i��Žy<�ω��*8袨�
������1��؟���,(�Rz^P�<\�3��ő/�0mp�7�$�&�5����,Z����8�o��j���CҀx�W�q=��@L�i�AE�:��%W�R���Rqx�W�w
 �*% �4[8�"���H�"��w�v~��)I��Ts�ď��;�Hww��G ?T��T�Ft�U4؏���%�=}!b�+I#�x6���Fq�̈.���q�.\�*�l<#�
x)�\;8�C[��G�kv �)6gN�or��0��� T�L�]�g���XƢNn��E��$֋�$�|3j{K�{ю�9����h�b�.���N�����:+9i"�E��W��[ϙ3��N=x~�Kگ%$"T6�/��^�2��k!�"L輚2/����[����X�������H�	_:��g�#��/��Q	���!��a�5�}�{�D��ߜH�8$��b�H@���*f����mlY\�}�7��c��=?	�6���U9��1q�Pnګsp1��p�4Qf�P9ܛ��։����W/%ئ�$TI�L��Mr)S��+e"��Im:ɆB&��.r�L��a��8��N�*I�B'� B$���Rm�S��4IIU*�����B:��I촅˂�Q�Z���I�
@U�ҚWu�+(��H��;�DA�! �j�G���}���!�,�Za7Z@ �S#�+a'��4�S4���H�]�h�����8���5��5끶:j���a3��k�9K]�,��H�Q�ٝ�=u��Qe4���Vl�o�P��FQ��p���F�Nϐ�W'�X�5ԓKX�yС,i��#ϓ��i�c-7�X}�#eM�3�l���.�>���r��:���l�++�S���

S��e�Ѫ�SIEND�B`�PK�
�[J&�E��assets/font/acf.woffnu�[���wOFF��GSUBX;T �%yOS/2�CV> P�cmap��t��X�cvt � �fpgm��p���Ygasp(glyf0�
�B@�head(26
x@#hhea\$+Thmtx|9P5a��loca�**�maxp�  �namer��y�postx�ѧ�\prepz��A+�x�c`d``�b0`�c`�I,�c�sq�	a�b`a��<2�1'3=���ʱ�i f��)YHx�c`dZ�8�������iC�f|�`��e`ef�
�\S^0|�c�����0
(��|mx����0[ؘ��I� �E�9O��Ȟ0ت֖VG������M�E����2��s���y�\Xi���	Ē�k�9�|�����|�@ϑg.\����<~3k?j��O�+��K�zTp�Q��[A��U�)��l{D�FQ�[l��/Y`�<2�x�c`@��?�l�x��Viw�FyI��,%-ja��i�F&l��	A�c ]�����;����_�d�s�7~Z�/$���p���w�����eZ��둔�/���&��<	�M�Q|(;{!e���Q��ڷ�DD"P���D�Y�d|�QF˶�WM�-=�.[�A�U�~:ʱ;��f3th=�%UU�H�=RҦe��+I+����W�PˆN"i���H�g��h5��(�l��(R$��Ay����	�͐�ʧ����أ�V�K���/y�w9?�_oQ��@Ȏ���t%_�[[aܴ��(Tv�wBl��T�f��F�+2�Ќ`�|�+?��!Y-�O��G�Z��A�eN�K>���)q�Y���	��3��>���)�x�zG%�)as4I�0r`%e�*����8�uZ�[�~��ї�h�Pwb<[[9Q��hR��L��Iͣ)
��t&x̯(?�I^mc5��G�8fƄD"-�KSA,;��)ͣ����v-Z���ܣ���V���S��FV�b:���i�/�i��"E��~L�A�2�-6Ô�o���ז������+�}�D���O�)	L��U�V@b�kY��լ���wC�V����rǾ�q�_33���߉ӳ#.=s�K�|�u=�ש�rqfyN�Y���4����Y���K[��,?�i��G:cyA�t���0��0��CX^�!,a�CXa�%��c�r����e��SI�ڙXlB`b���E�j*�TB�hTjC�n�TϪe�^<�9�H�Ț_1Ε�F��-o;W���o��9�R֋�?���T%�b�Ó����l'�6�xtM��U=��_TTX�H�X(ʲlpg"��:��j��C�l�<��u˚��71BP��7܃NYIY����۲�;�r8,I17�V�"#��~�Yʞ�|p�Je�j���'1��$�q[Q6H����
�y�&a�
�N�
�an�y'\�z�,��E��(��[��D��h����a��B�oq$4��~T��5�4Rn�_�ٺmB��#*vò�������m�|��գ���^�N��~f�� 51{�tq�ʻZ�2GmS��SךC�U���Q����9k�n�'z_Ӫ��\,��m�R&�a�
��ťP�e4I���P������|�+U��q$�NԷ��`��G��c�r
.���n��l�����70k��Y���t�!G����
|�qz���!�c���&���ݵ��S���9>���a�d�-�0�f��s�2��s|��u�/�� d��9�0'x�_1����a�
s�|�1s$�a����0�-^�]��AU�SOX���PSe�����A�� �����/�g����AL�Uӝ!�7^��1����L��e��|�
�]l>����@���x�mVol��7�;�w^�s�{��|ܭ�.�=����BrޜMml�了�P)�Ň�B(EUJ�*BQQ�V�E��UB�RT����/Ei�"�P�}h"��=�F�w��;o�{���!@�G��b��0 
Q��,3JȜxX�������w%T&Sb��*v?x�m�9���;a����;G�^�<ŀK�����^
�"��5Hg	���Q�W��CB�ڿ�y�udCܥ�I/ɇ=���d�y\J��#G�m�J������*�*~}ph6�-��cw�4K�y�����;ǹٙ��s7��.Ĥ�߉p��;}D�<-]�Z��H�T�\��V�R��%�ږ�S��ͳa
w�O�m�,�ݛ���%@aI�K���'J���]N:]p
�/+N?8�
�SMh.�P��Y��6`��6���fE�>p��?8�}��t��k���_��/�'�v�D�"��D/��軣�E���i�A�r��C�4��-��'�5S��J�7F�m�p�~?��G� .���d�-,K@�x�r- #���@l���.1�P0���vCM�]XA��{�v�8v�T�Jz���c�gg�gf��w�G�sz�����G�uyv#gh���]@v!�	J�_�v������R��9`>�ܯ޼Y�9�w�4��ի�σ��9F_!)�6�=.�K���E�[�m�\�BǕ+�c��G�$祁�7J�?�5~7V��#�P7��D~���^&g�X�+�O���H��è�S�Z*]�R*��
�7n����
�:>`@Ƅ�|�L&�<�q4�֟l�?@�����=�;1�$}[���'/�F˔%���\�� ��$�1-�N�H�L�'d���q��� a����4G$I��D����/�e�.%��~����_A_��A���uC�A��1��6��o����1�b�n�Pยb���g�^xv�+�8��C{�G���TXF֏kI����)$�����PZ���-!�E�7���>��;��=��0�Jnߤ�o�){:s&�s"?�w��7�K��a�ҩL�@�B�J�<U�cS+:V�������Ez	CF�	�(�sb����C�in��?���&c��TF����IKDP��سh������E&h���)�
u}�����C�8��"��ؘ����������[XZ5���3i�f$���U�#�3�2��d�
Yz��S&�s�`;5�k��4�qJ�Qm��U�szΦri�O�$e�E���W��n{����YC��n����<�m��9�����@6*���5��Y��L�=ұ���e�7^;F%`IMo�۹YY����v�k2I�Q-o$�j�0L]�>��=6���)N3��D��J�%��*�]��_Ё)���	��82/�j����|���U���F�f�Ji�f�#�U�J`��S�T��*Z�M�r�Xn�6S=_����4�x�G���#�~1�A��Ic��������y��/�2~��wְ�J�cO�f12n�x[`R�����8[Z������|ȵ���ٌnD?�K����%-�|�$��.��b���@
��#lj�����W��$Z��e&��1�V�ؔH%S�DL���z����˵0<��Z-l/��g<�h��_��w�>��B�	��1��@ђ���Q}uU�Eo����7�4G�P}��}���W	Js�?��ө��dv���pB�i�I�8�tl�!y�A쭁�N�-E7@'I�H�ɓ�o�V�sf�������B�l;��)�L�T�6��̵�\�E�WWN�5��j�µ�׀��ڙ��^=}���;v|����T���0��5*�"(2�L*+'O�N("�!�A˜�v��)7�C��#{�e�p
O%�^��LMَ[o�l�)��@��1����8
�..��dR��_�C����VҒw�Go(\��F���n�/�2�ۋ����`,yYK&����6�Q��P1bAl�?%���x�c`d``����m�2p3��0\u�s����b~��r00�D`��x�c`d``��$_���-��
���x�c~���������/P~(��b3GB�A�g���<(wȖ�`fQ�P�u8Z�Rz������^z���qd$snpx�u��J�@���&�����ͬ�EH��T��Xl�R��4ͭ��2���
\����O�AD0�L����2����{���*����|-7�O�����r����6��j��K���SF|X���\��h�s�
��&�ō�u�rK1���x���Q'QldwړÁ;���T���K��7�ҹ��Pe&HS�j��"����I�����I�0�Y�=��N�!�P����r��&�����{c
���H!��D�j��!p1"��!�Ye%��!��aϊ�tr���QF5`FJv�s�2ק���*e��V�K:E������p~���e��?g�q`�!Uüb�.�I��C򞅷��Sw���c�s�oj�q�x�m��� Fa^%�?�W]�~�2"0c�}Ӹ��a�*�jd؁C G�=JT8�θ���`ܛ��Y۴��ZR&�ʒ6�8j�v��n�ܨWAc̒��ǒ��T�5���Q�$z�gՆ�ֆ�ܹr��!7&�/�
4J��Ԩwd�</�x�c��p"(b##c_�Ɲ�X�6102h����9 ,>0��i��4'����ffp٨�����#b#s��F5oG#�CGrHHI$l�ab�����uK�F&v#�PK�
�[&pW�@@assets/font/acf.woff2nu�[���wOF2@��TV�t 	�p
�d�P6$P* ��Q���U�$�=���'�}TK�u����3g�z��ገ�	Ǿ�F��QO��k�����o��@URI�`.�j�����=��0��Y*�QWRQ&��)������=���QQ���U#�Q`�k�Z@�%B��V�9���up19i�u�{H���u�� �Q<�Z��Y��= D#?h�:��>�����Ҋ1+��5��w�q�	aXR�������vfJ�<��j����239��{7Ǜ�^I���8����ʺ
[��+M! �Ɂ�.��)�_�\�XPd������%*����#+�g�~�d���lIL��i_�`��o�	J���x6�!���'�;����y>V�	`����	�����"������ IX��dz����#�0c��@�@BJ�e*T�Q�AS�Nj���M��h:

��I�"I�HR(�"I	�$�")C�T�H�P$5(�:E���4��`e���q������%~~�ln����j5�iI~a�s��~G��M�=]���ѧn6t8�~��\��#nGG�*���'�3����4����˪�.S,�zT�bN�Q9/Fdm��$��B���[�J�㠁��\��q$h jh�5���am*��� ��b�(\��NO�Vɯ��jݺd7�y\5�)Z�Q�Q��C�ֺ<��QOG��,�F9JwOj`�/�y�tu�<�l_��%�
]� ����C���KhIn@�e
ډt�Q��"F��cSg�􋿖ҥ��+naۭ�nP6���+u�qt����<e��<��=�D"�Cs5$�1���e=U��p�蟗��9�¬�Q�`����~��\�Oo'��Q���aYs�
C���^�(
T=1%sq9Z�p6�e�r�ک�*���%���ʃ�}fw,�����F�3LӹL^iZ;	c�~�&��J|�jЀ�������ߵѴ�5���F�y�j� yZ(LW=](
P71�C�%����ID��I��H?�)n�7�����q6�&��`3l 4m�%4_*SKԫ^��;�������<w�"���:hͺ�O�{��VR=K��,��Q�.[�3��V��m�_�W�~:�
Ad�a�޵���+��>ߋFm�6�|�u�w�=癈綰�b��W���~ݾ�,�(�_w3!
�F�+�-�o��mK�իvY��K��|�w��kPH������N���k%�ݤL$T;���6�x�F򳐿�����\f�Ʀ:��rFukc>��1+�b�5�5k㱷1��`�s�3�Ҡ7��{����)��g��n�dBD�^�즙$��!P̔83\�x:�V�b�msU�u�:e�e��e�?V��t�UKgEo_��l�1��?w��=�4枃��Ά�Q۩.a��9�v�
Ϟ��`�,q	l{[),��g���f�=��r�,,���mն^��}y�$5���<h:���m{�8u�.��_W��Հ�-�CTwq�3az;^���F��ݳ'��_+���<Xc��#Vr`�5l[@M���R�ޕ0N�^��d"�"�Kŀ���+$t��3x�"�8�Q.�x��y�D�|^���H��x	@V��|��9-+��b-�:�D��!��
Q�x@��Byݣ��7��W��G�l��R�����ַ��y��ym猒�~�DXB�RE���gs&���/�;�y���E0��h��a�d��3�i�Q�OM�}��Y+������H�\�����@��1c��&�m��vwV�x��b����tb���J	�W��юVeU�n��jO�~�۱ۦ��01RD��7�oW-t�.�B-S�6d\�)�#�Hs���"i���Z�e�YjIM*�M�X�n4&֕�l�Oێ#�YS�Jq�7JH��R��$S49�o���I�P�U���%>A��!S�9ʘ��o�}0���HUf�=!%?;���Ϗ|�B���/M�nn�J�k����:TS�T"���|d�T�r�&�|��i���'7WW���Û 1�+Ʀ�՝9M�,2�/D	]
�^�.��P	
�7x�#k|{��9m��7�ny�UCw\F^3��$�3\)S/aO���<FWy%XU!�q�X��:�9Ӡt�W�o�����25�Mh0)x��~O���g�� H�
�2����̲ƔU��/��1�	�s��ϟ��'a�0�7�q�(,���O�?�:�R�]2> ���m���

E������!Ut��1i�1ѳ�#��n,��=JK���0?krI 𑿾��pṔ�Ff٠G��x#�{��#!����ͩv�t��Wp�9nqj@�7���v�T 맖�l�ƍ�k�lʟ���C=R�%-����(nxƇ7n�s�@�_ʨ�zߣX��ڠ�����LE�z|��5���t�J���V�Q�D$6�vE���k��-f�4'o�R�M�[�:N��JX>`�Q`�u�8�g-�E�G�TR�m�����×�E-��ӥ�h��Mc�t��iq~%w�%sM�Y�:�l6dUd`o�]��*��.���m�г��6���8���Qx�pHb�r��D���ڒH�(�jZ�xF..�^�^u|��/�^q�)�Nׁb�p��r�,}�Gג�p{��K�V�*�v6mx�K�E��5�G�~�����wa̲���~&���!�*��&�M�V�	���g�����D�,\���;;x�O�9'N�8�x�V�w�Cʢ��@��E�.�S����\�:O]����y� ��[6�셩����X6�B�h�-)��6,�C^���ֶ�k�������x�3����q���'�#e�n�{��'�캏�ı6zt���M�^�d����T�Z��II����((�����+�c:p2�DL�S��VӇޅ�>;3=91>2��j62�n�j����&�C��{�2Gy2�$3����7ݛ����F���N�н�/E��%�u'�8s3XO��V�f���CE�кf����j(t-�K[B N���[�9��P��9X
˺Wg���b����wu�b��{�,��? Mb���0���e.�-?�N�HBI|�d��1�q8n�ߛ��ڞ��jM��B����3%���k�V7~5���xo/b������Q���E*�h`h�2����)��<H��vb�NR86{t��Mq�݇��}���(Y�ޚ)�r��z� ��c����}赝Ivf�V���$���f=�X�b�8o=ݖ�ؓ�)AS
��ޝ�,$��Ƅ�	΄nj6����n�7�+�^�7����9^�Xݐh�}`�q�;W�C����L�E`�,�P��9��s.�JQ���Y6oc
��-�/�ٶ�#������b���ف���BX�`|��?���fPr��^~����)������������w	�J&am���wA���t|�����;?}������t���0J���	�����K����oC�2x�Ŝ�f�eΊ��+�h�{Z�q�Vd�;�/���8�S�9>�i"�ͨH�#����.-Эw$�5�"״3�?>�{{�^g9���5z�)${��ӣ�0 "��<�"�hu$��T�E#|��~�M��޶�;Z�1-�����
��5�]�[�<-Qr'gv�n��i,<#�er\yv
��M��ދ&�f	��\����]I�!s�]�!�5AR>�L4��t������:zr�.l��Ʀ�Q��Tl	U��5=	��!8�Z�D��iI�,t�sj��e��R�LN^AQ%JUTI�ʪ��Z�5kեr��P]k녩Ia%��íE��!)x>k�������Kd�J�U���jf(��Ӓ�Ǫ�Q��)�����גj�zO�fGt��c�y�h���
��wē�t�/�s"���2�_��d���5^����֓7�h�I�c�w����;2m�uJ>?<���ho��%3e�_���b�PK�
�[��_�2
2
assets/font/config.jsonnu�[���{
  "name": "acf",
  "css_prefix_text": "acf-icon-",
  "css_use_suffix": false,
  "hinting": true,
  "units_per_em": 1000,
  "ascent": 850,
  "glyphs": [
    {
      "uid": "a73c5deb486c8d66249811642e5d719a",
      "css": "sync",
      "code": 59401,
      "src": "fontawesome"
    },
    {
      "uid": "7222571caa5c15f83dcfd447c58d68d9",
      "css": "search",
      "code": 59409,
      "src": "entypo"
    },
    {
      "uid": "14017aae737730faeda4a6fd8fb3a5f0",
      "css": "check",
      "code": 59404,
      "src": "entypo"
    },
    {
      "uid": "c709da589c923ba3c2ad48d9fc563e93",
      "css": "cancel",
      "code": 59394,
      "src": "entypo"
    },
    {
      "uid": "70370693ada58ef0a60fa0984fe8d52a",
      "css": "plus",
      "code": 59392,
      "src": "entypo"
    },
    {
      "uid": "1256e3054823e304d7e452a589cf8bb8",
      "css": "minus",
      "code": 59393,
      "src": "entypo"
    },
    {
      "uid": "a42b598e4298f3319b25a2702a02e7ff",
      "css": "location",
      "code": 59396,
      "src": "entypo"
    },
    {
      "uid": "0a3192de65a73ca1501b073ad601f87d",
      "css": "arrow-combo",
      "code": 59406,
      "src": "entypo"
    },
    {
      "uid": "8704cd847a47b64265b8bb110c8b4d62",
      "css": "down",
      "code": 59397,
      "src": "entypo"
    },
    {
      "uid": "c311c48d79488965b0fab7f9cd12b6b5",
      "css": "left",
      "code": 59398,
      "src": "entypo"
    },
    {
      "uid": "749e7d90a9182938180f1d2d8c33584e",
      "css": "right",
      "code": 59399,
      "src": "entypo"
    },
    {
      "uid": "9c7ff134960bb5a82404e4aeaab366d9",
      "css": "up",
      "code": 59400,
      "src": "entypo"
    },
    {
      "uid": "6a12c2b74456ea21cc984e11dec227a1",
      "css": "globe",
      "code": 59402,
      "src": "entypo"
    },
    {
      "uid": "d10920db2e79c997c5e783279291970c",
      "css": "dot-3",
      "code": 59405,
      "src": "entypo"
    },
    {
      "uid": "1e77a2yvsq3owssduo2lcgsiven57iv5",
      "css": "pencil",
      "code": 59395,
      "src": "typicons"
    },
    {
      "uid": "8ax1xqcbzz1hobyd4i7f0unwib1bztip",
      "css": "arrow-down",
      "code": 59407,
      "src": "modernpics"
    },
    {
      "uid": "6ipws8y9gej6vbloufvhi5qux7rluf64",
      "css": "arrow-up",
      "code": 59408,
      "src": "modernpics"
    },
    {
      "uid": "a1be363d4de9be39857893d4134f6215",
      "css": "picture",
      "code": 59403,
      "src": "elusive"
    },
    {
      "uid": "e15f0d620a7897e2035c18c80142f6d9",
      "css": "link-ext",
      "code": 61582,
      "src": "fontawesome"
    }
  ]
}PK�
�[TX��  assets/font/acf.eotnu�[��� ��LPns;�acfRegularVersion 1.0acf�pGSUB �%y�TOS/2> P�PVcmap��X��tcvt �h fpgm���Y�pgasp`glyfB@�
�head
x@#6hhea+T8$hmtx5a��\Ploca��*maxp�� name�y���post��\��prep�A+���
0>latnDFLTliga��z��z��1PfEd@��R�jZR�,�z,
�N����(	

�������������������	�	�	
�
�
����
�
�
����������D�5@2opTXL	+2+"=#"4;542&�d��d�d��d��D� @TXL+2#!"43&���dd�b@Gof+%"/"'&4?'&4762762�$2��2��2��2$��2"��2��2��"2��~�> $(T@('&$#"GK�PX@HX
I@oTXLY@  &++546762'27'./7'	7'���L#�":@��A�@��B	4��?�OC�C]B��"�#N:��@�?��DN4(�@�Q�C�B����0@-DpTXL+2.546264&"�h�|@>
"VB6�h8PPpNN���VT.���Bh��|PpNNpPD@Ef+"/&476764�,�&(��(&���2&&��&&2h�@Gof+62"/&476�2&&��&&0��r$,��,$�.���T�@Gof+"'&?'&762b��0$$��$$2r�.�$,��,$D@Df+/'&4?624&(��(&�02&&��&&2���[$G]@ZC%	/G		mmkm`TXLFE&%%6%&5$
+#"&'"&=46;27267676;2+"&6?&#"+"&75>32762K$�Q�<H�	M(d7J�'k
�	MRpK�'o$�Q�<H��>9H�M$*J>
8
��MMJ>
8
��>9H�~�>!Uc�@% ZVGK�PX@&mkcHY
IK�PX@'mkkHY
I@%ooooTYMYY@YWHG86+2 4&'?362326&54>76.#.&54>7>7>327&#����r��`�| ,.">
$V�.p�($LH
^0"(4"(*BB>�b\)/J>��r���� ��*&.B,@D P<, p�h
B:4PT,@ T8"6 

"(
��D,
���R@O

	Gm^`RVJ	+!%!!57462"&�dP��Z�f��d0&!20"%2DD��N���;�V#���%20&!02����@	Ef+3"/&>>#�"�,:v(6��$�8$��6�� ��:@7TXL
	
	
	+2"&46!2"&46!2"&46n.@@\@@�.@BXB@�.@@\@@�@ZBBZ@@ZBBZ@@ZBBZ@�j�R@of+!!��4���R����nK@Df+	���K�'�K@Ef+5	
r�'��"�,@)G`TXL'+%/#"&6 %264&".$ �JR����.���~��~N".  �*����XJ�X�~��~���R'?D@A(7.!Gmk`\I:%56%3+#!"&5467!2#!"!26=46;2/"/&47'&463!2^C�0C^^C�

�w%46$�%4
$
�b��@lbL�C^^C�B^
$
4%�0%46$�

��b��@lb�;sn_<���A~A�A~A��j�RR�j�����DD���DUT��DY��������8Z�Rz������^z���qd$snp�558?BEP
+S~	j�	�					1	
V7	&�Copyright (C) 2017 by original authors @ fontello.comacfRegularacfacfVersion 1.0acfGenerated by svg2ttf from Fontello project.http://fontello.comCopyright (C) 2017 by original authors @ fontello.comacfRegularacfacfVersion 1.0acfGenerated by svg2ttf from Fontello project.http://fontello.com
	

plusminuscancelpencillocationdownleftrightupsyncglobepicturecheckdot-3arrow-combo
arrow-downarrow-upsearchlink-ext��R�jR�j�, �UXEY  K�QK�SZX�4�(Y`f �UX�%a�cc#b!!�Y�C#D�C`B-�,� `f-�, d ��P�&Z�(
CEcER[X!#!�X �PPX!�@Y �8PX!�8YY �
CEcEad�(PX!�
CEcE �0PX!�0Y ��PX f ��a �
PX` � PX!�
` �6PX!�6``YYY�+YY#�PXeYY-�, E �%ad �CPX�#B�#B!!Y�`-�,#!#! d�bB �#B�
CEc�
C�`Ec�*! �C � ��+�0%�&QX`PaRYX#Y! �@SX�+!�@Y#�PXeY-�,�C+�C`B-�,�#B# �#Ba�bf�c�`�*-�,  E �Cc�b �PX�@`Yf�c`D�`-�,�CEB*!�C`B-�	,�C#D�C`B-�
,  E �+#�C�%` E�#a d � PX!��0PX� �@YY#�PXeY�%#aDD�`-�,  E �+#�C�%` E�#a d�$PX��@Y#�PXeY�%#aDD�`-�, �#B�
EX!#!Y*!-�
,�E�daD-�,�`  �CJ�PX �#BY�
CJ�RX �
#BY-�, �bf�c �c�#a�C` �` �#B#-�,KTX�dDY$�
e#x-�,KQXKSX�dDY!Y$�e#x-�,�CUX�C�aB�+Y�C�%B�%B�
%B�# �%PX�C`�%B�� �#a�*!#�a �#a�*!�C`�%B�%a�*!Y�CG�
CG`�b �PX�@`Yf�c �Cc�b �PX�@`Yf�c`�#D�C�>�C`B-�,�ETX�#B E�#B�
#�`B `�a�BB�`�+�r+"Y-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�	+-�,�
+�ETX�#B E�#B�
#�`B `�a�BB�`�+�r+"Y-�,�+-� ,�+-�!,�+-�",�+-�#,�+-�$,�+-�%,�+-�&,�+-�',�+-�(,�	+-�), <�`-�*, `�` C#�`C�%a�`�)*!-�+,�*+�**-�,,  G  �Cc�b �PX�@`Yf�c`#a8# �UX G  �Cc�b �PX�@`Yf�c`#a8!Y-�-,�ETX��,*�0"Y-�.,�
+�ETX��,*�0"Y-�/, 5�`-�0,�Ec�b �PX�@`Yf�c�+�Cc�b �PX�@`Yf�c�+��D>#8�/*-�1, < G �Cc�b �PX�@`Yf�c`�Ca8-�2,.<-�3, < G �Cc�b �PX�@`Yf�c`�Ca�Cc8-�4,�% . G�#B�%I��G#G#a Xb!Y�#B�3*-�5,��%�%G#G#a�	C+e�.#  <�8-�6,��%�% .G#G#a �#B�	C+ �`PX �@QX�  �&YBB# �C �#G#G#a#F`�C�b �PX�@`Yf�c` �+ ��a �C`d#�CadPX�Ca�C`Y�%�b �PX�@`Yf�ca#  �&#Fa8#�CF�%�CG#G#a` �C�b �PX�@`Yf�c`# �+#�C`�+�%a�%�b �PX�@`Yf�c�&a �%`d#�%`dPX!#!Y#  �&#Fa8Y-�7,�   �& .G#G#a#<8-�8,� �#B   F#G�+#a8-�9,��%�%G#G#a�TX. <#!�%�%G#G#a �%�%G#G#a�%�%I�%a�cc# Xb!Yc�b �PX�@`Yf�c`#.#  <�8#!Y-�:,� �C .G#G#a `� `f�b �PX�@`Yf�c#  <�8-�;,# .F�%FRX <Y.�++-�<,# .F�%FPX <Y.�++-�=,# .F�%FRX <Y# .F�%FPX <Y.�++-�>,�5+# .F�%FRX <Y.�++-�?,�6+�  <�#B�8# .F�%FRX <Y.�++�C.�++-�@,��%�& .G#G#a�	C+# < .#8�++-�A,�%B��%�% .G#G#a �#B�	C+ �`PX �@QX�  �&YBB# G�C�b �PX�@`Yf�c` �+ ��a �C`d#�CadPX�Ca�C`Y�%�b �PX�@`Yf�ca�%Fa8# <#8!  F#G�+#a8!Y�++-�B,�5+.�++-�C,�6+!#  <�#B#8�++�C.�++-�D,� G�#B�.�1*-�E,� G�#B�.�1*-�F,��2*-�G,�4*-�H,�E# . F�#a8�++-�I,�#B�H+-�J,�A+-�K,�A+-�L,�A+-�M,�A+-�N,�B+-�O,�B+-�P,�B+-�Q,�B+-�R,�>+-�S,�>+-�T,�>+-�U,�>+-�V,�@+-�W,�@+-�X,�@+-�Y,�@+-�Z,�C+-�[,�C+-�\,�C+-�],�C+-�^,�?+-�_,�?+-�`,�?+-�a,�?+-�b,�7+.�++-�c,�7+�;+-�d,�7+�<+-�e,��7+�=+-�f,�8+.�++-�g,�8+�;+-�h,�8+�<+-�i,�8+�=+-�j,�9+.�++-�k,�9+�;+-�l,�9+�<+-�m,�9+�=+-�n,�:+.�++-�o,�:+�;+-�p,�:+�<+-�q,�:+�=+-�r,�	EX!#!YB+�e�$Px�0-K��RX��Y��cp�B�*�B�
*�B�*�B��	*�B�@	*�D�$�QX�@�X�dD�&�QX��@�cTX�DYYYY�*������DPK�
�[�Ƕ��assets/font/acf.svgnu�[���<?xml version="1.0" standalone="no"?>
<!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg xmlns="http://www.w3.org/2000/svg">
<metadata>Copyright (C) 2017 by original authors @ fontello.com</metadata>
<defs>
<font id="acf" horiz-adv-x="1000" >
<font-face font-family="acf" font-weight="400" font-stretch="normal" units-per-em="1000" ascent="850" descent="-150" />
<missing-glyph horiz-adv-x="1000" />
<glyph glyph-name="plus" unicode="&#xe800;" d="M550 400q30 0 30-50t-30-50l-210 0 0-210q0-30-50-30t-50 30l0 210-210 0q-30 0-30 50t30 50l210 0 0 210q0 30 50 30t50-30l0-210 210 0z" horiz-adv-x="580" />

<glyph glyph-name="minus" unicode="&#xe801;" d="M550 400q30 0 30-50t-30-50l-520 0q-30 0-30 50t30 50l520 0z" horiz-adv-x="580" />

<glyph glyph-name="cancel" unicode="&#xe802;" d="M452 194q18-18 18-43t-18-43q-18-16-43-16t-43 16l-132 152-132-152q-18-16-43-16t-43 16q-16 18-16 43t16 43l138 156-138 158q-16 18-16 43t16 43q18 16 43 16t43-16l132-152 132 152q18 16 43 16t43-16q18-18 18-43t-18-43l-138-158z" horiz-adv-x="470" />

<glyph glyph-name="pencil" unicode="&#xe803;" d="M938 605q22-22 22-55t-22-55l-570-570q-22-21-60-38t-73-17l-235 0 0 234q0 35 17 74t38 60l570 570q23 22 55 22t55-22z m-794-426l65-64 431 433-64 63z m91-205q14 0 33 8-10 10-27 26t-50 50-56 56l-22 22q-9-21-9-32l0-78 52-52 79 0z m74 40l432 432-63 64-433-431z m469 469l67 67-165 165-67-66z" horiz-adv-x="960" />

<glyph glyph-name="location" unicode="&#xe804;" d="M250 750q104 0 177-73t73-177q0-106-62-243t-126-223l-62-84q-10 12-27 35t-60 89-76 130-60 147-27 149q0 104 73 177t177 73z m0-388q56 0 96 40t40 96-40 95-96 39-95-39-39-95 39-96 95-40z" horiz-adv-x="500" />

<glyph glyph-name="down" unicode="&#xe805;" d="M564 422l-234-224q-18-18-40-18t-40 18l-234 224q-16 16-16 41t16 41q38 38 78 0l196-188 196 188q40 38 78 0 16-16 16-41t-16-41z" horiz-adv-x="580" />

<glyph glyph-name="left" unicode="&#xe806;" d="M242 626q14 16 39 16t41-16q38-36 0-80l-186-196 186-194q38-44 0-80-16-16-40-16t-40 16l-226 236q-16 16-16 38 0 24 16 40 206 214 226 236z" horiz-adv-x="341" />

<glyph glyph-name="right" unicode="&#xe807;" d="M98 626l226-236q16-16 16-40 0-22-16-38l-226-236q-16-16-40-16t-40 16q-36 36 0 80l186 194-186 196q-36 44 0 80 16 16 41 16t39-16z" horiz-adv-x="340" />

<glyph glyph-name="up" unicode="&#xe808;" d="M564 280q16-16 16-41t-16-41q-38-38-78 0l-196 188-196-188q-40-38-78 0-16 16-16 41t16 41l234 224q16 16 40 16t40-16z" horiz-adv-x="580" />

<glyph glyph-name="sync" unicode="&#xe809;" d="M843 261q0-3 0-4-36-150-150-243t-267-93q-81 0-157 31t-136 88l-72-72q-11-11-25-11t-25 11-11 25v250q0 14 11 25t25 11h250q14 0 25-11t10-25-10-25l-77-77q40-36 90-57t105-20q74 0 139 37t104 99q6 10 30 66 4 13 16 13h107q8 0 13-6t5-12z m14 446v-250q0-14-10-25t-26-11h-250q-14 0-25 11t-10 25 10 25l77 77q-82 77-194 77-75 0-140-37t-104-99q-6-10-29-66-5-13-17-13h-111q-7 0-13 6t-5 12v4q36 150 151 243t268 93q81 0 158-31t137-88l72 72q11 11 25 11t26-11 10-25z" horiz-adv-x="857.1" />

<glyph glyph-name="globe" unicode="&#xe80a;" d="M480 830q200 0 340-141t140-339q0-200-140-340t-340-140q-198 0-339 140t-141 340q0 198 141 339t339 141z m410-480q0 132-78 239t-202 149q-18-24-16-32 4-38 18-51t30-7l32 12t20 2q22-24 0-47t-45-56-1-77q34-64 96-64 28-2 43-36t17-66q10-80-14-140-22-44 14-76 86 112 86 250z m-466 404q-112-14-199-84t-127-174q6 0 22-2t28-3 26-4 24-8 12-13q4-12-14-45t-18-61q0-30 38-56t38-46q0-28 8-68t8-44q0-12 36-54t52-42q10 0 11 22t-2 54-3 40q0 32 14 74 12 42 59 70t55 46q16 34 9 61t-17 43-34 28-41 17-37 9-22 4q-16 6-42 7t-36-3-27 11-17 29q0 10 15 27t35 37 28 30q8 14 17 21t22 16 27 21q4 4 25 17t27 23z m-72-794q66-20 128-20 128 0 226 68-26 44-118 34-24-2-65-17t-47-17q-74-16-76-16-12-2-26-14t-22-18z" horiz-adv-x="960" />

<glyph glyph-name="picture" unicode="&#xe80b;" d="M0-68l0 836 1000 0 0-836-1000 0z m76 78l848 0 0 680-848 0 0-680z m90 80l0 59 150 195 102-86 193 291 223-228 0-231-668 0z m0 416q0 37 24 62t62 24q33 0 58-24t24-62q0-33-24-57t-58-25q-37 0-62 25t-24 57z" horiz-adv-x="1000" />

<glyph glyph-name="check" unicode="&#xe80c;" d="M249 0q-34 0-56 28l-180 236q-16 24-12 52t26 46 51 14 47-28l118-154 296 474q16 24 43 30t53-8q24-16 30-43t-8-53l-350-560q-20-32-56-32z" horiz-adv-x="667" />

<glyph glyph-name="dot-3" unicode="&#xe80d;" d="M110 460q46 0 78-32t32-78q0-44-32-77t-78-33-78 33-32 77q0 46 32 78t78 32z m350 0q46 0 78-32t32-78q0-44-33-77t-77-33-77 33-33 77q0 46 32 78t78 32z m350 0q46 0 78-32t32-78q0-44-32-77t-78-33-78 33-32 77q0 46 32 78t78 32z" horiz-adv-x="920" />

<glyph glyph-name="arrow-combo" unicode="&#xe80e;" d="M230 850l230-364-460 0z m0-1000l-230 366 460 0z" horiz-adv-x="460" />

<glyph glyph-name="arrow-down" unicode="&#xe80f;" d="M540 587l-269-473-271 473 540 0z" horiz-adv-x="540" />

<glyph glyph-name="arrow-up" unicode="&#xe810;" d="M0 114l269 473 271-473-540 0z" horiz-adv-x="540" />

<glyph glyph-name="search" unicode="&#xe811;" d="M772 78q30-34 6-62l-46-46q-36-32-68 0l-190 190q-74-42-156-42-128 0-223 95t-95 223 90 219 218 91 224-95 96-223q0-88-46-162z m-678 358q0-88 68-156t156-68 151 63 63 153q0 88-68 155t-156 67-151-63-63-151z" horiz-adv-x="789" />

<glyph glyph-name="link-ext" unicode="&#xf08e;" d="M786 332v-178q0-67-47-114t-114-47h-464q-67 0-114 47t-47 114v464q0 66 47 113t114 48h393q7 0 12-5t5-13v-36q0-8-5-13t-12-5h-393q-37 0-63-26t-27-63v-464q0-37 27-63t63-27h464q37 0 63 27t26 63v178q0 8 5 13t13 5h36q8 0 13-5t5-13z m214 482v-285q0-15-11-25t-25-11-25 11l-98 98-364-364q-5-6-13-6t-12 6l-64 64q-6 5-6 12t6 13l364 364-98 98q-11 11-11 25t11 25 25 11h285q15 0 25-11t11-25z" horiz-adv-x="1000" />
</font>
</defs>
</svg>PK�
�[��-<<assets/font/README.txtnu�[���This webfont is generated by http://fontello.com open source project.


================================================================================
Please, note, that you should obey original font licenses, used to make this
webfont pack. Details available in LICENSE.txt file.

- Usually, it's enough to publish content of LICENSE.txt file somewhere on your
  site in "About" section.

- If your project is open-source, usually, it will be ok to make LICENSE.txt
  file publicly available in your repository.

- Fonts, used in Fontello, don't require a clickable link on your site.
  But any kind of additional authors crediting is welcome.
================================================================================


Comments on archive content
---------------------------

- /font/* - fonts in different formats

- /css/*  - different kinds of css, for all situations. Should be ok with 
  twitter bootstrap. Also, you can skip <i> style and assign icon classes
  directly to text elements, if you don't mind about IE7.

- demo.html - demo file, to show your webfont content

- LICENSE.txt - license info about source fonts, used to build your one.

- config.json - keeps your settings. You can import it back into fontello
  anytime, to continue your work


Why so many CSS files ?
-----------------------

Because we like to fit all your needs :)

- basic file, <your_font_name>.css - is usually enough, it contains @font-face
  and character code definitions

- *-ie7.css - if you need IE7 support, but still don't wish to put char codes
  directly into html

- *-codes.css and *-ie7-codes.css - if you like to use your own @font-face
  rules, but still wish to benefit from css generation. That can be very
  convenient for automated asset build systems. When you need to update font -
  no need to manually edit files, just override old version with archive
  content. See fontello source code for examples.

- *-embedded.css - basic css file, but with embedded WOFF font, to avoid
  CORS issues in Firefox and IE9+, when fonts are hosted on the separate domain.
  We strongly recommend to resolve this issue by `Access-Control-Allow-Origin`
  server headers. But if you ok with dirty hack - this file is for you. Note,
  that data url moved to separate @font-face to avoid problems with <IE9, when
  string is too long.

- animate.css - use it to get ideas about spinner rotation animation.


Attention for server setup
--------------------------

You MUST setup server to reply with proper `mime-types` for font files -
otherwise some browsers will fail to show fonts.

Usually, `apache` already has necessary settings, but `nginx` and other
webservers should be tuned. Here is list of mime types for our file extensions:

- `application/vnd.ms-fontobject` - eot
- `application/x-font-woff` - woff
- `application/x-font-ttf` - ttf
- `image/svg+xml` - svg
PK�
�[}�=[��assets/font/acf.ttfnu�[����pGSUB �%y�TOS/2> P�PVcmap��X��tcvt �h fpgm���Y�pgasp`glyfB@�
�head
x@#6hhea+T8$hmtx5a��\Ploca��*maxp�� name�y���post��\��prep�A+���
0>latnDFLTliga��z��z��1PfEd@��R�jZR�,�z,
�N����(	

�������������������	�	�	
�
�
����
�
�
����������D�5@2opTXL	+2+"=#"4;542&�d��d�d��d��D� @TXL+2#!"43&���dd�b@Gof+%"/"'&4?'&4762762�$2��2��2��2$��2"��2��2��"2��~�> $(T@('&$#"GK�PX@HX
I@oTXLY@  &++546762'27'./7'	7'���L#�":@��A�@��B	4��?�OC�C]B��"�#N:��@�?��DN4(�@�Q�C�B����0@-DpTXL+2.546264&"�h�|@>
"VB6�h8PPpNN���VT.���Bh��|PpNNpPD@Ef+"/&476764�,�&(��(&���2&&��&&2h�@Gof+62"/&476�2&&��&&0��r$,��,$�.���T�@Gof+"'&?'&762b��0$$��$$2r�.�$,��,$D@Df+/'&4?624&(��(&�02&&��&&2���[$G]@ZC%	/G		mmkm`TXLFE&%%6%&5$
+#"&'"&=46;27267676;2+"&6?&#"+"&75>32762K$�Q�<H�	M(d7J�'k
�	MRpK�'o$�Q�<H��>9H�M$*J>
8
��MMJ>
8
��>9H�~�>!Uc�@% ZVGK�PX@&mkcHY
IK�PX@'mkkHY
I@%ooooTYMYY@YWHG86+2 4&'?362326&54>76.#.&54>7>7>327&#����r��`�| ,.">
$V�.p�($LH
^0"(4"(*BB>�b\)/J>��r���� ��*&.B,@D P<, p�h
B:4PT,@ T8"6 

"(
��D,
���R@O

	Gm^`RVJ	+!%!!57462"&�dP��Z�f��d0&!20"%2DD��N���;�V#���%20&!02����@	Ef+3"/&>>#�"�,:v(6��$�8$��6�� ��:@7TXL
	
	
	+2"&46!2"&46!2"&46n.@@\@@�.@BXB@�.@@\@@�@ZBBZ@@ZBBZ@@ZBBZ@�j�R@of+!!��4���R����nK@Df+	���K�'�K@Ef+5	
r�'��"�,@)G`TXL'+%/#"&6 %264&".$ �JR����.���~��~N".  �*����XJ�X�~��~���R'?D@A(7.!Gmk`\I:%56%3+#!"&5467!2#!"!26=46;2/"/&47'&463!2^C�0C^^C�

�w%46$�%4
$
�b��@lbL�C^^C�B^
$
4%�0%46$�

��b��@lb�;sn_<���A~A�A~A��j�RR�j�����DD���DUT��DY��������8Z�Rz������^z���qd$snp�558?BEP
+S~	j�	�					1	
V7	&�Copyright (C) 2017 by original authors @ fontello.comacfRegularacfacfVersion 1.0acfGenerated by svg2ttf from Fontello project.http://fontello.comCopyright (C) 2017 by original authors @ fontello.comacfRegularacfacfVersion 1.0acfGenerated by svg2ttf from Fontello project.http://fontello.com
	

plusminuscancelpencillocationdownleftrightupsyncglobepicturecheckdot-3arrow-combo
arrow-downarrow-upsearchlink-ext��R�jR�j�, �UXEY  K�QK�SZX�4�(Y`f �UX�%a�cc#b!!�Y�C#D�C`B-�,� `f-�, d ��P�&Z�(
CEcER[X!#!�X �PPX!�@Y �8PX!�8YY �
CEcEad�(PX!�
CEcE �0PX!�0Y ��PX f ��a �
PX` � PX!�
` �6PX!�6``YYY�+YY#�PXeYY-�, E �%ad �CPX�#B�#B!!Y�`-�,#!#! d�bB �#B�
CEc�
C�`Ec�*! �C � ��+�0%�&QX`PaRYX#Y! �@SX�+!�@Y#�PXeY-�,�C+�C`B-�,�#B# �#Ba�bf�c�`�*-�,  E �Cc�b �PX�@`Yf�c`D�`-�,�CEB*!�C`B-�	,�C#D�C`B-�
,  E �+#�C�%` E�#a d � PX!��0PX� �@YY#�PXeY�%#aDD�`-�,  E �+#�C�%` E�#a d�$PX��@Y#�PXeY�%#aDD�`-�, �#B�
EX!#!Y*!-�
,�E�daD-�,�`  �CJ�PX �#BY�
CJ�RX �
#BY-�, �bf�c �c�#a�C` �` �#B#-�,KTX�dDY$�
e#x-�,KQXKSX�dDY!Y$�e#x-�,�CUX�C�aB�+Y�C�%B�%B�
%B�# �%PX�C`�%B�� �#a�*!#�a �#a�*!�C`�%B�%a�*!Y�CG�
CG`�b �PX�@`Yf�c �Cc�b �PX�@`Yf�c`�#D�C�>�C`B-�,�ETX�#B E�#B�
#�`B `�a�BB�`�+�r+"Y-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�+-�,�	+-�,�
+�ETX�#B E�#B�
#�`B `�a�BB�`�+�r+"Y-�,�+-� ,�+-�!,�+-�",�+-�#,�+-�$,�+-�%,�+-�&,�+-�',�+-�(,�	+-�), <�`-�*, `�` C#�`C�%a�`�)*!-�+,�*+�**-�,,  G  �Cc�b �PX�@`Yf�c`#a8# �UX G  �Cc�b �PX�@`Yf�c`#a8!Y-�-,�ETX��,*�0"Y-�.,�
+�ETX��,*�0"Y-�/, 5�`-�0,�Ec�b �PX�@`Yf�c�+�Cc�b �PX�@`Yf�c�+��D>#8�/*-�1, < G �Cc�b �PX�@`Yf�c`�Ca8-�2,.<-�3, < G �Cc�b �PX�@`Yf�c`�Ca�Cc8-�4,�% . G�#B�%I��G#G#a Xb!Y�#B�3*-�5,��%�%G#G#a�	C+e�.#  <�8-�6,��%�% .G#G#a �#B�	C+ �`PX �@QX�  �&YBB# �C �#G#G#a#F`�C�b �PX�@`Yf�c` �+ ��a �C`d#�CadPX�Ca�C`Y�%�b �PX�@`Yf�ca#  �&#Fa8#�CF�%�CG#G#a` �C�b �PX�@`Yf�c`# �+#�C`�+�%a�%�b �PX�@`Yf�c�&a �%`d#�%`dPX!#!Y#  �&#Fa8Y-�7,�   �& .G#G#a#<8-�8,� �#B   F#G�+#a8-�9,��%�%G#G#a�TX. <#!�%�%G#G#a �%�%G#G#a�%�%I�%a�cc# Xb!Yc�b �PX�@`Yf�c`#.#  <�8#!Y-�:,� �C .G#G#a `� `f�b �PX�@`Yf�c#  <�8-�;,# .F�%FRX <Y.�++-�<,# .F�%FPX <Y.�++-�=,# .F�%FRX <Y# .F�%FPX <Y.�++-�>,�5+# .F�%FRX <Y.�++-�?,�6+�  <�#B�8# .F�%FRX <Y.�++�C.�++-�@,��%�& .G#G#a�	C+# < .#8�++-�A,�%B��%�% .G#G#a �#B�	C+ �`PX �@QX�  �&YBB# G�C�b �PX�@`Yf�c` �+ ��a �C`d#�CadPX�Ca�C`Y�%�b �PX�@`Yf�ca�%Fa8# <#8!  F#G�+#a8!Y�++-�B,�5+.�++-�C,�6+!#  <�#B#8�++�C.�++-�D,� G�#B�.�1*-�E,� G�#B�.�1*-�F,��2*-�G,�4*-�H,�E# . F�#a8�++-�I,�#B�H+-�J,�A+-�K,�A+-�L,�A+-�M,�A+-�N,�B+-�O,�B+-�P,�B+-�Q,�B+-�R,�>+-�S,�>+-�T,�>+-�U,�>+-�V,�@+-�W,�@+-�X,�@+-�Y,�@+-�Z,�C+-�[,�C+-�\,�C+-�],�C+-�^,�?+-�_,�?+-�`,�?+-�a,�?+-�b,�7+.�++-�c,�7+�;+-�d,�7+�<+-�e,��7+�=+-�f,�8+.�++-�g,�8+�;+-�h,�8+�<+-�i,�8+�=+-�j,�9+.�++-�k,�9+�;+-�l,�9+�<+-�m,�9+�=+-�n,�:+.�++-�o,�:+�;+-�p,�:+�<+-�q,�:+�=+-�r,�	EX!#!YB+�e�$Px�0-K��RX��Y��cp�B�*�B�
*�B�*�B��	*�B�@	*�D�$�QX�@�X�dD�&�QX��@�cTX�DYYYY�*������DPK�
�[,D���assets/font/LICENSE.txtnu�[���Font license info


## Entypo

   Copyright (C) 2012 by Daniel Bruce

   Author:    Daniel Bruce
   License:   SIL (http://scripts.sil.org/OFL)
   Homepage:  http://www.entypo.com


## Typicons

   (c) Stephen Hutchings 2012

   Author:    Stephen Hutchings
   License:   SIL (http://scripts.sil.org/OFL)
   Homepage:  http://typicons.com/


## Font Awesome

   Copyright (C) 2016 by Dave Gandy

   Author:    Dave Gandy
   License:   SIL ()
   Homepage:  http://fortawesome.github.com/Font-Awesome/


## Elusive

   Copyright (C) 2013 by Aristeides Stathopoulos

   Author:    Aristeides Stathopoulos
   License:   SIL (http://scripts.sil.org/OFL)
   Homepage:  http://aristeides.com/


## Modern Pictograms

   Copyright (c) 2012 by John Caserta. All rights reserved.

   Author:    John Caserta
   License:   SIL (http://scripts.sil.org/OFL)
   Homepage:  http://thedesignoffice.org/project/modern-pictograms/


PK�
�[h�9g6g6
readme.txtnu�[���=== Advanced Custom Fields Pro ===
Contributors: elliotcondon
Tags: acf, advanced, custom, field, fields, form, repeater, content
Requires at least: 4.7.0
Tested up to: 5.3.0
Requires PHP: 5.4
License: GPLv2 or later
License URI: https://www.gnu.org/licenses/gpl-2.0.html

Customize WordPress with powerful, professional and intuitive fields.

== Description ==

Use the Advanced Custom Fields plugin to take full control of your WordPress edit screens & custom field data.

**Add fields on demand.** Our field builder allows you to quickly and easily add fields to WP edit screens with only the click of a few buttons!

**Add them anywhere.** Fields can be added all over WP including posts, users, taxonomy terms, media, comments and even custom options pages!

**Show them everywhere.** Load and display your custom field values in any theme template file with our hassle free developer friendly functions!

= Features =
* Simple & Intuitive
* Powerful Functions
* Over 30 Field Types
* Extensive Documentation
* Millions of Users

= Links =
* [Website](https://www.advancedcustomfields.com)
* [Documentation](https://www.advancedcustomfields.com/resources/)
* [Support](https://support.advancedcustomfields.com)
* [ACF PRO](https://www.advancedcustomfields.com/pro/)

= PRO =
The Advanced Custom Fields plugin is also available in a professional version which includes more fields, more functionality, and more flexibility! [Learn more](https://www.advancedcustomfields.com/pro/)


== Installation ==

From your WordPress dashboard

1. **Visit** Plugins > Add New
2. **Search** for "Advanced Custom Fields"
3. **Activate** Advanced Custom Fields from your Plugins page
4. **Click** on the new menu item "Custom Fields" and create your first Custom Field Group!
5. **Read** the documentation to [get started](https://www.advancedcustomfields.com/resources/getting-started-with-acf/)


== Frequently Asked Questions ==

= What kind of support do you provide? =

**Help Desk.** Support is currently provided via our email help desk. Questions are generally answered within 24 hours, with the exception of weekends and holidays. We answer questions related to ACF, its usage and provide minor customization guidance. We cannot guarantee support for questions which include custom theme code, or 3rd party plugin conflicts & compatibility. [Open a Support Ticket](https://www.advancedcustomfields.com/support/)

**Support Forums.** Our Community Forums provide a great resource for searching and finding previously answered and asked support questions. You may create a new thread on these forums, however, it is not guaranteed that you will receive an answer from our support team. This is more of an area for developers to talk to one another, post ideas, plugins and provide basic help. [View the Support Forum](https://support.advancedcustomfields.com/)


== Screenshots ==

1. Simple & Intuitive

2. Made for developers

3. All about fields


== Changelog ==

= 5.8.8 =
*Release Date - 4 March 2020*

* Fix - Fixed bug in `have_rows()` function causing a PHP warning when no value is found.
* Fix - Fixed bug in Google Maps field causing marker to snap to nearest address.
* Fix - Avoid Nav Menu items displaying twice in WordPress 5.4.
* Tweak - Added place name data to Google Maps field value.
* Tweak - Improved performance of PHP registered fields.
* Dev - Added new "acf/prepare_field_group_for_import" filter.
* i18n - Added Traditional Chinese translation thanks to Audi Lu.
* i18n - Added Catalan translation thanks to Jordi Tarrida.
* i18n - Updated French translation thanks to Maxime Bernard-Jacquet & Bérenger Zyla.

= 5.8.7 =
*Release Date - 12 November 2019*

* New - Updated admin CSS for new WordPress 5.3 styling.
* Fix - Fixed various issues affecting dynamic metaboxes in the block editor (requires WordPress 5.3)
* Fix - Fixed performance issue when checking network sites for upgrades.
* Fix - Fixed Select2 clones appearing after duplicating a Relationship field.
* Tweak - Repeater field "Add row" icons will now hide when maximum rows are reached.
* Tweak - Removed ACF Blocks keyword limit for later versions of Gutenberg.

= 5.8.6 =
*Release Date - 24 October 2019*

* New - Added more data to Google Maps field value including place_id, street_name, country and more.
* Fix - Fixed bug in Gallery field incorrectly displaying .pdf attachments as icons.
* Fix - Fixed bug in Checkbox field missing "selected" class after "Toggle All".
* Dev - Added compatibility for Attachments in the Post Taxonomy location rule.
* Dev - Added missing return statement from `acf_get_form()` function.
* Dev - Added "google_map_result" JS filter.

= 5.8.5 =
*Release Date - 8 October 2019*

* New - Added new choice "Add" to the User Form location rule.
* New - Optimized `acf_form()` logic when used in combination with `acf_register_form()`.
* Fix - Fixed bug causing incorrect field order after sync.
* Fix - Fixed bug reverting the first field type to Text in Firefox version 69.0.1.
* Fix - Fixed bug causing tinymce issues when changing between block modes.
* Fix - Fixed bug preventing block registration when category does not exist.
* Fix - Fixed bug preventing block registration when no icon is declared.
* Dev - Added RegExp compatibility for innerBlocks.

= 5.8.4 =
*Release Date - 3 September 2019*

* New - Optimized Relationship field by delaying AJAX call until UI is visible.
* Fix - Fixed bug incorrectly escaping HTML in the Link field title.
* Fix - Fixed bug showing Discussion and Comment metaboxes for newly imported field groups.
* Fix - Fixed PHP warning when loading meta from Post 0.
* Dev - Ensure Checkbox field value is an array even when empty.
* Dev - Added new `ACF_MAJOR_VERSION` constant.

= 5.8.3 =
*Release Date - 7 August 2019*

* Tweak - Changed Options Page location rules to show "page_title" instead of "menu_title".
* Fix - Fixed bug causing Textarea field to incorrectly validate maxlength.
* Fix - Fixed bug allowing Range field values outside of the min and max settings.
* Fix - Fixed bug in block RegExp causing some blocks to miss the "acf/pre_save_block" filter.
* Dev - Added `$block_type` parameter to block settings "enqueue_assets" callback.
* i18n - Added French Canadian language thanks to Bérenger Zyla.
* i18n - Updated French language thanks to Bérenger Zyla.

= 5.8.2 =
*Release Date - 15 July 2019*

* Fix - Fixed bug where validation did not prevent new user registration.
* Fix - Fixed bug causing some "reordered" metaboxes to not appear in the Gutenberg editor.
* Fix - Fixed bug causing WYSIWYG field with delayed initialization to appear blank.
* Fix - Fixed bug when editing a post and adding a new tag did not refresh metaboxes.
* Dev - Added missing `$value` parameter in "acf/pre_format_value" filter.

= 5.8.1 =
*Release Date - 3 June 2019*

* New - Added "Preview Size" and "Return Format" settings to the Gallery field.
* Tweak - Improved metabox styling for Gutenberg.
* Tweak - Changed default "Preview Size" to medium for the Image field.
* Fix - Fixed bug in media modal causing the primary button text to disappear after editing an image.
* Fix - Fixed bug preventing the TinyMCE Advanced plugin from adding `< p >` tags.
* Fix - Fixed bug where HTML choices were not visible in conditional logic dropdown.
* Fix - Fixed bug causing incorrect order of imported/synced flexible content sub fields.
* i18n - Updated German translation thanks to Ralf Koller.
* i18n - Updated Persian translation thanks to Majix.

= 5.8.0 =
*Release Date - 8 May 2019*

* New - Added ACF Blocks feature for ACF PRO.
* Fix - Fixed bug causing duplicate "save metabox" AJAX requests in the Gutenberg editor.
* Fix - Fixed bug causing incorrect Repeater field value order in AJAX requests.
* Dev - Added JS filter `'relationship_ajax_data'` to customize Relationship field AJAX data.
* Dev - Added `$field_group` parameter to `'acf/location/match_rule'` filter.
* Dev - Bumped minimum supported PHP version to 5.4.0.
* Dev - Bumped minimum supported WP version to 4.7.0.
* i18n - Updated German translation thanks to Ralf Koller.
* i18n - Updated Portuguese language thanks to Pedro Mendonça.

= 5.7.13 =
*Release Date - 6 March 2019*

* Fix - Fixed bug causing issues with registered fields during `switch_to_blog()`.
* Fix - Fixed bug preventing sub fields from being reused across multiple parents.
* Fix - Fixed bug causing the `get_sub_field()` function to fail if a tab field exists with the same name as the selected field.
* Fix - Fixed bug corrupting field settings since WP 5.1 when instructions contain `< a target="" >`.
* Fix - Fixed bug in Gutenberg where custom metabox location (acf_after_title) did not show on initial page load.
* Fix - Fixed bug causing issues when importing/syncing multiple field groups which contain a clone field.
* Fix - Fixed bug preventing the AMP plugin preview from working.
* Dev - Added new 'pre' filters to get, update and delete meta functions.
* i18n - Update Turkish translation thanks to Emre Erkan.

= 5.7.12 =
*Release Date - 15 February 2019*

* Fix - Added missing function `register_field_group()`.
* Fix - Fixed PHP 5.4 error "Can't use function return value in write context".
* Fix - Fixed bug causing wp_options values to be slashed incorrectly.
* Fix - Fixed bug where "sync" feature imported field groups without fields.
* Fix - Fixed bug preventing `get_field_object()` working with a field key.
* Fix - Fixed bug causing incorrect results in `get_sub_field()`.
* Fix - Fixed bug causing draft and preview issues with serialized values.
* Fix - Fixed bug causing reversed field group metabox order.
* Fix - Fixed bug causing incorrect character count when validating values.
* Fix - Fixed bug showing incorrect choices for post_template location rule.
* Fix - Fixed bug causing incorrect value retrieval after `switch_to_blog()`.
* i18n - Updated Persian translation thanks to Majix.

= 5.7.11 =
*Release Date - 11 February 2019*

* New - Added support for persistent object caching.
* Fix - Fixed PHP error in `determine_locale()` affecting AJAX requests.
* Fix - Fixed bug affecting dynamic metabox check when selecting "default" page template.
* Fix - Fixed bug where tab fields did not render correctly within a dynamic metabox.
* Tweak - Removed language fallback from "zh_TW" to "zh_CN".
* Dev - Refactored various core functions.
* Dev - Added new hook variation functions `acf_add_filter_variations()` and `acf_add_action_variations()`.
* i18n - Updated Portuguese language thanks to Pedro Mendonça.
* i18n - Updated German translation thanks to Ralf Koller.
* i18n - Updated Swiss German translation thanks to Raphael Hüni.

= 5.7.10 =
*Release Date - 16 January 2019*

* Fix - Fixed bug preventing metaboxes from saving if validation fails within Gutenberg.
* Fix - Fixed bug causing unload prompt to show incorrectly within Gutenberg.
* Fix - Fixed JS error when selecting taxonomy terms within Gutenberg.
* Fix - Fixed bug causing jQuery sortable issues within other plugins.
* Tweak - Improved loading translations by adding fallback from region to country when .mo file does not exit.
* Tweak - Improved punctuation throughout admin notices.
* Tweak - Improved performance and accuracy when loading a user field value.
* Dev - Added filter 'acf/get_locale' to customize the locale used to load translations.
* Dev - Added filter 'acf/allow_unfiltered_html' to customize if current user can save unfiltered HTML.
* Dev - Added new data storage functions `acf_register_store()` and `acf_get_store()`.
* Dev - Moved from .less to .scss and minified all css.
* i18n - Updated French translation thanks to Maxime Bernard-Jacquet.
* i18n - Updated Czech translation thanks to David Rychly.

= 5.7.9 =
*Release Date - 17 December 2018*

* Fix - Added custom metabox location (acf_after_title) compatibility with Gutenberg.
* Fix - Added dynamic metabox check compatibility with Gutenberg.
* Fix - Fixed bug causing required date picker fields to prevent form submit.
* Fix - Fixed bug preventing multi-input values from saving correctly within media modals.
* Fix - Fixed bug where `acf_form()` redirects to an incorrect URL for sub-sites.
* Fix - Fixed bug where breaking out of a sub `have_rows()` loop could produce undesired results.
* Dev - Added filter 'acf/connect_attachment_to_post' to prevent connecting attachments to posts.
* Dev - Added JS filter 'google_map_autocomplete_args' to customize Google Maps autocomplete settings.

= 5.7.8 =
*Release Date - 7 December 2018*

* Fix - Fixed vulnerability allowing author role to save unfiltered HTML values.
* Fix - Fixed all metaboxes appearing when editing a post in WP 5.0.
* i18n - Updated Polish translation thanks to Dariusz Zielonka.
* i18n - Updated Czech translation thanks to Veronika Hanzlíková.
* i18n - Update Turkish translation thanks to Emre Erkan.
* i18n - Updated Portuguese language thanks to Pedro Mendonça.

= 5.7.7 =
*Release Date - 1 October 2018*

* Fix - Fixed various plugin update issues.
* Tweak - Added 'language' to Google Maps API url.
* Dev - Major improvements to the `acf.models.Postbox` model.
* Dev - Added JS filter 'check_screen_args'.
* Dev - Added JS action 'check_screen_complete'.
* Dev - Added action 'acf/options_page/submitbox_before_major_actions'.
* Dev - Added action 'acf/options_page/submitbox_major_actions'.
* i18n - Updated Portuguese language thanks to Pedro Mendonça

= 5.7.6 =
*Release Date - 12 September 2018*

* Fix - Fixed unload prompt not working.
* Dev - Reduced number of queries needed to populate the relationship field taxonomy filter.
* Dev - Added 'nav_menu_item_id' and 'nav_menu_item_depth' to get_field_groups() query.
* Dev - Reordered various actions and filters for more usefulness.
* i18n - Updated Polish language thanks to Dariusz Zielonka

[View the full changelog](https://www.advancedcustomfields.com/changelog/)

== Upgrade Notice ==
PK�
�[���b����lang/acf-fr_FR.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.8.5\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-10-17 14:45+0200\n"
"PO-Revision-Date: 2019-12-07 09:24+0000\n"
"Last-Translator: maximebj <maxime@dysign.fr>\n"
"Language-Team: Français\n"
"Language: fr_FR\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: Loco https://localise.biz/\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Loco-Version: 2.3.0; wp-5.2.4\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

# @ acf
#: acf.php:68
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

# @ acf
#: acf.php:341 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Groupes de champs"

# @ acf
#: acf.php:342
msgid "Field Group"
msgstr "Groupe de champs"

# @ acf
#: acf.php:343 acf.php:375 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Ajouter"

# @ acf
#: acf.php:344
msgid "Add New Field Group"
msgstr "Ajouter un nouveau groupe de champs"

# @ acf
#: acf.php:345
msgid "Edit Field Group"
msgstr "Modifier le groupe de champs"

# @ acf
#: acf.php:346
msgid "New Field Group"
msgstr "Nouveau groupe de champs"

# @ default
#: acf.php:347
msgid "View Field Group"
msgstr "Voir le groupe de champs"

# @ default
#: acf.php:348
msgid "Search Field Groups"
msgstr "Rechercher un groupe de champs"

# @ default
#: acf.php:349
msgid "No Field Groups found"
msgstr "Aucun groupe de champs trouvé"

# @ default
#: acf.php:350
msgid "No Field Groups found in Trash"
msgstr "Aucun groupe de champs trouvé dans la corbeille"

# @ acf
#: acf.php:373 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Champs"

# @ acf
#: acf.php:374
msgid "Field"
msgstr "Champ"

# @ acf
#: acf.php:376
msgid "Add New Field"
msgstr "Ajouter un champ"

# @ acf
#: acf.php:377
msgid "Edit Field"
msgstr "Modifier le champ"

# @ acf
#: acf.php:378 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Nouveau champ"

# @ acf
#: acf.php:379
msgid "View Field"
msgstr "Voir le champ"

# @ default
#: acf.php:380
msgid "Search Fields"
msgstr "Rechercher des champs"

# @ default
#: acf.php:381
msgid "No Fields found"
msgstr "Aucun champ trouvé"

# @ default
#: acf.php:382
msgid "No Fields found in Trash"
msgstr "Aucun champ trouvé dans la corbeille"

#: acf.php:417 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inactif"

#: acf.php:422
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactif <span class=\"count\">(%s)</span>"
msgstr[1] "Inactifs <span class=\"count\">(%s)</span>"

#: includes/acf-field-functions.php:831
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(aucun libellé)"

#: includes/acf-field-group-functions.php:819
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "copie"

# @ default
#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Groupe de champs mis à jour."

# @ default
#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Groupe de champs supprimé."

# @ default
#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Groupe de champ publié."

# @ default
#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Groupe de champ enregistré."

# @ default
#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Groupe de champ enregistré."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Groupe de champs programmé pour."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Brouillon du groupe de champs mis à jour."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Le nom d’un champ ne peut pas commencer par \"field_\""

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Ce champ ne peut pas être déplacé tant que ses modifications n'ont pas été "
"enregistrées"

# @ default
#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Veuillez indiquer un titre pour le groupe de champs"

# @ acf
#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Mettre à la corbeille. Êtes-vous sûr ?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Ajoutez d'abord une case à cocher ou un champ sélection"

# @ acf
#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Déplacer le champ personnalisé"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Coché"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(ce champ)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3649
msgid "or"
msgstr "ou"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Vide"

# @ acf
#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Assigner ce groupe de champs"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Réglages"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Identifiants des champs"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Actif"

#: includes/admin/admin-field-group.php:767
msgid "Move Complete."
msgstr "Déplacement effectué."

#: includes/admin/admin-field-group.php:768
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Le champ %s a été déplacé dans le groupe %s"

# @ acf
#: includes/admin/admin-field-group.php:769
msgid "Close Window"
msgstr "Fermer la fenêtre"

# @ acf
#: includes/admin/admin-field-group.php:810
msgid "Please select the destination for this field"
msgstr "Choisissez la destination de ce champ"

# @ acf
#: includes/admin/admin-field-group.php:817
msgid "Move Field"
msgstr "Déplacer le champ"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Actif <span class=\"count\">(%s)</span>"
msgstr[1] "Actifs <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Groupe de champs dupliqué."
msgstr[1] "%s groupes de champs dupliqués."

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Groupe de champs synchronisé."
msgstr[1] "%s groupes de champs synchronisés."

# @ acf
#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Synchronisation disponible"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:353
msgid "Title"
msgstr "Titre"

# @ acf
#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:380
msgid "Description"
msgstr "Description"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Statut"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"Personnalisez WordPress avec des champs intuitifs, puissants et "
"professionnels."

# @ acf
#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Améliorations"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Découvrez les nouveautés de la <a href=\"%s\">version %s</a>."

# @ acf
#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Ressources"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Site web"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Documentation"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Support"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:81
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Merci d’utiliser <a href=\"%s\">ACF</a>."

# @ acf
#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Dupliquer cet élément"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Dupliquer"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Rechercher"

# @ acf
#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "Choisir %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Synchroniser le groupe de champs"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Synchronisation"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Appliquer"

# @ acf
#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Actions groupées"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Outils"

# @ acf
#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Mise à niveau de la base de données"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Examiner les sites et mettre à niveau"

# @ acf
#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "ACF"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Information"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Nouveautés"

# @ 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/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 les groupes 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 les groupes de champs que vous souhaitez exporter puis "
"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 alors que le bouton « générer » exportera le code PHP "
"que vous pourrez ajouter 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 ou "
"des groupes de champs sélectionnés. Un groupe de champ local apporte pas mal "
"de bénéfices tels qu'un temps de chargement plus rapide, la gestion des "
"versions et les champs/paramètres dynamiques. Copiez/collez simplement le "
"code suivant dans le fichier 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"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Copié"

# @ acf
#: 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:47
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:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Sélectionner un fichier"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Importer le fichier"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Aucun fichier sélectionné"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Échec de l'import du fichier. Merci de réessayer"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Type de fichier incorrect"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "Le fichier à importer est vide"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "1 groupe de champs importé"
msgstr[1] "%s groupes de champs importés"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Logique conditionnelle"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Montrer ce champ si"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "et"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Ajouter une règle"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Faites glisser pour réorganiser"

# @ acf
#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Modifier ce champ"

# @ acf
#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:337
msgid "Edit"
msgstr "Modifier"

# @ acf
#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Dupliquer ce champ"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Déplacer le champ dans un autre groupe"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Déplacer"

# @ acf
#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Supprimer ce champ"

# @ acf
#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Supprimer"

# @ acf
#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Titre du champ"

# @ acf
#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Ce nom apparaîtra sur la page d‘édition"

# @ acf
#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nom du champ"

# @ acf
#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Un seul mot, sans espace.<br />Les « _ » et « - » sont autorisés"

# @ acf
#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Type de champ"

# @ acf
#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instructions"

# @ acf
#: includes/admin/views/field-group-field.php:97
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:106
msgid "Required?"
msgstr "Requis ?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Attributs du conteneur"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "largeur"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

# @ acf
#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Fermer le champ"

# @ acf
#: includes/admin/views/field-group-fields.php:4
msgid "Order"
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:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Intitulé"

# @ acf
#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Nom"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Identifiant"

# @ acf
#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Type"

# @ acf
#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Aucun champ. Cliquez sur le bouton <strong>+ Ajouter un champ</strong> pour "
"créer votre premier champ."

# @ acf
#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Ajouter un champ"

# @ acf
#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Règles"

# @ acf
#: 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 ""
"Créez une série de règles pour déterminer les écrans sur lesquels ce groupe "
"de champs sera utilisé"

# @ acf
#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Style"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Dans un bloc"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Sans contour (directement dans la page)"

# @ acf
#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Haute (après le titre)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (après le contenu)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Sur le côté"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Emplacement de l'intitulé"

#: includes/admin/views/field-group-options.php:62
#: 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:107
msgid "Left aligned"
msgstr "Aligné à gauche"

# @ acf
#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Emplacement des instructions"

# @ acf
#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Sous les intitulés"

# @ acf
#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Sous les champs"

# @ acf
#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Numéro d’ordre"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""
"Le groupe de champs qui a l’ordre le plus petit sera affiché en premier"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Affiché dans la liste des groupes de champs"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Permalien"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Éditeur de contenu"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Extrait"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Discussion"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Commentaires"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Révisions"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Identifiant (slug)"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Auteur"

# @ acf
#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Attributs de la page"

# @ acf
#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Image à la Une"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Catégories"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Mots-clés"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Envoyer des rétroliens"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Masquer"

# @ acf
#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Sélectionnez </b> les champs que vous souhaitez <b>masquer</b> sur la "
"page d‘édition."

# @ acf
#: includes/admin/views/field-group-options.php:129
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 ""
"Si plusieurs groupes ACF sont présents sur une page d‘édition, le groupe "
"portant le numéro le plus bas sera affiché en premier."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Les sites suivants nécessites une mise à niveau de la base de données. "
"Sélectionnez ceux que vous voulez mettre à jour et cliquez sur %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Mettre à niveau les sites"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Site"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Le site requiert une mise à niveau de la base de données de %s à %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Le site est à jour"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Mise à niveau de la base de données effectuée. <a href=\"%s\">Retourner au "
"panneau d'administration du réseau</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Merci de sélectionner au moins un site à mettre à niveau."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Il est fortement recommandé de faire une sauvegarde de votre base de données "
"avant de continuer. Êtes-vous sûr de vouloir lancer la mise à niveau "
"maintenant ?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Migration des données vers la version %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Mise à niveau terminée."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Mise à niveau échouée."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Lecture des instructions de mise à niveau…"

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Mise à niveau de la base de données terminée. <a href=\"%s\">Consulter les "
"nouveautés</a>"

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr "Aucune mise à jour disponible."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Retour aux outils"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Montrer ce groupe quand"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Répéteur"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Contenu flexible"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Page d‘options"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Mise à jour de la base de données nécessaire"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Merci d'avoir mis à jour %s v%s !"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Cette version contient des améliorations de la base de données et nécessite "
"une mise à niveau."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Veuillez également vérifier que tous les add-ons premium (%s) sont à jour "
"avec la dernière version disponible."

# @ acf
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Add-ons"

# @ acf
#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Télécharger & installer"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installé"

# @ acf
#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bienvenue sur Advanced Custom Fields"

#: 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 ""
"Merci d'avoir mis à jour ! ACF %s est plus performant que jamais. Nous "
"espérons que vous l'apprécierez."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Une expérience plus fluide"

#: includes/admin/views/settings-info.php:18
msgid "Improved Usability"
msgstr "Convivialité améliorée"

#: includes/admin/views/settings-info.php:19
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 ""
"ACF inclue désormais la librairie populaire Select2, qui améliore "
"l'ergonomie et la vitesse sur plusieurs types de champs dont l'objet article,"
" lien vers page, taxonomie, et sélection."

#: includes/admin/views/settings-info.php:22
msgid "Improved Design"
msgstr "Design amélioré"

#: includes/admin/views/settings-info.php:23
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 ""
"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 !"

#: includes/admin/views/settings-info.php:26
msgid "Improved Data"
msgstr "Données améliorées"

#: includes/admin/views/settings-info.php:27
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 ""
"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 !"

#: includes/admin/views/settings-info.php:35
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Au revoir Add-ons. Bonjour ACF Pro"

#: includes/admin/views/settings-info.php:38
msgid "Introducing ACF PRO"
msgstr "Découvrez ACF PRO"

#: includes/admin/views/settings-info.php:39
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Nous avons changé la façon dont les fonctionnalités premium sont délivrées !"

#: includes/admin/views/settings-info.php:40
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Les 4 add-ons premiums (Répéteur, galerie, contenu flexible et pages "
"d'options) ont été combinés en une toute nouvelle <a href=\"%s\">version PRO "
"d'ACF</a>. Avec les licences personnelles et développeur disponibles, les "
"fonctionnalités premium sont encore plus accessibles que jamais auparavant !"

#: includes/admin/views/settings-info.php:44
msgid "Powerful Features"
msgstr "Nouvelles fonctionnalités surpuissantes"

#: includes/admin/views/settings-info.php:45
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 ""
"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 !"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr ""
"En savoir plus à propos des <a href=\"%s\">fonctionnalités d’ACF PRO</a>."

# @ wp3i
#: includes/admin/views/settings-info.php:50
msgid "Easy Upgrading"
msgstr "Mise à niveau facile"

#: includes/admin/views/settings-info.php:51
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"La mise à niveau vers ACF PRO est facile. Achetez simplement une licence en "
"ligne et téléchargez l'extension !"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a "
"href=\"%s\">help desk</a>."
msgstr ""
"Nous avons également rédigé un <a href=\"%s\">guide de mise à niveau</a> "
"pour répondre aux questions habituelles, mais si vous une question "
"spécifique, veuillez contacter notre équipe de support via le <a href=\"%s\">"
"support</a>"

#: includes/admin/views/settings-info.php:61
msgid "New Features"
msgstr "Nouvelles Fonctionnalités"

#: includes/admin/views/settings-info.php:66
msgid "Link Field"
msgstr "Champ Lien"

#: includes/admin/views/settings-info.php:67
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Le champ Lien permet de sélectionner ou définir un lien en toute simplicité "
"(URL, titre, cible)."

#: includes/admin/views/settings-info.php:71
msgid "Group Field"
msgstr "Champ Groupe"

#: includes/admin/views/settings-info.php:72
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""
"Le champ Groupe permet de créer un groupe de champs en toute simplicité."

#: includes/admin/views/settings-info.php:76
msgid "oEmbed Field"
msgstr "Champ Contenu Embarqué (oEmbed)"

#: includes/admin/views/settings-info.php:77
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Le champ oEmbed vous permet d'embarquer des vidéos, des images, des tweets, "
"de l'audio ou encore d'autres médias en toute simplicité."

#: includes/admin/views/settings-info.php:81
msgid "Clone Field"
msgstr "Champ Clone"

#: includes/admin/views/settings-info.php:82
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"Le champ Clone vous permet de sélectionner et afficher des champs existants."

#: includes/admin/views/settings-info.php:86
msgid "More AJAX"
msgstr "Plus d'AJAX"

#: includes/admin/views/settings-info.php:87
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Encore plus de champs utilisent la recherche via AJAX afin d'améliorer le "
"temps de chargement des pages."

#: includes/admin/views/settings-info.php:91
msgid "Local JSON"
msgstr "JSON Local"

#: includes/admin/views/settings-info.php:92
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Nouvelle fonctionnalité d'export automatique en JSON qui améliore la "
"rapidité et simplifie la synchronisation. "

#: includes/admin/views/settings-info.php:96
msgid "Easy Import / Export"
msgstr "Import / Export Facile"

#: includes/admin/views/settings-info.php:97
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Les imports et exports de données d'ACF sont encore plus simples à réaliser "
"via notre nouvelle page d'outils."

#: includes/admin/views/settings-info.php:101
msgid "New Form Locations"
msgstr "Nouveaux Emplacements de Champs"

#: includes/admin/views/settings-info.php:102
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Les champs peuvent désormais être intégrés dans les pages de menus, éléments "
"de menus, commentaires, widgets et tous les formulaires utilisateurs !"

#: includes/admin/views/settings-info.php:106
msgid "More Customization"
msgstr "Encore plus de Personnalisation"

#: includes/admin/views/settings-info.php:107
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"De nouveaux filtres et actions PHP (et JS) ont été ajoutés afin de vous "
"permettre plus de personnalisation."

#: includes/admin/views/settings-info.php:111
msgid "Fresh UI"
msgstr "Interface Améliorée"

#: includes/admin/views/settings-info.php:112
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Toute l'extension a été améliorée et inclut de nouveaux types de champs, "
"réglages ainsi qu'un nouveau design !"

#: includes/admin/views/settings-info.php:116
msgid "New Settings"
msgstr "Nouveaux paramètres"

#: includes/admin/views/settings-info.php:117
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"De nouveaux réglages font leur apparition dans les groupes de champs avec "
"notamment les options : Actif, emplacement du libellé, emplacement des "
"instructions et de la description."

#: includes/admin/views/settings-info.php:121
msgid "Better Front End Forms"
msgstr "De meilleurs formulaires côté public"

#: includes/admin/views/settings-info.php:122
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() peut maintenant créer une nouvelle publication lors de la "
"soumission et propose de nombreux réglages."

#: includes/admin/views/settings-info.php:126
msgid "Better Validation"
msgstr "Meilleure validation"

#: includes/admin/views/settings-info.php:127
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"La validation des formulaires est maintenant faite via PHP + AJAX au lieu "
"d'être seulement faite en JS."

# @ acf
#: includes/admin/views/settings-info.php:131
msgid "Moving Fields"
msgstr "Champs amovibles"

#: includes/admin/views/settings-info.php:132
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"La nouvelle fonctionnalité Groupe de Champ vous permet de déplacer un champ "
"entre différents groupes et parents."

#: includes/admin/views/settings-info.php:143
#, php-format
msgid "We think you'll love the changes in %s."
msgstr ""
"Nous pensons que vous allez adorer les nouveautés présentées dans la version "
"%s."

#: includes/api/api-helpers.php:827
msgid "Thumbnail"
msgstr "Miniature"

#: includes/api/api-helpers.php:828
msgid "Medium"
msgstr "Moyen"

#: includes/api/api-helpers.php:829
msgid "Large"
msgstr "Grande"

#: includes/api/api-helpers.php:878
msgid "Full Size"
msgstr "Taille originale"

# @ acf
#: includes/api/api-helpers.php:1599 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(aucun titre)"

#: includes/api/api-helpers.php:3570
#, php-format
msgid "Image width must be at least %dpx."
msgstr "L'image doit mesurer au moins %dpx de largeur."

#: includes/api/api-helpers.php:3575
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "L'image ne doit pas dépasser %dpx de largeur."

#: includes/api/api-helpers.php:3591
#, php-format
msgid "Image height must be at least %dpx."
msgstr "L'image doit mesurer au moins %dpx de hauteur."

#: includes/api/api-helpers.php:3596
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "L'image ne doit pas dépasser %dpx de hauteur."

#: includes/api/api-helpers.php:3614
#, 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:3619
#, php-format
msgid "File size must must not exceed %s."
msgstr "Le poids de l'image ne doit pas dépasser %s."

# @ acf
#: includes/api/api-helpers.php:3653
#, php-format
msgid "File type must be %s."
msgstr "Le type de fichier doit être %s."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Les modifications seront perdues si vous quittez cette page"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Choisir"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Modifier"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Mettre à jour"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Liés à cette publication"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "Afficher les détails"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Masquer les détails"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Limité"

# @ acf
#: includes/assets.php:178 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr "Toutes les images"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "Validé avec succès"

#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Échec de la validation"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "1 champ requiert votre attention"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "%d champs requièrent votre attention"

# @ acf
#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Confirmez-vous cette action ?"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Oui"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Non"

# @ acf
#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:338
#: pro/fields/class-acf-field-gallery.php:478
msgid "Remove"
msgstr "Enlever"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Annuler"

#: includes/assets.php:194
msgid "Has any value"
msgstr "A n'importe quelle valeur"

#: includes/assets.php:195
msgid "Has no value"
msgstr "N'a pas de valeur"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "La valeur est égale à"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "La valeur est différente de"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "La valeur correspond au modèle"

#: includes/assets.php:199
msgid "Value contains"
msgstr "La valeur contient"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "La valeur est supérieure à"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "La valeur est inférieure à"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "La sélection est supérieure à"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "La sélection est inférieure à"

# @ acf
#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Modifier le groupe de champs"

# @ acf
#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Ce type de champ n‘existe pas"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Inconnu"

#: includes/fields.php:349
msgid "Basic"
msgstr "Champs basiques"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Contenu"

# @ acf
#: includes/fields.php:351
msgid "Choice"
msgstr "Choix"

# @ acf
#: includes/fields.php:352
msgid "Relational"
msgstr "Relationnel"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

# @ acf
#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Disposition"

#: 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:364
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:365
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:365
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:365
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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
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:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
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:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertical"

# @ acf
#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
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:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
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:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Valeur"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Les deux (tableau)"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Case à cocher"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Tout masquer/afficher"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Ajouter un choix"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Permettra une valeur personnalisée"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Permet l’ajout d’une valeur personnalisée"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Enregistrer la valeur personnalisée"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Enregistre la valeur personnalisée dans les choix du champs"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
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:403
msgid "Toggle"
msgstr "Masquer/afficher"

#: includes/fields/class-acf-field-checkbox.php:404
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-color_picker.php:25
msgid "Color Picker"
msgstr "Palette de couleurs"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Effacer"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Valeur par défaut"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Couleur"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Couleur actuelle"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Date"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Valider"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Aujourd’hui"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Suivant"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Précédent"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Sem"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Format dans l’administration"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr ""
"Format affiché lors de l’édition d’un article depuis l’interface "
"d’administration"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Personnalisé :"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Enregistrer le format"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Le format enregistré"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:557
msgid "Return Format"
msgstr "Format dans le modèle"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: 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"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Les semaines commencent le"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Date et Heure"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Choix de l’heure"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Heure"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Heure"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minute"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Seconde"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milliseconde"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microseconde"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fuseau horaire"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Maintenant"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Valider"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Valider"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-mail"

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Texte d’exemple"

#: 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:105
#: 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:136
#: includes/fields/class-acf-field-number.php:145
#: includes/fields/class-acf-field-password.php:80
#: includes/fields/class-acf-field-range.php:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr "Préfixe"

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr "Apparait avant le champ"

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr "Suffixe"

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr "Apparait après le champ"

# @ acf
#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Modifier le fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Mettre à jour le fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Nom du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:642
#: pro/fields/class-acf-field-gallery.php:671
msgid "File size"
msgstr "Taille du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Ajouter un fichier"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Données du fichier (array)"

# @ acf
#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "URL du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID du Fichier"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:592
msgid "Library"
msgstr "Médias"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:593
msgid "Limit the media library choice"
msgstr "Limiter le choix de la médiathèque"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:72
#: includes/locations/class-acf-location-user-role.php:88
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:598
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Tous"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:599
msgid "Uploaded to post"
msgstr "Liés à cet article"

# @ acf
#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:621
msgid "Minimum"
msgstr "Minimum"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Restreindre l'import de fichiers"

# @ acf
#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:650
msgid "Maximum"
msgstr "Maximum"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:678
msgid "Allowed file types"
msgstr "Types de fichiers autorisés"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:679
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Listez les extensions autorisées en les séparant par une virgule. Laissez "
"vide pour autoriser toutes les extensions"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Map"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Désolé, ce navigateur ne prend pas en charge la géolocalisation"

# @ acf
#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Effacer la position"

#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Trouver l'emplacement actuel"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Rechercher une adresse…"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Centre"

#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Position géographique du centre de la carte"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Définir le niveau de zoom (0 : monde ; 14 : ville ; 21 : rue)"

#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:633
#: pro/fields/class-acf-field-gallery.php:662
msgid "Height"
msgstr "Hauteur"

#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Personnaliser la hauteur de la carte"

# @ acf
#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Groupe"

# @ acf
#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Sous-champs"

#: 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:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Bloc"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Tableau"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Rangée"

# @ acf
#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Image"

# acf
#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr "Sélectionner l‘image"

# @ acf
#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr "Modifier l'image"

# @ acf
#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr "Mettre à jour"

# @ acf
#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr "Aucune image sélectionnée"

# @ acf
#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr "Ajouter une image"

# @ acf
#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:563
msgid "Image Array"
msgstr "Données de l'image (array)"

# @ acf
#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:564
msgid "Image URL"
msgstr "URL de l‘image"

# @ acf
#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:565
msgid "Image ID"
msgstr "ID de l‘image"

# @ acf
#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:571
msgid "Preview Size"
msgstr "Taille de prévisualisation"

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:622
#: pro/fields/class-acf-field-gallery.php:651
msgid "Restrict which images can be uploaded"
msgstr "Restreindre les images téléversées"

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:625
#: pro/fields/class-acf-field-gallery.php:654
msgid "Width"
msgstr "Largeur"

# @ acf
#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Lien"

# @ acf
#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Sélectionner un lien"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Ouvrir dans un nouvel onglet"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Tableau de données"

# @ acf
#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL du Lien"

# @ acf
#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Message"

# @ acf
#: includes/fields/class-acf-field-message.php:110
#: 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: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: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:145
msgid "Automatically add &lt;br&gt;"
msgstr "Ajouter &lt;br&gt; automatiquement"

# @ acf
#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Pas de formatage"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Autoriser le code HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Permettre l'affichage du code HTML à l'écran au lieu de l'interpréter"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Nombre"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Valeur minimale"

# @ acf
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Valeur maximale"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Pas"

#: 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: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:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "La valeur doit être inférieure ou égale à %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Entrez l'URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Dimensions"

# @ acf
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Lien vers page ou article"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archives"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Parent"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Filtrer par type de publication"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Tous les types de publication"

# @ acf
#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Filtrer par taxonomie"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Toutes les taxonomies"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Afficher les pages d’archives"

# @ acf
#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Plusieurs valeurs possibles ?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Mot de passe"

# @ acf
#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Objet Article"

# @ acf
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "ID de l'article"

# @ acf
#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Bouton radio"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Autre"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Ajouter « autre » pour autoriser une valeur personnalisée"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Enregistrer"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Enregistrer « autre » en tant que choix"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Glissière numérique"

# @ acf
#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relation"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Nombre maximal de valeurs atteint ({max} valeurs)"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Chargement"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Aucun résultat"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Choisissez le type de publication"

# @ acf
#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Choisissez la taxonomie"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Rechercher…"

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filtres"

# @ acf
#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Type de publication"

# @ acf
#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Éléments"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Les éléments sélectionnés seront affichés dans chaque résultat"

# @ acf
#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Minimum d'articles sélectionnables"

# @ acf
#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Maximum d'articles sélectionnables"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:779
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
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:776
msgctxt "noun"
msgid "Select"
msgstr "Liste déroulante"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Un résultat disponible, appuyez sur Entrée pour le sélectionner."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"%d résultats sont disponibles, utilisez les flèches haut et bas pour "
"naviguer parmi les résultats."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Aucun résultat trouvé"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Veuillez saisir au minimum 1 caractère"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Veuillez saisir au minimum %d caractères"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Veuillez retirer 1 caractère"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Veuillez retirer %d caractères"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Vous ne pouvez sélectionner qu’un seul élément"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Vous ne pouvez sélectionner que %d éléments"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Chargement de résultats supplémentaires&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Recherche en cours&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Échec du chargement"

# @ acf
#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Interface avancée"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "Utiliser AJAX pour charger les choix dynamiquement (lazy load) ?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Définit la valeur retournée"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Séparateur"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Onglet"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Emplacement"

#: 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-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Pas de %s"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Choisissez la taxonomie à afficher"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Apparence"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Personnaliser l'apparence de champ"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Valeurs multiples"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Sélecteur multiple"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Valeur unique"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Boutons radio"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Créer des termes"

#: includes/fields/class-acf-field-taxonomy.php:800
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:809
msgid "Save Terms"
msgstr "Enregistrer les termes"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Lier les termes sélectionnés à l'article"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Charger les termes"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Charger une valeur depuis les termes"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Objet Terme"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID du terme"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Utilisateur incapable d'ajouter un nouveau %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s existe déjà"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s ajouté"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:973
#: includes/locations/class-acf-location-user-form.php:73
msgid "Add"
msgstr "Ajouter"

# @ acf
#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Texte"

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limite de caractères"

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Laisser vide pour illimité"

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr "La valeur ne doit pas dépasser %d caractères."

# @ acf
#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Zone de texte"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Lignes"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Hauteur du champ"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Heure"

# @ acf
#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Vrai / Faux"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Affiche le texte à côté de la case à cocher"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Texte côté « Actif »"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Text affiché lorsqu’il est actif"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Texte côté « Inactif »"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Texte affiché lorsqu’il est désactivé"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "La valeur doit être une URL valide"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Utilisateur"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Filtrer par rôle"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Tous les rôles utilisateurs"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Tableau d'utilisateurs"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Objet d'utilisateurs"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "ID de l'utilisateur"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Éditeur de contenu"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visuel"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Texte"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Cliquez pour initialiser TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Onglets"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visuel & Texte brut"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Éditeur visuel seulement"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Texte brut seulement"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Barre d‘outils"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Afficher les boutons d‘ajout de médias ?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Retarder l’initialisation ?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""
"TinyMCE ne sera pas automatiquement initialisé si cette option est activée"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Valider l’e-mail"

# @ acf
#: includes/forms/form-front.php:104 pro/fields/class-acf-field-gallery.php:510
#: pro/options-page.php:81
msgid "Update"
msgstr "Mise à jour"

# @ acf
#: includes/forms/form-front.php:105
msgid "Post updated"
msgstr "Article mis à jour"

#: includes/forms/form-front.php:231
msgid "Spam Detected"
msgstr "Spam repéré"

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr "<strong>ERREUR</strong> : %s"

# @ acf
#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Article"

# @ acf
#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Page"

# @ acf
#: includes/locations.php:96
msgid "Forms"
msgstr "Formulaires"

#: includes/locations.php:243
msgid "is equal to"
msgstr "est égal à"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "n‘est pas égal à"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Média (photo, fichier…)"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Tous les formats %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Commentaire"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rôle utilisateur actuel"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Administrateur"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Utilisateur actuel"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Connecté"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Depuis le site"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Depuis l’interface d’administration"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Élément de menu"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

# @ acf
#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Emplacement de menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menus"

# @ acf
#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Page parente"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Modèle de page"

# @ acf
#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Modèle de base"

# @ acf
#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Type de page"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Page d'accueil"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Page des articles"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Page de haut niveau (sans descendant)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Page parente (avec page enfant)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Page enfant (avec parent)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Catégorie"

# @ acf
#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Format d‘article"

# @ acf
#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Statut de l’article"

# @ acf
#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomie"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Modèle d’article"

# @ acf
#: includes/locations/class-acf-location-user-form.php:22
msgid "User Form"
msgstr "Formulaire utilisateur"

#: includes/locations/class-acf-location-user-form.php:74
msgid "Add / Edit"
msgstr "Ajouter / Modifier"

#: includes/locations/class-acf-location-user-form.php:75
msgid "Register"
msgstr "Inscription"

# @ acf
#: includes/locations/class-acf-location-user-role.php:22
msgid "User Role"
msgstr "Rôle utilisateur"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

# @ default
#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "La valeur %s est requise"

# @ acf
#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Publier"

# @ default
#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Aucun groupe de champs trouvé pour cette page options. <a href=\"%s\">Créer "
"un groupe de champs</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Erreur</b>. Impossible de joindre le serveur"

# @ acf
#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Mises à jour"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Erreur</b>. Impossible d'authentifier la mise à jour. Merci d'essayer à "
"nouveau et si le problème persiste, désactivez et réactivez votre licence "
"ACF PRO."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Désactiver la licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activer votre licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informations sur la licence"

#: 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 <a href=\"%s\" target=\"_blank\">details & "
"pricing</a>."
msgstr ""
"Pour débloquer les mises à jour, veuillez entrer votre clé de licence ci-"
"dessous. Si vous n’en possédez pas encore une, jetez un oeil à nos <a "
"href=\"%s\" target=\"_blank\">détails & tarifs</a>."

# @ acf
#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Code de licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informations de mise à jour"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Version actuelle"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Dernière version"

# @ acf
#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Mise à jour disponible"

# @ acf
#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Mettre à jour l’extension"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Entrez votre clé de licence ci-dessous pour activer les mises à jour"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Vérifier à nouveau"

# @ wp3i
#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Améliorations"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Passer en mode Édition"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Passer en mode Aperçu"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clone"

#: 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:829
msgid "Display"
msgstr "Format d'affichage"

#: 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: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)"

#: 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: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:860
msgid "Prefix Field Labels"
msgstr "Préfixer les libellés de champs"

#: 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:874
msgid "Prefix Field Names"
msgstr "Préfixer les noms de champs"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Champ inconnu"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Groupe de champ inconnu"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Tous les champs du groupe %s"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Ajouter un élément"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "disposition"
msgstr[1] "dispositions"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "dispositions"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Ce champ requiert au moins {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Ce champ a une limite de {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponible (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} required (min {min})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Le contenu flexible nécessite au moins une disposition"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
"Cliquez sur le bouton \"%s\" ci-dessous pour créer votre première disposition"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Ajouter une disposition"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Retirer la disposition"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Cliquer pour intervertir"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Réorganiser la disposition"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Réorganiser"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Supprimer la disposition"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Dupliquer la disposition"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Ajouter une disposition"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Intitulé du bouton"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Nombre minimum de dispositions"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Nombre maximum de dispositions"

# @ acf
#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr "Ajouter l'image à la galerie"

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr "Nombre de sélections maximales atteint"

#: pro/fields/class-acf-field-gallery.php:322
msgid "Length"
msgstr "Longueur"

#: pro/fields/class-acf-field-gallery.php:362
msgid "Caption"
msgstr "Légende"

#: pro/fields/class-acf-field-gallery.php:371
msgid "Alt Text"
msgstr "Texte alternatif"

#: pro/fields/class-acf-field-gallery.php:487
msgid "Add to gallery"
msgstr "Ajouter à la galerie"

# @ acf
#: pro/fields/class-acf-field-gallery.php:491
msgid "Bulk actions"
msgstr "Actions de groupe"

#: pro/fields/class-acf-field-gallery.php:492
msgid "Sort by date uploaded"
msgstr "Ranger par date d'import"

#: pro/fields/class-acf-field-gallery.php:493
msgid "Sort by date modified"
msgstr "Ranger par date de modification"

# @ acf
#: pro/fields/class-acf-field-gallery.php:494
msgid "Sort by title"
msgstr "Ranger par titre"

#: pro/fields/class-acf-field-gallery.php:495
msgid "Reverse current order"
msgstr "Inverser l'ordre actuel"

# @ acf
#: pro/fields/class-acf-field-gallery.php:507
msgid "Close"
msgstr "Appliquer"

#: pro/fields/class-acf-field-gallery.php:580
msgid "Insert"
msgstr "Insérer"

#: pro/fields/class-acf-field-gallery.php:581
msgid "Specify where new attachments are added"
msgstr "Définir comment les images sont insérées"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Append to the end"
msgstr "Insérer à la fin"

#: pro/fields/class-acf-field-gallery.php:586
msgid "Prepend to the beginning"
msgstr "Insérer au début"

# @ acf
#: pro/fields/class-acf-field-gallery.php:605
msgid "Minimum Selection"
msgstr "Minimum d'images"

# @ acf
#: pro/fields/class-acf-field-gallery.php:613
msgid "Maximum Selection"
msgstr "Maximum d’images"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "Nombre minimal d'éléments atteint ({min} éléments)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Nombre maximal d'éléments atteint ({max} éléments)"

# @ acf
#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Ajouter un élément"

# @ acf
#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Retirer l'élément"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Refermé"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "Choisir un sous champ à montrer lorsque la ligne est refermée"

# @ acf
#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Nombre minimum d'éléments"

# @ acf
#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Nombre maximum d'éléments"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Aucune page d'option créée"

# @ acf
#: pro/options-page.php:51
msgid "Options"
msgstr "Options"

# @ acf
#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Options mises à jour"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">"
"Updates</a> page. If you don't have a licence key, please see <a href=\"%s\">"
"details & pricing</a>."
msgstr ""
"Pour activer les mises à jour, veuillez entrer votre clé de licence sur la "
"page <a href=\"%s\">Mises à jour</a>. Si vous n’en possédez pas encore une, "
"jetez un oeil à nos <a href=\"%s\" target=\"_blank\">détails & tarifs</a>."

#: tests/basic/test-blocks.php:30
msgid "Normal"
msgstr "Normal"

#: tests/basic/test-blocks.php:31
msgid "Fancy"
msgstr "Fantaisie"

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr "https://www.advancedcustomfields.com"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"
PK�
�[F�=�		lang/acf-sk_SK.ponu�[���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: 2015-08-11 23:45+0200\n"
"PO-Revision-Date: 2018-02-06 10:07+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: wp.sk <michal.vittek@wp.sk, ja@fajo.name>\n"
"Language: sk_SK\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Rozšírené vlastné polia"

#: acf.php:205 admin/admin.php:61
msgid "Field Groups"
msgstr "Skupiny polí"

#: acf.php:206
msgid "Field Group"
msgstr "Skupina polí"

#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517
msgid "Add New"
msgstr "Pridať novú"

#: acf.php:208
msgid "Add New Field Group"
msgstr "Pridať novú skupinu polí "

#: acf.php:209
msgid "Edit Field Group"
msgstr "Upraviť skupinu polí "

#: acf.php:210
msgid "New Field Group"
msgstr "Pridať novú skupinu polí "

#: acf.php:211
msgid "View Field Group"
msgstr "Zobraziť skupinu polí "

#: acf.php:212
msgid "Search Field Groups"
msgstr "Hľadať skupinu polí "

#: acf.php:213
msgid "No Field Groups found"
msgstr "Nenašla sa skupina polí "

#: acf.php:214
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
msgid "Fields"
msgstr "Polia "

#: acf.php:238
msgid "Field"
msgstr "Pole"

#: acf.php:240
msgid "Add New Field"
msgstr "Pridať nové pole"

#: acf.php:241
msgid "Edit Field"
msgstr "Upraviť pole"

#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111
msgid "New Field"
msgstr "Nové pole "

#: acf.php:243
msgid "View Field"
msgstr "Zobraziť pole"

#: acf.php:244
msgid "Search Fields"
msgstr "Hľadať polia"

#: acf.php:245
msgid "No Fields found"
msgstr "Nenašli sa polia"

#: acf.php:246
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
msgid "Disabled"
msgstr ""

#: acf.php:273
#, php-format
msgid "Disabled <span class=\"count\">(%s)</span>"
msgid_plural "Disabled <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: admin/admin.php:57 admin/views/field-group-options.php:120
msgid "Custom Fields"
msgstr "Vlastné polia "

#: admin/field-group.php:68 admin/field-group.php:69 admin/field-group.php:71
msgid "Field group updated."
msgstr "Skupina polí aktualizovaná. "

#: admin/field-group.php:70
msgid "Field group deleted."
msgstr "Skupina polí aktualizovaná. "

#: admin/field-group.php:73
msgid "Field group published."
msgstr "Skupina polí aktualizovaná. "

#: admin/field-group.php:74
msgid "Field group saved."
msgstr "Skupina polí uložená. "

#: admin/field-group.php:75
msgid "Field group submitted."
msgstr "Skupina polí odoslaná. "

#: admin/field-group.php:76
msgid "Field group scheduled for."
msgstr "Skupina polí naplánovaná na. "

#: admin/field-group.php:77
msgid "Field group draft updated."
msgstr "Koncept skupiny polí uložený. "

#: admin/field-group.php:176
msgid "Move to trash. Are you sure?"
msgstr "Presunúť do koša. Naozaj? "

#: admin/field-group.php:177
msgid "checked"
msgstr "zaškrtnuté "

#: admin/field-group.php:178
msgid "No toggle fields available"
msgstr "Prepínacie polia nenájdené"

#: admin/field-group.php:179
msgid "Field group title is required"
msgstr "Nadpis skupiny poľa je povinný "

#: admin/field-group.php:180 api/api-field-group.php:607
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/views/field-group-locations.php:131 api/api-helpers.php:3262
msgid "or"
msgstr "alebo"

#: admin/field-group.php:183
msgid "Parent fields"
msgstr "Nadradené polia "

#: admin/field-group.php:184
msgid "Sibling fields"
msgstr "Podobné polia "

#: admin/field-group.php:185
msgid "Move Custom Field"
msgstr "Presunúť pole do inej skupiny "

#: admin/field-group.php:186
msgid "This field cannot be moved until its changes have been saved"
msgstr "Kým nebudú uložené zmeny, pole nemôže byť presunuté"

#: admin/field-group.php:187
msgid "Null"
msgstr "Nulová hodnota"

#: 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 "Ak odítete zo stránky, zmeny nebudú uložené"

#: admin/field-group.php:189
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Reťazec \"field_\" nesmie byť použitý na začiatku názvu poľa"

#: admin/field-group.php:214
msgid "Location"
msgstr "Umiestnenie "

#: admin/field-group.php:215
msgid "Settings"
msgstr ""

#: admin/field-group.php:253
msgid "Field Keys"
msgstr ""

#: admin/field-group.php:283 admin/views/field-group-options.php:17
msgid "Active"
msgstr ""

#: admin/field-group.php:744
msgid "Front Page"
msgstr "Úvodná stránka "

#: admin/field-group.php:745
msgid "Posts Page"
msgstr "Stránka príspevkov "

#: admin/field-group.php:746
msgid "Top Level Page (no parent)"
msgstr "Najvyššia úroveň stránok (nemá nadradené stránky) "

#: admin/field-group.php:747
msgid "Parent Page (has children)"
msgstr "Nadradená stránka (má odvodené) "

#: admin/field-group.php:748
msgid "Child Page (has parent)"
msgstr "Odvodená stránka (má nadradené) "

#: admin/field-group.php:764
msgid "Default Template"
msgstr "Základná šablóna "

#: admin/field-group.php:786
msgid "Logged in"
msgstr "Typ prihláseného používatela "

#: admin/field-group.php:787
msgid "Viewing front end"
msgstr "Zobrazenie stránok"

#: admin/field-group.php:788
msgid "Viewing back end"
msgstr "Zobrazenie administrácie"

#: admin/field-group.php:807
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
msgid "All"
msgstr "Všetky "

#: admin/field-group.php:827
msgid "Add / Edit"
msgstr "Pridať/ Upraviť"

#: admin/field-group.php:828
msgid "Register"
msgstr "Registrovať"

#: admin/field-group.php:1059
msgid "Move Complete."
msgstr "Presunutie dokončené"

#: admin/field-group.php:1060
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Pole %s teraz nájdete v poli skupiny %s"

#: admin/field-group.php:1062
msgid "Close Window"
msgstr "Zatvoriť okno"

#: admin/field-group.php:1097
msgid "Please select the destination for this field"
msgstr "Vyberte cielové umietnenie poľa"

#: admin/field-group.php:1104
msgid "Move Field"
msgstr "Presunúť pole"

#: admin/field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: admin/field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Skupina polí duplikovaná. %s"

#: admin/field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s skupina polí bola duplikovaná."
msgstr[1] "%s skupiny polí boli duplikované."
msgstr[2] "%s skupín polí bolo duplikovaných."

#: admin/field-groups.php:228
#, php-format
msgid "Field group synchronised. %s"
msgstr "Skupina polí bola synchronizovaná. %s"

#: admin/field-groups.php:232
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s skupina polí bola synchronizovaná."
msgstr[1] "%s skupiny polí boli synchronizované."
msgstr[2] "%s skupín polí bolo synchronizovaných."

#: admin/field-groups.php:403 admin/field-groups.php:573
msgid "Sync available"
msgstr "Dostupná aktualizácia "

#: admin/field-groups.php:516
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
msgid "Description"
msgstr ""

#: admin/field-groups.php:518 admin/views/field-group-options.php:10
msgid "Status"
msgstr ""

#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111
msgid "Changelog"
msgstr "Záznam zmien "

#: admin/field-groups.php:617
msgid "See what's new in"
msgstr "Pozrite sa, čo je nové:"

#: admin/field-groups.php:617
msgid "version"
msgstr "verzia "

#: admin/field-groups.php:619
msgid "Resources"
msgstr "Zdroje "

#: admin/field-groups.php:621
msgid "Getting Started"
msgstr "Začíname "

#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17
msgid "Updates"
msgstr "Aktualizácie"

#: admin/field-groups.php:623
msgid "Field Types"
msgstr "Typy polí "

#: admin/field-groups.php:624
msgid "Functions"
msgstr "Funkcie "

#: admin/field-groups.php:625
msgid "Actions"
msgstr "Akcie "

#: admin/field-groups.php:626 fields/relationship.php:718
msgid "Filters"
msgstr "Filtre "

#: admin/field-groups.php:627
msgid "'How to' guides"
msgstr "Návody \"Ako na to\" "

#: admin/field-groups.php:628
msgid "Tutorials"
msgstr "Návody "

#: admin/field-groups.php:633
msgid "Created by"
msgstr "Vytvoril "

#: admin/field-groups.php:673
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
msgid "Duplicate"
msgstr "Duplikovať "

#: admin/field-groups.php:724
#, php-format
msgid "Select %s"
msgstr "Vybrať %s"

#: admin/field-groups.php:730
msgid "Synchronise field group"
msgstr "Zobraziť túto skupinu poľa, ak"

#: admin/field-groups.php:730 admin/field-groups.php:750
msgid "Sync"
msgstr "Synchronizácia"

#: admin/settings-addons.php:51 admin/views/settings-addons.php:9
msgid "Add-ons"
msgstr "Doplnky "

#: admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Chyba</b>. Nie je možné načítať zoznam doplnkov"

#: admin/settings-info.php:50
msgid "Info"
msgstr "Info"

#: admin/settings-info.php:75
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
msgid "Tools"
msgstr ""

#: admin/settings-tools.php:151 admin/settings-tools.php:365
msgid "No field groups selected"
msgstr "Nezvolili ste skupiny poľa "

#: admin/settings-tools.php:188
msgid "No file selected"
msgstr "Nevybrali ste súbor "

#: admin/settings-tools.php:201
msgid "Error uploading file. Please try again"
msgstr "Chyba pri nahrávaní súbora. Prosím skúste to znova"

#: admin/settings-tools.php:210
msgid "Incorrect file type"
msgstr "Typ nahraného súboru nie je povolený "

#: admin/settings-tools.php:227
msgid "Import file empty"
msgstr "Nahraný súbor bol prázdny"

#: admin/settings-tools.php:323
#, php-format
msgid "<b>Success</b>. Import tool added %s field groups: %s"
msgstr "<b>Úspech</b>. Nástroj importu pridal %s skupiny polí: %s"

#: admin/settings-tools.php:332
#, php-format
msgid "<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %s"
msgstr "<b>Varovanie</b>. Nástroj importu zistil, že už exsituje %s polí skupín, ktoré boli ignorované: %s"

#: admin/update.php:113
msgid "Upgrade ACF"
msgstr ""

#: admin/update.php:143
msgid "Review sites & upgrade"
msgstr ""

#: admin/update.php:298
msgid "Upgrade"
msgstr "Aktualizovať "

#: admin/update.php:328
msgid "Upgrade Database"
msgstr ""

#: admin/views/field-group-field-conditional-logic.php:29
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
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
#: pro/admin/views/settings-updates.php:103
msgid "No"
msgstr "Nie"

#: admin/views/field-group-field-conditional-logic.php:65
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
msgid "is equal to"
msgstr "sa rovná "

#: 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
msgid "and"
msgstr "a"

#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:133
msgid "Add rule group"
msgstr "Pridať skupinu pravidiel "

#: admin/views/field-group-field.php:54 admin/views/field-group-field.php:57
msgid "Edit field"
msgstr "Upraviť pole"

#: admin/views/field-group-field.php:57 pro/fields/gallery.php:355
msgid "Edit"
msgstr "Upraviť"

#: admin/views/field-group-field.php:58
msgid "Duplicate field"
msgstr "Duplikovať pole"

#: admin/views/field-group-field.php:59
msgid "Move field to another group"
msgstr "Presunúť pole do inej skupiny"

#: admin/views/field-group-field.php:59
msgid "Move"
msgstr "Presunúť"

#: admin/views/field-group-field.php:60
msgid "Delete field"
msgstr "Vymazať pole"

#: admin/views/field-group-field.php:60 pro/fields/flexible-content.php:515
msgid "Delete"
msgstr "Vymazať"

#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886
msgid "Error"
msgstr "Chyba "

#: fields/oembed.php:220 fields/taxonomy.php:900
msgid "Error."
msgstr "Chyba."

#: admin/views/field-group-field.php:68
msgid "Field type does not exist"
msgstr "Typ poľa neexistuje "

#: admin/views/field-group-field.php:81
msgid "Field Label"
msgstr "Označenie poľa "

#: admin/views/field-group-field.php:82
msgid "This is the name which will appear on the EDIT page"
msgstr "Toto je meno, ktoré sa zobrazí na stránke úprav "

#: admin/views/field-group-field.php:93
msgid "Field Name"
msgstr "Meno poľa "

#: admin/views/field-group-field.php:94
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Jedno slovo, žiadne medzery. Podčiarknutie a pomlčky sú povolené "

#: admin/views/field-group-field.php:105
msgid "Field Type"
msgstr "Typ poľa"

#: admin/views/field-group-field.php:118 fields/tab.php:143
msgid "Instructions"
msgstr "Pokyny "

#: admin/views/field-group-field.php:119
msgid "Instructions for authors. Shown when submitting data"
msgstr "Pokyny pre autorov. Zobrazia sa pri zadávaní dát "

#: admin/views/field-group-field.php:130
msgid "Required?"
msgstr "Povinné? "

#: admin/views/field-group-field.php:158
msgid "Wrapper Attributes"
msgstr "Hodnoty bloku polí v administrácii"

#: admin/views/field-group-field.php:164
msgid "width"
msgstr "Šírka"

#: admin/views/field-group-field.php:178
msgid "class"
msgstr "trieda"

#: admin/views/field-group-field.php:191
msgid "id"
msgstr "id "

#: admin/views/field-group-field.php:203
msgid "Close Field"
msgstr "Zavrieť pole "

#: admin/views/field-group-fields.php:29
msgid "Order"
msgstr "Poradie"

#: admin/views/field-group-fields.php:30 pro/fields/flexible-content.php:541
msgid "Label"
msgstr "Označenie "

#: admin/views/field-group-fields.php:31 pro/fields/flexible-content.php:554
msgid "Name"
msgstr "Meno"

#: admin/views/field-group-fields.php:32
msgid "Type"
msgstr "Typ"

#: admin/views/field-group-fields.php:44
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr "Žiadne polia. Kliknite na tlačidlo <strong>+ Pridať pole</strong> pre vytvorenie prvého poľa. "

#: admin/views/field-group-fields.php:51
msgid "Drag and drop to reorder"
msgstr "Zmeňte poradie pomocou funkcie ťahaj a pusť"

#: admin/views/field-group-fields.php:54
msgid "+ Add Field"
msgstr "+ Pridať pole "

#: admin/views/field-group-locations.php:5
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"

#: 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
msgid "Post"
msgstr "Príspevok "

#: admin/views/field-group-locations.php:42 fields/relationship.php:724
msgid "Post Type"
msgstr "Typ príspevku "

#: admin/views/field-group-locations.php:43
msgid "Post Status"
msgstr "Stav príspevku "

#: admin/views/field-group-locations.php:44
msgid "Post Format"
msgstr "Formát príspevku "

#: admin/views/field-group-locations.php:45
msgid "Post Category"
msgstr "Kategória príspevku "

#: admin/views/field-group-locations.php:46
msgid "Post Taxonomy"
msgstr "Taxonómia príspevku "

#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53
msgid "Page"
msgstr "Stránka "

#: admin/views/field-group-locations.php:50
msgid "Page Template"
msgstr "Šablóna stránky "

#: admin/views/field-group-locations.php:51
msgid "Page Type"
msgstr "Typ stránky "

#: admin/views/field-group-locations.php:52
msgid "Page Parent"
msgstr "Nadradená stránka "

#: admin/views/field-group-locations.php:55 fields/user.php:36
msgid "User"
msgstr "Používateľ "

#: admin/views/field-group-locations.php:56
msgid "Current User"
msgstr "Aktuálny používateľ"

#: admin/views/field-group-locations.php:57
msgid "Current User Role"
msgstr "Aktuálne oprávnenia"

#: admin/views/field-group-locations.php:58
msgid "User Form"
msgstr "Formulár používatela"

#: admin/views/field-group-locations.php:59
msgid "User Role"
msgstr "Oprávnenia "

#: admin/views/field-group-locations.php:61 pro/admin/options-page.php:48
msgid "Forms"
msgstr "Formuláre"

#: admin/views/field-group-locations.php:62
msgid "Attachment"
msgstr "Príloha "

#: admin/views/field-group-locations.php:63
msgid "Taxonomy Term"
msgstr "Výraz taxonómie "

#: admin/views/field-group-locations.php:64
msgid "Comment"
msgstr "Komentár"

#: admin/views/field-group-locations.php:65
msgid "Widget"
msgstr "Widget"

#: admin/views/field-group-options.php:25
msgid "Style"
msgstr "Štýl "

#: admin/views/field-group-options.php:32
msgid "Standard (WP metabox)"
msgstr "Štandardný metabox "

#: admin/views/field-group-options.php:33
msgid "Seamless (no metabox)"
msgstr "Žiadny metabox "

#: admin/views/field-group-options.php:40
msgid "Position"
msgstr "Pozícia "

#: admin/views/field-group-options.php:47
msgid "High (after title)"
msgstr "Hore (pod nadpisom) "

#: admin/views/field-group-options.php:48
msgid "Normal (after content)"
msgstr "Normálne (po obsahu) "

#: admin/views/field-group-options.php:49
msgid "Side"
msgstr "Strana "

#: admin/views/field-group-options.php:57
msgid "Label placement"
msgstr "Umiestnenie inštrukcií "

#: admin/views/field-group-options.php:64 fields/tab.php:159
msgid "Top aligned"
msgstr "Zarovnané dohora"

#: admin/views/field-group-options.php:65 fields/tab.php:160
msgid "Left aligned"
msgstr "Zarovnané vľavo"

#: admin/views/field-group-options.php:72
msgid "Instruction placement"
msgstr "Umiestnenie inštrukcií"

#: admin/views/field-group-options.php:79
msgid "Below labels"
msgstr "Pod označením"

#: admin/views/field-group-options.php:80
msgid "Below fields"
msgstr "Pod poliami"

#: admin/views/field-group-options.php:87
msgid "Order No."
msgstr "Poradové číslo"

#: admin/views/field-group-options.php:88
msgid "Field groups with a lower order will appear first"
msgstr ""

#: admin/views/field-group-options.php:99
msgid "Shown in field group list"
msgstr ""

#: admin/views/field-group-options.php:109
msgid "Hide on screen"
msgstr "Schovať na obrazovke "

#: admin/views/field-group-options.php:110
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Vybrať</b> položky pre ich <b>skrytie</b> 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)"
msgstr ""
"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"
msgstr "Trvalý odkaz"

#: admin/views/field-group-options.php:118
msgid "Content Editor"
msgstr "Úpravca obsahu"

#: admin/views/field-group-options.php:119
msgid "Excerpt"
msgstr "Zhrnutie "

#: admin/views/field-group-options.php:121
msgid "Discussion"
msgstr "Diskusia "

#: admin/views/field-group-options.php:122
msgid "Comments"
msgstr "Komentáre "

#: admin/views/field-group-options.php:123
msgid "Revisions"
msgstr "Revízie "

#: admin/views/field-group-options.php:124
msgid "Slug"
msgstr "Slug "

#: admin/views/field-group-options.php:125
msgid "Author"
msgstr "Autor "

#: admin/views/field-group-options.php:126
msgid "Format"
msgstr "Formát "

#: admin/views/field-group-options.php:127
msgid "Page Attributes"
msgstr "Vlastnosti stránky"

#: admin/views/field-group-options.php:128 fields/relationship.php:737
msgid "Featured Image"
msgstr "Prezentačný obrázok "

#: admin/views/field-group-options.php:129
msgid "Categories"
msgstr "Kategórie "

#: admin/views/field-group-options.php:130
msgid "Tags"
msgstr "Značky "

#: admin/views/field-group-options.php:131
msgid "Send Trackbacks"
msgstr "Odoslať spätné odkazy "

#: admin/views/settings-addons.php:23
msgid "Download & Install"
msgstr "Stiahnuť a nainštalovať"

#: admin/views/settings-addons.php:42
msgid "Installed"
msgstr "Nainštalované "

#: admin/views/settings-info.php:9
msgid "Welcome to Advanced Custom Fields"
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."

#: admin/views/settings-info.php:23
msgid "A smoother custom field experience"
msgstr "Jednoduchšie používanie polí"

#: admin/views/settings-info.php:28
msgid "Improved Usability"
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."
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."

#: admin/views/settings-info.php:33
msgid "Improved Design"
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!"
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!"

#: admin/views/settings-info.php:38
msgid "Improved Data"
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!"
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í!"

#: admin/views/settings-info.php:45
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Dovidenia doplnky. Vitaj PRO"

#: admin/views/settings-info.php:50
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!"

#: admin/views/settings-info.php:52
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro version of ACF</a>. 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 <a href=\"%s\">Pro verzie ACF</a>. 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"
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!"
msgstr ""
"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
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Prečítajte si viac o <a href=\"%s\">vlastnostiach ACF PRO</a>."

#: admin/views/settings-info.php:62
msgid "Easy Upgrading"
msgstr "Ľahká aktualizácia"

#: admin/views/settings-info.php:63
#, php-format
msgid "To help make upgrading easy, <a href=\"%s\">login to your store account</a> and claim a free copy of ACF PRO!"
msgstr "Pre uľahčenie aktualizácie, <a href=\"%s\">prihláste sa do obchodu</a> a získajte zdarma ACF PRO!"

#: admin/views/settings-info.php:64
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, please contact our "
"support team via the <a href=\"%s\">help desk</a>"
msgstr ""
"Napísali sme <a href=\"%s\">príručku k aktualizácii</a>. Zodpovedali sme väčšinu otázok, ak však máte nejaké ďaľšie "
"kontaktuje <a href=\"%s\">našu podporu</a>"

#: admin/views/settings-info.php:72
msgid "Under the Hood"
msgstr "Pod kapotou"

#: admin/views/settings-info.php:77
msgid "Smarter field settings"
msgstr "Vylepšené nastavenia polí"

#: admin/views/settings-info.php:78
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF ukladá nastavenia polí ako jednotlivé objekty"

#: admin/views/settings-info.php:82
msgid "More AJAX"
msgstr "Viac AJAXu"

#: admin/views/settings-info.php:83
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "Pre rýchlejšie načítanie, používame AJAX vyhľadávanie"

#: admin/views/settings-info.php:87
msgid "Local JSON"
msgstr "Local JSON"

#: admin/views/settings-info.php:88
msgid "New auto export to JSON feature improves speed"
msgstr "Nový auto export JSON vylepšuje rýchlosť"

#: admin/views/settings-info.php:94
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"
msgstr "Nový auto export JSON obsahuje kontrolu verzií povolených polí"

#: admin/views/settings-info.php:99
msgid "Swapped XML for JSON"
msgstr "Vymenené XML za JSON"

#: admin/views/settings-info.php:100
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Import / Export teraz používa JSON miesto XML"

#: admin/views/settings-info.php:104
msgid "New Forms"
msgstr "Nové formuláre"

#: admin/views/settings-info.php:105
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr "Polia môžu patriť komentárom, widgetom a všetkým formulárom!"

#: admin/views/settings-info.php:112
msgid "A new field for embedding content has been added"
msgstr "Bolo pridané nové pole pre vložený obsah"

#: admin/views/settings-info.php:116
msgid "New Gallery"
msgstr "Nová galéria"

#: admin/views/settings-info.php:117
msgid "The gallery field has undergone a much needed facelift"
msgstr "Pole galérie vážne potrebovalo upraviť vzhľad"

#: admin/views/settings-info.php:121
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í"

#: admin/views/settings-info.php:128
msgid "Better Front End Forms"
msgstr "Lepšie vidieľné formuláre"

#: admin/views/settings-info.php:129
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() teraz po odoslaní môže vytvoriť nový príspevok"

#: admin/views/settings-info.php:133
msgid "Better Validation"
msgstr "Lepšie overovanie"

#: admin/views/settings-info.php:134
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "Overovanie formulára sa deje pomocou PHP a AJAX namiesto JS"

#: admin/views/settings-info.php:138
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)"

#: 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"

#: admin/views/settings-info.php:150 fields/page_link.php:36
msgid "Page Link"
msgstr "Odkaz stránky "

#: admin/views/settings-info.php:151
msgid "New archives group in page_link field selection"
msgstr "Nová skupina archívov vo výbere pola page_link"

#: admin/views/settings-info.php:155
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"

#: admin/views/settings-info.php:165
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Myslíme, že si zamilujete zmeny v %s."

#: admin/views/settings-tools-export.php:13
msgid "Export Field Groups to PHP"
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."
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."

#: admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Vyberte skupiny poľa na export "

#: admin/views/settings-tools.php:35
msgid "Export Field Groups"
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."
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."

#: admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Stiahnuť súbor na export"

#: admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Vytvoriť exportný kód"

#: admin/views/settings-tools.php:64
msgid "Import Field Groups"
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."

#: admin/views/settings-tools.php:77 fields/file.php:46
msgid "Select File"
msgstr "Vybrať subor "

#: admin/views/settings-tools.php:86
msgid "Import"
msgstr "Import "

#: admin/views/update-network.php:8 admin/views/update.php:8
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”."
msgstr ""

#: admin/views/update-network.php:19 admin/views/update-network.php:27
msgid "Site"
msgstr ""

#: admin/views/update-network.php:47
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: admin/views/update-network.php:49
msgid "Site is up to date"
msgstr ""

#: admin/views/update-network.php:62 admin/views/update.php:16
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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?"

#: admin/views/update-network.php:157
msgid "Upgrade complete"
msgstr ""

#: admin/views/update-network.php:161
msgid "Upgrading data to"
msgstr ""

#: admin/views/update-notice.php:23
msgid "Database Upgrade Required"
msgstr "Je potrebná aktualizácia databázy"

#: admin/views/update-notice.php:25
#, php-format
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."

#: admin/views/update.php:12
msgid "Reading upgrade tasks..."
msgstr "Čítanie aktualizačných úloh..."

#: admin/views/update.php:14
#, php-format
msgid "Upgrading data to version %s"
msgstr "Aktualizácia dát na verziu %s"

#: admin/views/update.php:16
msgid "See what's new"
msgstr "Pozrite sa, čo je nové"

#: admin/views/update.php:110
msgid "No updates available."
msgstr ""

#: api/api-helpers.php:821
msgid "Thumbnail"
msgstr "Náhľad "

#: api/api-helpers.php:822
msgid "Medium"
msgstr "Stredný "

#: api/api-helpers.php:823
msgid "Large"
msgstr "Veľký "

#: api/api-helpers.php:871
msgid "Full Size"
msgstr "Úplný "

#: api/api-helpers.php:1581
msgid "(no title)"
msgstr "(bez názvu)"

#: api/api-helpers.php:3183
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Šírka obrázku musí byť aspoň %dpx."

#: api/api-helpers.php:3188
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Šírka obrázku nesmie prekročiť %dpx."

#: api/api-helpers.php:3204
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Výška obrázku musí byť aspoň %dpx."

#: api/api-helpers.php:3209
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Výška obrázku nesmie prekročiť %dpx."

#: api/api-helpers.php:3227
#, php-format
msgid "File size must be at least %s."
msgstr "Veľkosť súboru musí byť aspoň %s."

#: api/api-helpers.php:3232
#, php-format
msgid "File size must must not exceed %s."
msgstr "Veľkosť súboru nesmie prekročiť %s."

#: api/api-helpers.php:3266
#, php-format
msgid "File type must be %s."
msgstr "Typ súboru musí byť %s."

#: api/api-template.php:1289 pro/fields/gallery.php:564
msgid "Update"
msgstr "Aktualizovať "

#: api/api-template.php:1290
msgid "Post updated"
msgstr "Príspevok akutalizovaný "

#: core/field.php:131
msgid "Basic"
msgstr "Základné "

#: core/field.php:132
msgid "Content"
msgstr "Obsah "

#: core/field.php:133
msgid "Choice"
msgstr "Voľba "

#: core/field.php:134
msgid "Relational"
msgstr "Relačný "

#: core/field.php:135
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
msgid "Layout"
msgstr "Rozmiestnenie"

#: core/input.php:129
msgid "Expand Details"
msgstr "Zväčšiť detaily "

#: core/input.php:130
msgid "Collapse Details"
msgstr "Zmenšiť detaily "

#: core/input.php:131
msgid "Validation successful"
msgstr "Overenie bolo úspešné"

#: core/input.php:132
msgid "Validation failed"
msgstr "Overenie zlyhalo. "

#: core/input.php:133
msgid "1 field requires attention"
msgstr ""

#: core/input.php:134
#, php-format
msgid "%d fields require attention"
msgstr ""

#: core/input.php:135
msgid "Restricted"
msgstr ""

#: core/input.php:533
#, php-format
msgid "%s value is required"
msgstr "vyžaduje sa hodnota %s"

#: fields/checkbox.php:36 fields/taxonomy.php:752
msgid "Checkbox"
msgstr "Zaškrtávacie políčko "

#: fields/checkbox.php:144
msgid "Toggle All"
msgstr "Prepnúť všetky"

#: fields/checkbox.php:208 fields/radio.php:193 fields/select.php:388
msgid "Choices"
msgstr "Voľby "

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
msgid "Enter each choice on a new line."
msgstr "Zadajte každú voľbu do nového riadku. "

#: 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 "Pre lepšiu kontrolu, môžete určiť hodnotu a popis takto:"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
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
msgid "Default Value"
msgstr "Základná hodnota "

#: fields/checkbox.php:218 fields/select.php:398
msgid "Enter each default value on a new line"
msgstr "Zadajte každú základnú hodnotu na nový riadok "

#: fields/checkbox.php:232 fields/radio.php:237
msgid "Vertical"
msgstr "Vertikálne "

#: fields/checkbox.php:233 fields/radio.php:238
msgid "Horizontal"
msgstr "Horizontálne "

#: fields/checkbox.php:240
msgid "Toggle"
msgstr ""

#: fields/checkbox.php:241
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: fields/color_picker.php:36
msgid "Color Picker"
msgstr "Výber farby "

#: fields/color_picker.php:94
msgid "Clear"
msgstr "Vyčistiť"

#: fields/color_picker.php:95
msgid "Default"
msgstr "Predvolené "

#: fields/color_picker.php:96
msgid "Select Color"
msgstr "Farba"

#: fields/date_picker.php:36
msgid "Date Picker"
msgstr "Výber dátumu "

#: fields/date_picker.php:72
msgid "Done"
msgstr "Hotovo "

#: fields/date_picker.php:73
msgid "Today"
msgstr "Dnes "

#: fields/date_picker.php:76
msgid "Show a different month"
msgstr "Zobraziť iný mesiac "

#: fields/date_picker.php:149
msgid "Display Format"
msgstr "Formát zobrazenia "

#: fields/date_picker.php:150
msgid "The format displayed when editing a post"
msgstr "Formát zobrazený pri úprave článku"

#: fields/date_picker.php:164
msgid "Return format"
msgstr "Formát odpoveďe "

#: fields/date_picker.php:165
msgid "The format returned via template functions"
msgstr "Formát vrátený pomocou funkcii šablóny"

#: fields/date_picker.php:180
msgid "Week Starts On"
msgstr "Týždeň začína "

#: fields/email.php:36
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
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
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
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
msgid "Prepend"
msgstr "Predpona"

#: 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
msgid "Append"
msgstr "Prípona"

#: 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"

#: fields/file.php:36
msgid "File"
msgstr "Súbor "

#: fields/file.php:47
msgid "Edit File"
msgstr "Upraviť súbor "

#: fields/file.php:48
msgid "Update File"
msgstr "Aktualizovať súbor "

#: fields/file.php:49 pro/fields/gallery.php:55
msgid "uploaded to this post"
msgstr "Nahrané do príspevku "

#: fields/file.php:142
msgid "File Name"
msgstr "Názov súboru"

#: fields/file.php:146
msgid "File Size"
msgstr "Veľkosť súboru"

#: fields/file.php:169
msgid "No File selected"
msgstr "Nevybrali ste súbor "

#: fields/file.php:169
msgid "Add File"
msgstr "Pridať súbor "

#: fields/file.php:214 fields/image.php:195 fields/taxonomy.php:821
msgid "Return Value"
msgstr "Vrátiť hodnotu "

#: fields/file.php:215 fields/image.php:196
msgid "Specify the returned value on front end"
msgstr "Zadajte hodnotu, ktorá sa objaví na stránke"

#: fields/file.php:220
msgid "File Array"
msgstr "Súbor "

#: fields/file.php:221
msgid "File URL"
msgstr "URL adresa súboru "

#: fields/file.php:222
msgid "File ID"
msgstr "ID súboru "

#: fields/file.php:229 fields/image.php:220 pro/fields/gallery.php:647
msgid "Library"
msgstr "Knižnica "

#: fields/file.php:230 fields/image.php:221 pro/fields/gallery.php:648
msgid "Limit the media library choice"
msgstr "Obmedziť výber knižnice médií "

#: fields/file.php:236 fields/image.php:227 pro/fields/gallery.php:654
msgid "Uploaded to post"
msgstr "Nahrané do príspevku "

#: fields/file.php:243 fields/image.php:234 pro/fields/gallery.php:661
msgid "Minimum"
msgstr "Minimálny počet"

#: fields/file.php:244 fields/file.php:255
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
msgid "File size"
msgstr "Veľkosť súboru "

#: fields/file.php:254 fields/image.php:267 pro/fields/gallery.php:694
msgid "Maximum"
msgstr "Maximálny počet"

#: fields/file.php:265 fields/image.php:300 pro/fields/gallery.php:727
msgid "Allowed file types"
msgstr "Povolené typy súborov"

#: fields/file.php:266 fields/image.php:301 pro/fields/gallery.php:728
msgid "Comma separated list. Leave blank for all types"
msgstr "Zoznam, oddelený čiarkou. Nechajte prázdne pre všetky typy"

#: fields/google-map.php:36
msgid "Google Map"
msgstr "Google Mapa "

#: fields/google-map.php:51
msgid "Locating"
msgstr "Poloha"

#: fields/google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Ľutujeme, tento prehliadač nepodporuje geo hľadanie polohy "

#: fields/google-map.php:135
msgid "Clear location"
msgstr "Vymazať polohu "

#: fields/google-map.php:140
msgid "Find current location"
msgstr "Nájsť aktuálnu polohu "

#: fields/google-map.php:141
msgid "Search for address..."
msgstr "Hľadať adresu... "

#: fields/google-map.php:173 fields/google-map.php:184
msgid "Center"
msgstr "Stred "

#: fields/google-map.php:174 fields/google-map.php:185
msgid "Center the initial map"
msgstr "Vycentrovať úvodnú mapu "

#: fields/google-map.php:198
msgid "Zoom"
msgstr "Zoom"

#: fields/google-map.php:199
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
msgid "Height"
msgstr "Výška "

#: fields/google-map.php:209
msgid "Customise the map height"
msgstr "Upraviť výšku mapy "

#: fields/image.php:36
msgid "Image"
msgstr "Obrázok "

#: fields/image.php:51
msgid "Select Image"
msgstr "Vybrať obrázok "

#: fields/image.php:52 pro/fields/gallery.php:53
msgid "Edit Image"
msgstr "Upraviť obrázok "

#: fields/image.php:53 pro/fields/gallery.php:54
msgid "Update Image"
msgstr "Aktualizovať obrázok "

#: fields/image.php:54
msgid "Uploaded to this post"
msgstr "Nahrané do príspevku "

#: fields/image.php:55
msgid "All images"
msgstr "Všetky obrázky"

#: fields/image.php:147
msgid "No image selected"
msgstr "Nevybrali ste obrázok "

#: fields/image.php:147
msgid "Add Image"
msgstr "Pridať obrázok "

#: fields/image.php:201
msgid "Image Array"
msgstr "Obrázok "

#: fields/image.php:202
msgid "Image URL"
msgstr "URL adresa obrázka "

#: fields/image.php:203
msgid "Image ID"
msgstr "ID obrázka "

#: fields/image.php:210 pro/fields/gallery.php:637
msgid "Preview Size"
msgstr "Veľkosť náhľadu "

#: fields/image.php:211 pro/fields/gallery.php:638
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
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
msgid "Width"
msgstr "Šírka"

#: fields/message.php:36 fields/message.php:103 fields/true_false.php:106
msgid "Message"
msgstr "Správa "

#: fields/message.php:104
msgid "Please note that all text will first be passed through the wp function "
msgstr "Všetky texty najprv prejdú cez funkciu wp "

#: fields/message.php:112
msgid "Escape HTML"
msgstr "Eskapovať HTML (€ za &euro;)"

#: 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"

#: fields/number.php:36
msgid "Number"
msgstr "Číslo "

#: fields/number.php:186
msgid "Minimum Value"
msgstr "Minimálna hodnota "

#: fields/number.php:195
msgid "Maximum Value"
msgstr "Maximálna hodnota "

#: fields/number.php:204
msgid "Step Size"
msgstr "Veľkosť kroku "

#: fields/number.php:242
msgid "Value must be a number"
msgstr "Hodnota musí byť číslo"

#: fields/number.php:260
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Hodnota musí byť rovná alebo väčšia ako %d"

#: fields/number.php:268
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Hodnota musí byť rovná alebo nižšia ako %d"

#: fields/oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: fields/oembed.php:199
msgid "Enter URL"
msgstr "Vložiť URL"

#: fields/oembed.php:212
msgid "No embed found for the given URL."
msgstr "Nebol nájdený obsah na zadanej URL adrese."

#: fields/oembed.php:248 fields/oembed.php:259
msgid "Embed Size"
msgstr "Veľkosť vloženého obsahu"

#: fields/page_link.php:206
msgid "Archives"
msgstr "Archívy "

#: 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
msgid "All post types"
msgstr "Všetky typy príspevkov "

#: 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
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
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
msgid "Select multiple values?"
msgstr "Vybrať viac hodnôt? "

#: fields/password.php:36
msgid "Password"
msgstr "Heslo "

#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769
msgid "Post Object"
msgstr "Objekt príspevku "

#: fields/post_object.php:457 fields/relationship.php:764
msgid "Return Format"
msgstr "Formát odpovede"

#: fields/post_object.php:463 fields/relationship.php:770
msgid "Post ID"
msgstr "ID príspevku"

#: fields/radio.php:36
msgid "Radio Button"
msgstr "Prepínač "

#: fields/radio.php:202
msgid "Other"
msgstr "Iné "

#: fields/radio.php:206
msgid "Add 'other' choice to allow for custom values"
msgstr "Pridať možnosť 'iné' pre povolenie vlastných hodnôt"

#: fields/radio.php:212
msgid "Save Other"
msgstr "Uložiť hodnoty iné"

#: fields/radio.php:216
msgid "Save 'other' values to the field's choices"
msgstr "Uložiť hodnoty 'iné' do výberu poľa"

#: fields/relationship.php:36
msgid "Relationship"
msgstr "Vzťah "

#: fields/relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr ""

#: fields/relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Maximálne dosiahnuté hodnoty ( {max} values ) "

#: fields/relationship.php:50
msgid "Loading"
msgstr "Nahrávanie"

#: fields/relationship.php:51
msgid "No matches found"
msgstr "Nebola nenájdená zhoda"

#: fields/relationship.php:571
msgid "Search..."
msgstr "Hľadanie... "

#: fields/relationship.php:580
msgid "Select post type"
msgstr "Vybrať typ príspevku "

#: fields/relationship.php:593
msgid "Select taxonomy"
msgstr "Vyberte ktorá taxonómiu"

#: fields/relationship.php:723
msgid "Search"
msgstr "Hľadanie"

#: fields/relationship.php:725 fields/taxonomy.php:36 fields/taxonomy.php:735
msgid "Taxonomy"
msgstr "Taxonómia"

#: fields/relationship.php:732
msgid "Elements"
msgstr "Prvky "

#: fields/relationship.php:733
msgid "Selected elements will be displayed in each result"
msgstr "Vybraté prvky budú zobrazené v každom výsledku "

#: fields/relationship.php:744
msgid "Minimum posts"
msgstr ""

#: fields/relationship.php:753
msgid "Maximum posts"
msgstr "Maximálny počet príspevkov "

#: fields/select.php:36 fields/select.php:174 fields/taxonomy.php:757
msgid "Select"
msgstr "Vybrať "

#: fields/select.php:434
msgid "Stylised UI"
msgstr "Štýlované používateľské rozhranie"

#: fields/select.php:448
msgid "Use AJAX to lazy load choices?"
msgstr "Použiť AJAX pre výber pomalšieho načítania?"

#: fields/tab.php:36
msgid "Tab"
msgstr "Záložka "

#: fields/tab.php:128
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"
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."

#: 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\"."

#: 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."
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."

#: fields/tab.php:155
msgid "Placement"
msgstr "Umiestnenie"

#: fields/tab.php:167
msgid "End-point"
msgstr ""

#: fields/tab.php:168
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""

#: fields/taxonomy.php:565
#, php-format
msgid "Add new %s "
msgstr ""

#: fields/taxonomy.php:704
msgid "None"
msgstr "Žiadna "

#: fields/taxonomy.php:736
msgid "Select the taxonomy to be displayed"
msgstr ""

#: fields/taxonomy.php:745
msgid "Appearance"
msgstr ""

#: fields/taxonomy.php:746
msgid "Select the appearance of this field"
msgstr ""

#: fields/taxonomy.php:751
msgid "Multiple Values"
msgstr "Viaceré hodnoty"

#: fields/taxonomy.php:753
msgid "Multi Select"
msgstr "Viacnásobný výber "

#: fields/taxonomy.php:755
msgid "Single Value"
msgstr "Jedna hodnota "

#: fields/taxonomy.php:756
msgid "Radio Buttons"
msgstr "Prepínače "

#: fields/taxonomy.php:779
msgid "Create Terms"
msgstr ""

#: fields/taxonomy.php:780
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: fields/taxonomy.php:793
msgid "Save Terms"
msgstr ""

#: fields/taxonomy.php:794
msgid "Connect selected terms to the post"
msgstr ""

#: fields/taxonomy.php:807
msgid "Load Terms"
msgstr ""

#: fields/taxonomy.php:808
msgid "Load value from posts terms"
msgstr ""

#: fields/taxonomy.php:826
msgid "Term Object"
msgstr "Objekt výrazu "

#: fields/taxonomy.php:827
msgid "Term ID"
msgstr "ID výrazu "

#: fields/taxonomy.php:886
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: fields/taxonomy.php:899
#, php-format
msgid "%s already exists"
msgstr ""

#: fields/taxonomy.php:940
#, php-format
msgid "%s added"
msgstr ""

#: fields/taxonomy.php:985
msgid "Add"
msgstr ""

#: fields/text.php:36
msgid "Text"
msgstr "Text "

#: fields/text.php:184 fields/textarea.php:163
msgid "Character Limit"
msgstr "Limit znakov "

#: fields/text.php:185 fields/textarea.php:164
msgid "Leave blank for no limit"
msgstr "Nechajte prázdne pre neobmedzený počet"

#: fields/textarea.php:36
msgid "Text Area"
msgstr "Textové pole "

#: fields/textarea.php:172
msgid "Rows"
msgstr "Riadky"

#: fields/textarea.php:173
msgid "Sets the textarea height"
msgstr "Nastaví výšku textovej oblasti"

#: fields/textarea.php:182
msgid "New Lines"
msgstr "Nové riadky"

#: fields/textarea.php:183
msgid "Controls how new lines are rendered"
msgstr "Ovláda ako sú tvorené nové riadky"

#: fields/textarea.php:187
msgid "Automatically add paragraphs"
msgstr "Automaticky pridá odseky"

#: fields/textarea.php:188
msgid "Automatically add &lt;br&gt;"
msgstr "Automaticky pridáva  &lt;br&gt;"

#: fields/textarea.php:189
msgid "No Formatting"
msgstr "Žiadne formátovanie"

#: fields/true_false.php:36
msgid "True / False"
msgstr "Správne / nesprávne "

#: fields/true_false.php:107
msgid "eg. Show extra content"
msgstr "napr. zobraziť extra obsah "

#: fields/url.php:36
msgid "Url"
msgstr "URL adresa"

#: fields/url.php:160
msgid "Value must be a valid URL"
msgstr "Hodnota musí obsahovať platnú URL adresu"

#: fields/user.php:437
msgid "Filter by role"
msgstr "Filtrovať podla role "

#: fields/user.php:445
msgid "All user roles"
msgstr "Všekty používatelské role"

#: fields/wysiwyg.php:37
msgid "Wysiwyg Editor"
msgstr "Vizuálny úpravca"

#: fields/wysiwyg.php:297
msgid "Visual"
msgstr "Vizuálny"

#: fields/wysiwyg.php:298
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text "

#: fields/wysiwyg.php:354
msgid "Tabs"
msgstr "Záložky"

#: fields/wysiwyg.php:359
msgid "Visual & Text"
msgstr "Vizuálny a textový"

#: fields/wysiwyg.php:360
msgid "Visual Only"
msgstr "Iba vizuálny"

#: fields/wysiwyg.php:361
msgid "Text Only"
msgstr "Iba textový"

#: fields/wysiwyg.php:368
msgid "Toolbar"
msgstr "Panel nástrojov "

#: fields/wysiwyg.php:378
msgid "Show Media Upload Buttons?"
msgstr "Zobraziť tlačidlá nahrávania médií? "

#: forms/post.php:297 pro/admin/options-page.php:373
msgid "Edit field group"
msgstr "Upraviť skupinu polí "

#: pro/acf-pro.php:24
msgid "Advanced Custom Fields PRO"
msgstr "ACF PRO"

#: pro/acf-pro.php:175
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibilný obsah vyžaduje aspoň jedno rozloženie"

#: pro/admin/options-page.php:48
msgid "Options Page"
msgstr "Stránka nastavení "

#: pro/admin/options-page.php:83
msgid "No options pages exist"
msgstr "Neexistujú nastavenia stránok"

#: pro/admin/options-page.php:298
msgid "Options Updated"
msgstr "Nastavenia aktualizované"

#: pro/admin/options-page.php:304
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr "Pre túto stránku neboli nájdené žiadne vlastné skupiny polí. <a href=\"%s\">Vytvoriť novú vlastnú skupinu polí</a>"

#: pro/admin/settings-updates.php:137
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Chyba</b>. Nie je možné sa spojiť so serverom"

#: pro/admin/settings-updates.php:267 pro/admin/settings-updates.php:338
msgid "<b>Connection Error</b>. Sorry, please try again"
msgstr "<b>Chyba spojenia</b>. Prosím skúste pokus opakovať."

#: pro/admin/views/options-page.php:48
msgid "Publish"
msgstr "Publikovať "

#: pro/admin/views/options-page.php:54
msgid "Save Options"
msgstr "Uložiť nastavenia"

#: pro/admin/views/settings-updates.php:11
msgid "Deactivate License"
msgstr "Deaktivovať licenciu"

#: pro/admin/views/settings-updates.php:11
msgid "Activate License"
msgstr "Aktivovať licenciu"

#: pro/admin/views/settings-updates.php:21
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"

#: pro/admin/views/settings-updates.php:24
msgid "details & pricing"
msgstr "detaily a ceny"

#: pro/admin/views/settings-updates.php:33
msgid "License Key"
msgstr "Licenčný kľúč"

#: pro/admin/views/settings-updates.php:65
msgid "Update Information"
msgstr "Aktualizovať infromácie"

#: pro/admin/views/settings-updates.php:72
msgid "Current Version"
msgstr "Aktuálna verzia"

#: pro/admin/views/settings-updates.php:80
msgid "Latest Version"
msgstr "Posledná verzia"

#: pro/admin/views/settings-updates.php:88
msgid "Update Available"
msgstr "Dostupná aktualizácia"

#: pro/admin/views/settings-updates.php:96
msgid "Update Plugin"
msgstr "Aktualizovať modul"

#: pro/admin/views/settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Pre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúč"

#: pro/admin/views/settings-updates.php:104
msgid "Check Again"
msgstr "Skontrolovať znova"

#: pro/admin/views/settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Oznam o aktualizácii"

#: pro/api/api-options-page.php:22 pro/api/api-options-page.php:23
msgid "Options"
msgstr "Nastavenia "

#: pro/core/updates.php:186
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't have a licence "
"key, please see <a href=\"%s\">details & pricing</a>"
msgstr ""
"Aby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke <a href=\"%s\">aktualizácií</a>. Ak nemáte licenčný "
"kľúč, porizte si <a href=\"%s\">podrobnosti a ceny</a>."

#: pro/fields/flexible-content.php:36
msgid "Flexible Content"
msgstr "Flexibilný obsah "

#: pro/fields/flexible-content.php:42 pro/fields/repeater.php:43
msgid "Add Row"
msgstr "Pridať riadok"

#: pro/fields/flexible-content.php:45
msgid "layout"
msgstr "rozloženie"

#: pro/fields/flexible-content.php:46
msgid "layouts"
msgstr "rozloženia"

#: pro/fields/flexible-content.php:47
msgid "remove {layout}?"
msgstr "odstrániť {layout}?"

#: pro/fields/flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Toto pole vyžaduje najmenej {min} {identifier}"

#: pro/fields/flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Toto pole vyžaduje najviac {max} {identifier}"

#: pro/fields/flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Toto pole vyžaduje najmenej {min} {label} {identifier}"

#: pro/fields/flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maximálny {label} limit dosiahnutý ({max} {identifier})"

#: pro/fields/flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} dostupné (max {max})"

#: pro/fields/flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} vyžadované (min {min})"

#: pro/fields/flexible-content.php:211
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Pre vytvorenie rozloženia kliknite na tlačidlo \"%s\""

#: pro/fields/flexible-content.php:369
msgid "Add layout"
msgstr "Pridať rozloženie"

#: pro/fields/flexible-content.php:372
msgid "Remove layout"
msgstr "Odstrániť rozloženie"

#: pro/fields/flexible-content.php:514
msgid "Reorder Layout"
msgstr "Usporiadať rozloženie"

#: pro/fields/flexible-content.php:514
msgid "Reorder"
msgstr "Zmeniť poradie"

#: pro/fields/flexible-content.php:515
msgid "Delete Layout"
msgstr "Vymazať rozloženie"

#: pro/fields/flexible-content.php:516
msgid "Duplicate Layout"
msgstr "Duplikovať rozloženie"

#: pro/fields/flexible-content.php:517
msgid "Add New Layout"
msgstr "Pridať nové rozloženie"

#: pro/fields/flexible-content.php:561
msgid "Display"
msgstr "Zobrazenie"

#: pro/fields/flexible-content.php:572 pro/fields/repeater.php:399
msgid "Table"
msgstr "Tabuľka"

#: pro/fields/flexible-content.php:573 pro/fields/repeater.php:400
msgid "Block"
msgstr "Blok"

#: pro/fields/flexible-content.php:574 pro/fields/repeater.php:401
msgid "Row"
msgstr "Riadok"

#: pro/fields/flexible-content.php:589
msgid "Min"
msgstr "Min"

#: pro/fields/flexible-content.php:602
msgid "Max"
msgstr "Max"

#: pro/fields/flexible-content.php:630 pro/fields/repeater.php:408
msgid "Button Label"
msgstr "Označenie tlačidla"

#: pro/fields/flexible-content.php:639
msgid "Minimum Layouts"
msgstr "Minimálne rozloženie"

#: pro/fields/flexible-content.php:648
msgid "Maximum Layouts"
msgstr "Maximálne rozloženie"

#: pro/fields/gallery.php:36
msgid "Gallery"
msgstr "Galéria"

#: pro/fields/gallery.php:52
msgid "Add Image to Gallery"
msgstr "Pridať obrázok do galérie"

#: pro/fields/gallery.php:56
msgid "Maximum selection reached"
msgstr "Maximálne dosiahnuté hodnoty"

#: pro/fields/gallery.php:335
msgid "Length"
msgstr "Dĺžka"

#: pro/fields/gallery.php:355
msgid "Remove"
msgstr "Odstrániť"

#: pro/fields/gallery.php:535
msgid "Add to gallery"
msgstr "Pridať do galérie"

#: pro/fields/gallery.php:539
msgid "Bulk actions"
msgstr "Hromadné akcie"

#: pro/fields/gallery.php:540
msgid "Sort by date uploaded"
msgstr "Triediť podľa dátumu nahrania"

#: pro/fields/gallery.php:541
msgid "Sort by date modified"
msgstr "Triediť podľa poslednej úpravy"

#: pro/fields/gallery.php:542
msgid "Sort by title"
msgstr "Triediť podľa názvu"

#: pro/fields/gallery.php:543
msgid "Reverse current order"
msgstr "Zvrátiť aktuálnu objednávku"

#: pro/fields/gallery.php:561
msgid "Close"
msgstr "Zatvoriť "

#: pro/fields/gallery.php:619
msgid "Minimum Selection"
msgstr "Minimálny výber"

#: pro/fields/gallery.php:628
msgid "Maximum Selection"
msgstr "Maximálny výber"

#: pro/fields/gallery.php:809
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s vyžaduje výber najmenej %s"
msgstr[1] "%s vyžadujú výber najmenej %s"
msgstr[2] "%s vyžaduje výbej najmenej %s"

#: pro/fields/repeater.php:36
msgid "Repeater"
msgstr "Opakovač"

#: pro/fields/repeater.php:46
msgid "Minimum rows reached ({min} rows)"
msgstr "Dosiahnutý počet minimálneho počtu riadkov ({min} rows)"

#: pro/fields/repeater.php:47
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximálny počet riadkov ({max} rows)"

#: pro/fields/repeater.php:259
msgid "Drag to reorder"
msgstr "Zmeňte poradie pomocou funkcie ťahaj a pusť"

#: pro/fields/repeater.php:301
msgid "Add row"
msgstr "Pridať riadok"

#: pro/fields/repeater.php:302
msgid "Remove row"
msgstr "Odstrániť riadok"

#: pro/fields/repeater.php:350
msgid "Sub Fields"
msgstr "Podpolia"

#: pro/fields/repeater.php:372
msgid "Minimum Rows"
msgstr "Minimálny počet riadkov"

#: pro/fields/repeater.php:382
msgid "Maximum Rows"
msgstr "Maximálny počet riadkov"

#. Plugin Name of the plugin/theme
msgid "Advanced Custom Fields Pro"
msgstr ""

#. Plugin URI of the plugin/theme
msgid "http://www.advancedcustomfields.com/"
msgstr ""

#. Description of the plugin/theme
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""

#. Author of the plugin/theme
msgid "elliot condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#~ msgid "Hide / Show All"
#~ msgstr "Schovať / Zobraziť všetky "

#~ msgid "Show Field Keys"
#~ msgstr "Zobraziť kľúč poľa"

#~ msgid "Pending Review"
#~ msgstr "Recenzia čaká na schválenie "

#~ msgid "Draft"
#~ msgstr "Koncept "

#~ msgid "Future"
#~ msgstr "Budúce "

#~ msgid "Private"
#~ msgstr "Súkromné "

#~ msgid "Revision"
#~ msgstr "Revízia "

#~ msgid "Trash"
#~ msgstr "Kôš "

#~ msgid "Import / Export"
#~ msgstr "Import / Export"

#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "Skupiny polí sú vytvorené v poradí <br /> 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."
#~ 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."

#~ 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"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Zistite prečo by ste mali používať ACF PRO"

#~ msgid "Update Database"
#~ msgstr "Aktualizácia databázy "

#~ msgid "Data Upgrade"
#~ msgstr "Aktualizovať dáta"

#~ msgid "Data upgraded successfully."
#~ msgstr "Úspešne aktualizované data."

#~ msgid "Data is at the latest version."
#~ msgstr "Dáta sú aktuálne."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "1 povinné pole je prázdne"
#~ msgstr[1] "%s povinné polia sú prázdne"
#~ msgstr[2] "%s povinných polí je prázdnych"

#~ 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 "file"
#~ msgstr "subor"

#~ msgid "image"
#~ msgstr "obrazok"

#~ msgid "expand_details"
#~ msgstr "zvacsit_detaily"

#~ msgid "collapse_details"
#~ msgstr "zmensit_detaily"

#~ msgid "relationship"
#~ msgstr "vztah"

#~ msgid "unload"
#~ msgstr "unload"

#~ msgid "title_is_required"
#~ msgstr "nadpis_je_povinny"

#~ msgid "move_to_trash"
#~ msgstr "move_to_trash"

#~ msgid "move_field_warning"
#~ msgstr "move_field_warning"

#~ msgid "move_field"
#~ msgstr "presunut_pole"

#~ msgid "field_name_start"
#~ msgstr "field_name_start"

#~ msgid "null"
#~ msgstr "null"

#~ msgid "hide_show_all"
#~ msgstr "skryt_zobrazit_vsetko"

#~ msgid "flexible_content"
#~ msgstr "flexibilny_obsah"

#~ msgid "gallery"
#~ msgstr "galeria"

#~ msgid "repeater"
#~ msgstr "opakovac"

#, fuzzy
#~ msgid "Custom field updated."
#~ msgstr "Vlastné pole aktualizované."

#, fuzzy
#~ msgid "Custom field deleted."
#~ msgstr "Vlastné pole vymazané."

#~ msgid "Field group duplicated! Edit the new \"%s\" field group."
#~ msgstr "Pole skupiny bolo duplikované! Upravnte novú pole  \"%s\""

#~ msgid "Import/Export"
#~ msgstr "Import/Export"

#~ msgid "Column Width"
#~ msgstr "Šírka stĺpca"

#~ msgid "Attachment Details"
#~ msgstr "Detialy prílohy"
PK�
�[V.�\����lang/acf-de_DE.monu�[������L�|*�8�8�8�8D�8%9
:9
E9P9]9i9z�90�9=0:n:�:�:��:	^;h;y;M�;�;-�;
<<	<<3<
;<I<]<l<
t<<�<�<�<�<�<�<�<�<�=�=
�=>>!>!0>R>f>As>�>,�>4�>#?6?
??J?b? {?�?�?�?�?�?
�?
�?�?�?@7@I@O@\@i@�@�@�@C�@�@�@AAA$A
,A7A>A	UA_AoA{A�A�A�A�A�A�A9�ABB.B:B@BLBYB	jBtB/�B�B�B�B"�B�B�B#C2C9CKC[XC
�C�C�C�C
�C�CEDMDfDG�D:�DEE -ENEkE�E�E�E!�E"�E#F!=F,_F,�F%�F�F!�F%G%EG-kG!�G*�G�G�GH
HZ HV{H�H�H
�H�H
I
I!I)I,8I$eI
�I�I�I	�I�I�I�I�IJJ
#J.J	?J
IJ
TJ_JpJ
yJ�J
�J�J	�J �J&�J&�JK&K.K=KQK1]K�K�K�K�K
�K�K
�K
�K�K�K3LNLeLxLi�L�L7MLMjM1M�M�MT�M'N
,N7N?N	HN	RN\N"{N�N�N�N�N�N�NO+OCEO@�O�O�O�O
�O	�O�O�O
P
%P0P=6PtP
�P�P�P�P�P
�P��PVQ\QhQ	qQ#{Q"�Q"�Q!�QRR'R/9R
iRwR�R�RQ�R��R�S�S�S	�S�S�S4�STy-T�T�T�T�T�T�T�T�TU"U)U1UEUQUpU
uU
�U�U
�U�U�U
�U�U	�U��U�V�V�V�V�V
�V
�V!�V�V'W=WDW	IWSWbWhWpWtW|W�W�W
�W
�W!�W	�W�W=XDXIXXX
jXuX�X
�X�X�X�X�X1�XY	*Y4YDY	WYUaY�YM�YRZeZ`hZ�Z�Z�Z[
'[5[TN[�[�[�[�[�[�[\.\E\J\Q\Z\b\g\�\�\�\�\	�\�\�\�\	�\�\
�\	�\�\]!]	*]4]	E]MO]5�]+�],�],^5^
:^H^T^\^h^
t^
�^	�^�^
�^�^�^�^�^/�^#_<_I_M_U_
b_p_2v_�_��_j`
s`~`�`
�`
�`�`�`�`	�`	�`$�`%a
*a
5aCaPafa	}a�a�a�a+�a*�a�a�a
b
bb31beblb
�b�b	�b.�b	�b�b�bcc!c0-c^c+vc�c�c��c#Sdwd#�e5�e7�e>f?Wf#�f1�f%�fGgV[g&�g:�g<h2Qh�h�h�h	�h�h�hii'i@iSimi�i�i6�i�i�i,�ijj0 jQjgj
}j
�j'�j0�j4�j'k'Bkjk�k	�k�k�k
�k�k�k�k�k�k�k�kllll#l,l4l@lLl	Ql	[lel|l1�l!�lZ�l3DmBxmU�mEnAWnZ�nA�n^6p(�p*�p#�p^
q@lq<�q4�q7r3WrL�r	�r�r5�r$s�*s��sit
pt{t�t�t�t�t�t�t
�t�t�t�tuuu
0u>uFuWu
futu�u�uW�uvv2v6vUv
Zv	evovwv	�v�v�v�v�v�v�v�vww.wDwZwqw(�w'�w#�wxx
$x/x@xQxcx
jxxx��x')yMQy�y�y!�y
�y�y�y�yzzzMzizmzszxz%�z�z�z�z�z�z�z
�z{{{#{	&{	0{:{F{R{6X{4�{6�{0�~,<KU���
��-��+�Vɀq ���!��$ҁ���	Ȃ҂	�_�N�TZ���ȃڃ�	��#�=�V�j�$}�����΄
���&�+�;�?�]�i�{���+��ˆ�M��K�=`�>��݇���&�"+�1N�?��	��	ʈԈ݈����(�'4�\�	{�������։�
�^��]�p�
����	����
��ˊ׊��	�
�)�2�&>�e�m�����%��#‹�	��
	��
$�/�
B�M�NY�	��
����4ڌ��.%�T�\�{�d�����,�A�U�Yk�Ŏ-�M�N^�
����	ȏ
ҏݏߏ�����
���$�1�8�?�F�
N�Y�i�n�w�������}��u1���Ñ̑
ܑ�
���
�=�$[�
��������ǒڒ�� �
=�H�X�n��������
��̓ӓٓ�5�0%�4V���
������͔Cߔ#�0�
5�@�L�[�l�u�}�$��1������7��8�1;�m�>��ŗݗs�X�^�j�	s�	}���)��.���� �8�K�R�k�0|�^��b�o�	v�&��
��
����
Ț%֚���R�b�o�~���
����
���țk�
p�{���/��2��0�5 �V�n���4��ԝ�"�%�O-��}�l�~�	��������M��&��6�
Р۠�&�,�2�E�!L�n���	������(���
�	����-�@�E�R�
[��f���!�8�R�c�o�5����4٣���(�8�
?�J�N�V�m�������5��	���f�y�&����˥&ܥ'�+�@�M�
d�r�w�|�
������ƦbҦ5�hH�z��,�_1���(��ը#��"�x@���ѩ��&�%/�"U�x���	����
��	��"��ܪ
��	��!�)�/�@�L�a�	q�
{�&����	��ëӫj߫ZJ�4��8ڬ��$�6�E�Q�a�p���
������ĭ߭���U#�y�����������Ȯ8ܮ%��;�6�
C�	N�	X�b�s�	������
����5Ѱ4�<�K�
[�i���
������ñGʱB�U�r�������;�����
�*�	E�<O�
������³ӳ�L�@�:[��������$o�W��2��9�#R�"v�����!̷L�_;���$��$ϸ=�2�K�c�t�.��!��
ҹ)�
�#�!;�B]�����^ɺ(�0�=H���	��.��ƻ��
�-"�;P�E��Ҽ,��1�8�E�J�e�q���������ɽ�����
�	�(�4�D�P�_�o�.x�0��1ؾ)
�n4�3��Q׿s)�L��K�l6�f��t
�6�6��9��n'�-��O��9�;N�D��_��/�<�FH��������������	�� ����
����	���
2�@�Z�n����������������,�eJ�������<��,�5�D�U�a�
q�+���������
����.�C�#U�y� ��&��%��)�*�J�
S�a�u������������2�����A�I�%^���������������y��G�K�R�X�%u���
��������	������������	��
�
�
�)�50�8f�_��XWq���@1a�7��$'���rD�IR]x�I8v#(���f<h����B]r^/S� SUM�)`�&�j��	� ��Q����8
�,��z��+}���;/�k��+7o_'h`��5&���tU.���>�g�f
�����;�c$t"tic*�P����F���3�jl�/��.�>��A�bT��u�����h��r��
�����zTmG�)�=�.��v���p0y�iQC���Gq,���#��Jp1Sn{,�Zb&*����0�v��E�_}g�[6g�?�FU��<���CQ��b�9���-�u��|YV�Z�B5����W����4�"��;�)s�� (?kV�8EL2i%�q�:�zay%D�M��~��	�P�T=(I��@4X>�2RaWf��M��:���G�F���e5[=��x3�L
\�VoH�N2|����6�k
KwZ�O�����e�!m�s����d���~N�����n	��j$�c�PK9X[�����������
��d94��|J�������^*��-�Y���O���R�\�-����x:��u���"���{�#{�6C<+o�'�m!��B�J?��\����l�]NEs^7H0�HKA3wy`�1Y���~���pD����@O����}l%��A�nw�����dL�e!�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceA custom gallery slider.A custom testimonial block.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!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSliderSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTestimonialTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.8
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-05-09 15:51+0200
PO-Revision-Date: 2019-05-09 17:23+0200
Last-Translator: Ralf Koller <r.koller@gmail.com>
Language-Team: Ralf Koller <r.koller@gmail.com>
Language: de_DE
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.2.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Für %d Felder ist eine Aktualisierung notwendig%s hinzugefügt%s ist bereits vorhanden%s benötigt mindestens %s Selektion%s benötigt mindestens %s Selektionen%s Wert ist erforderlich(keine Beschriftung)(ohne Titel)(dieses Feld)+ Feld hinzufügenFür 1 Feld ist eine Aktualisierung notwendig<b>Fehler</b>. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probiere es nochmal oder deaktiviere und reaktiviere deine ACF PRO-Lizenz.<b>Fehler</b>. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden<strong>Wähle</strong> die Elemente, welche in der Bearbeitungsansicht <strong>verborgen</strong> werden sollen.Eine reibungslosere ErfahrungEin individueller Galerie-Slider.Ein individueller Testimonial-Block.ACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit zusätzliche Options-Seiten im Admin-Bereich zu erstellen!AkkordeonLizenz aktivierenAktiviertVeröffentlicht <span class="count">(%s)</span>Veröffentlicht <span class="count">(%s)</span>HinzufügenDas Hinzufügen der Auswahlmöglichkeit 'Weitere‘ erlaubt benutzerdefinierte WerteHinzufügen / BearbeitenDatei hinzufügenBild hinzufügenBild zur Galerie hinzufügenErstellenFeld hinzufügenNeue Feldgruppe erstellenNeues Layout hinzufügenEintrag hinzufügenLayout hinzufügenNeue Auswahlmöglichkeit hinzufügenEintrag hinzufügenRegelgruppe hinzufügenZur Galerie hinzufügenZusatz-ModuleAdvanced Custom FieldsAdvanced Custom Fields PROAlleAlle %s FormateAlle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen <a href="%s">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, ist somit erschwinglicher denn je!Alle Felder der Feldgruppe %sAlle BilderAlle InhaltstypenAlle TaxonomienAlle BenutzerrollenErlaubt das Hinzufügen individueller WerteArchiv-URL's zulassenIndividuelle Werte erlaubenErlaubt HTML-Markup als sichtbaren Text anzuzeigen anstelle diesen zu rendernNULL-Werte zulassen?Erlaubt das Erstellen neuer Begriffe während des BearbeitensErlaubt dieses Akkordeon zu öffnen ohne andere zu schließen.Erlaubte DateiformateAlt TextAnzeigeWird dem Eingabefeld hinten angestelltWird dem Eingabefeld vorangestelltErscheint bei der Erstellung eines neuen BeitragsPlatzhaltertext solange keine Eingabe im Feld vorgenommen wurdeAnhängenAnhängenAnwendenArchiveWirklich entfernen?DateianhangAutorAutomatisches hinzufügen von &lt;br&gt;Automatisches hinzufügen von AbsätzenZurück zur WerkzeugübersichtGrundlageUnterhalb der FelderUnterhalb der BeschriftungenVerbesserte Frontend-FormulareBessere ValidierungBlockBeide (Array)Importe sowie Exporte können beide einfach auf der neuen Werkzeug-Seite durchgeführt werden.MassenverarbeitungMassenverarbeitungButton-GruppeButton-BeschriftungAbbrechenBildunterschriftKategorienMittelpunktMittelpunkt der AusgangskarteÄnderungsprotokollZeichenbegrenzungErneut suchenCheckboxAusgewähltUnterseite (mit übergeordneter Seite)AuswahlAuswahlmöglichkeitenLeerenPosition löschenKlicke "%s" zum Erstellen des LayoutsKlicke um TinyMCE zu initialisierenZum Auswählen anklickenKlon-FeldSchließenFeld schließenSchließenDetails ausblendenZugeklapptFarbauswahlEine durch Komma getrennte Liste. Leer lassen um alle Dateiformate zu erlaubenKommentarKommentareBedingungen für die AnzeigeVerbindet die ausgewählten Begriffe mit dem BeitragInhaltInhalts-EditorLegt fest wie Zeilenumbrüche gerendert werdenKopiertIn die Zwischenablage kopierenBegriffe erstellenErstelle ein Regelwerk das festlegt welche Bearbeitungsansichten diese Advanced Custom Fields nutzenAktuelle FarbeAktueller BenutzerAktuelle BenutzerrolleInstallierte VersionIndividuelle FelderIndividuelles Format:WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.Passt die Höhe der Karte anEs ist ein Upgrade der Datenbank erforderlichUpgrade der Datenbank fertiggestellt. <a href="%s">Zum Netzwerk Dashboard</a>Datenbank-Upgrade abgeschlossen. <a href="%s">Schau nach was es Neues gibt</a>DatumsauswahlFertigHeuteNächstesVorherigesWDatums- und ZeitauswahlVorm.Vorm.FertigJetztStundeMikrosekundeMillisekundeMinuteNachm.Nachm.SekundeAuswählenZeit auswählenZeitZeitzoneLizenz deaktivierenStandardStandard-TemplateStandardwertDefiniert einen Endpunkt an dem das vorangegangene Akkordeon endet. Dieses abschließende Akkordeon wird nicht sichtbar sein.Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der Startpunkt für eine neue Gruppe an Tabs.Initialisierung verzögern?LöschenLayout löschenFeld löschenBeschreibungDiskussionAnzeigeDarstellungsformatDieses Akkordeon beim Laden der Seite als geöffnet anzeigen.Zeigt den Text neben der Checkbox anDokumentationDownload & InstallierenZiehen zum SortierenDuplizierenLayout duplizierenFeld duplizierenDieses Element duplizierenEinfacher Import / ExportKinderleichte AktualisierungBearbeitenFeld bearbeitenFeldgruppe bearbeitenDatei bearbeitenBild bearbeitenFeld bearbeitenFeldgruppe bearbeitenElementeElliot CondonE-MailMaßeEndpunktURL eingebenJede Auswahlmöglichkeit in eine neue Zeile eingeben.Jeden Standardwert in einer neuen Zeile eingebenFehler beim Upload der Datei. Bitte erneut versuchenEscape HTMLTextauszugDetails einblendenFeldgruppen exportierenDatei exportierenEine Feldgruppe wurde exportiert.%s Feldgruppen wurden exportiert.BeitragsbildFeldFeldgruppeFeldgruppenFeldschlüsselFeldbeschriftungFeldnameFeldtypFeldgruppe gelöscht.Entwurf der Feldgruppe aktualisiert.Feldgruppe dupliziert.%s Feldgruppen dupliziert.Feldgruppe veröffentlicht.Feldgruppe gespeichert.Feldgruppe geplant für.Die Feldgruppen wurden um die Einstellungen für das Aktivieren und Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen sowie eine Beschreibung erweitert.Feldgruppe übertragen.Field group synchronised.%s Feldgruppen synchronisiert.Es ist ein Titel für die Feldgruppe erforderlichFeldgruppe aktualisiert.Feldgruppen mit einem niedrigeren Wert werden zuerst angezeigtFeldtyp existiert nichtFelderFelder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen Benutzer-Formularen zugeordnet werden!DateiDatei-ArrayDatei-IDDatei-URLDateinameDateigrößeDie Dateigröße muss mindestens %s sein.Die Dateigröße darf %s nicht überschreiten.Der Dateityp muss %s sein.Nach Inhaltstyp filternNach Taxonomien filternNach Rolle filternFilterAktuelle Position findenFlexible InhalteFlexibler Inhalt benötigt mindestens ein LayoutFür mehr Kontrolle, kannst Du sowohl einen Wert als auch eine Beschriftung wie folgt angeben:Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, anstelle nur JS zu verwenden.FormatFormulareEine modernisierte BenutzeroberflächeStartseiteVolle GrößeGaleriePHP erstellenMacht's gut Add-ons&hellip; Hallo PROGoogle MapsGruppeGruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)Gruppen-FeldHat einen WertHat keinen WertHöheVersteckenNach dem Titel vor dem InhaltHorizontalWerden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Nummer in der Reihe)BildBild-ArrayBild-IDBild-URLDie Höhe des Bildes muss mindestens %dpx sein.Die Höhe des Bild darf %dpx nicht überschreiten.Die Breite des Bildes muss mindestens %dpx sein.Die Breite des Bildes darf %dpx nicht überschreiten.Feldgruppen importierenDatei importierenDie importierte Datei ist leerEine Feldgruppe importiert%s Feldgruppen importiertVerbesserte DatenstrukturVerbessertes DesignVerbesserte BenutzerfreundlichkeitInaktivInaktiv <span class="count">(%s)</span>Inaktiv <span class="count">(%s)</span>Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern signifikant verbessert.Falscher DateitypInfoEinfügenInstalliertPlatzierung der AnweisungenAnweisungenAnweisungen für die Autoren. Sie werden in der Bearbeitungsansicht angezeigtWir dürfen vorstellen&hellip; ACF PROEs wird dringend empfohlen, dass du deine Datenbank sicherst, bevor Du fortfährst. Bist du sicher, dass du jetzt die Aktualisierung durchführen willst?SchlüsselBeschriftungPlatzierung der BeschriftungBeschriftungen werden als %s angezeigtGroßAktuellste VersionLayoutLeer lassen für keine BegrenzungLinks neben dem FeldLängeMediathekLizenzinformationLizenzschlüsselBeschränkt die Auswahl in der MediathekLinkLink-ArrayLink-FeldLink-URLBegriffe ladenDen Wert aus den Begriffen des Beitrags ladenLadeLokales JSONPositionAngemeldetViele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das nagelneue oEmbed-Feld!MaxMaximumHöchstzahl an LayoutsHöchstzahl der EinträgeMaximale AuswahlMaximalwertHöchstzahl an BeiträgenHöchstzahl der Einträge hat ({max} Reihen) erreichtMaximale Auswahl erreichtMaximum der Einträge mit ({max} Einträge) erreichtMittelMenüMenüelementMenüpositionenMenüsMitteilungMinMinimumMindestzahl an LayoutsMindestzahl der EinträgeMinimale AuswahlMindestwertMindestzahl an BeiträgenMindestzahl der Einträge hat ({min} Reihen) erreichtMehr AJAXWeitere AnpassungenMehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von Seiten deutlich verringert.VerschiebenVerschieben erfolgreich abgeschlossen.Individuelles Feld verschiebenFeld verschiebenFeld in eine andere Gruppe verschiebenWirklich in den Papierkorb verschieben?Verschiebbare FelderAuswahlmenüGleichzeitig geöffnetMehrere WerteNameTextNeue FunktionenNeues FeldNeue FeldgruppeNeue Positionen für FormulareNeue ZeilenNeue Aktionen und Filter für PHP und JS wurden hinzugefügt um noch mehr Anpassungen zu erlauben.Neue EinstellungenEin neuer automatischer Export nach JSON verbessert die Geschwindigkeit und erlaubt die Synchronisation.Die neue Feldgruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen und übergeordneten Gruppen frei zu verschieben.NeinKeine Feldgruppen für diese Options-Seite gefunden. <a href="%s">Eine Feldgruppe erstellen</a>Keine Feldgruppen gefundenKeine Feldgruppen im Papierkorb gefundenKeine Felder gefundenKeine Felder im Papierkorb gefundenKeine FormatierungKeine Feldgruppen ausgewähltEs sind noch keine Felder angelegt. Klicke den <strong>+ Feld hinzufügen-Button</strong> und erstelle Dein erstes Feld.Keine Datei ausgewähltKein Bild ausgewähltKeine Übereinstimmung gefundenKeine Options-Seiten vorhandenKeine %sEs liegen keine Auswahl-Feldtypen vorKeine Aktualisierungen verfügbar.Nach dem InhaltNullNumerischWenn inaktivWenn aktivGeöffnetIn einem neuen Fenster/Tab öffnenOptionenOptions-SeiteOptionen aktualisiertReihenfolgeReihenfolgeWeitereSeiteSeiten-AttributeSeiten-LinkÜbergeordnete SeiteSeiten-TemplateSeitentypÜbergeordnetÜbergeordnete Seite (mit Unterseiten)PasswortPermalinkPlatzhaltertextPlatzierungStelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.Bitte gib oben Deinen Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschaltenBitte zumindest eine Website zum Upgrade auswählen.In welche Feldgruppe solle dieses Feld verschoben werdenPositionBeitragBeitragskategorieBeitragsformatBeitrags-IDBeitrags-ObjektBeitragsstatusBeitrags-TaxonomieBeitrags-TemplateInhaltstypBeitrag aktualisiertBeitrags-SeiteLeistungsstarke FunktionenPräfix für FeldbeschriftungenPräfix für FeldnamenVoranstellenHängt eine zusätzliche Checkbox an mit der alle Optionen ausgewählt werden könnenVoranstellenMaße der VorschauProVeröffentlichenRadio-ButtonRadio ButtonNumerischer BereichLies mehr über die <a href="%s">ACF PRO Funktionen</a>.Aufgaben für das Upgrade einlesen…Die Neugestaltung der Datenarchitektur erlaubt es, dass Unterfelder unabhängig von ihren übergeordneten Feldern existieren können. Dies ermöglicht, dass Felder per Drag-and-Drop, in und aus ihren übergeordneten Feldern verschoben werden können!RegistrierenRelationalBeziehungEntfernenLayout entfernenEintrag entfernenSortierenLayout sortierenWiederholungErforderlich?Dokumentation (engl.)Beschränkt welche Dateien hochgeladen werden könnenBeschränkt welche Bilder hochgeladen werden könnenEingeschränktRückgabeformatRückgabewertAktuelle Sortierung umkehrenÜbersicht Websites & UpgradesRevisionenReiheZeilenanzahlRegelnIndividuelle Werte unter den Auswahlmöglichkeiten des Feldes speichernWeitere Werte unter den Auswahlmöglichkeiten des Feldes speichernIndividuelle Werte speichernSpeicherformatWeitere speichernBegriffe speichernÜbergangslos ohne MetaboxNahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)SuchenFeldgruppen durchsuchenFelder suchenNach der Adresse suchen...Suchen...Schau nach was es Neues in <a href="%s">Version %s</a> gibt.%s auswählenFarbe auswählenFeldgruppen auswählenDatei auswählenBild auswählenLink auswählenWähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden sollMehrere Werte auswählbar?Wähle ein oder mehrere Felder aus die Du klonen möchtestInhaltstyp auswählenTaxonomie auswählenWähle die Advanced Custom Fields JSON-Datei aus, welche Du importieren möchtest. Nach dem Klicken des „Datei importieren“-Buttons wird ACF die Feldgruppen hinzufügen.Wähle das Aussehen für dieses FeldEntscheide welche Feldgruppen Du exportieren möchtest und wähle dann das Exportformat. Benutze den "Datei exportieren"-Button, um eine JSON-Datei zu generieren, welche Du im Anschluss in eine andere ACF-Installation importieren kannst. Verwende den "PHP erstellen“-Button, um den resultierenden PHP-Code in dein Theme einfügen zu können.Wähle die Taxonomie, welche angezeigt werden sollLösche bitte ein ZeichenLösche bitte %d ZeichenGib bitte ein oder mehr Zeichen einGib bitte %d oder mehr Zeichen einLaden fehlgeschlagenMehr Ergebnisse laden&hellip;Keine Übereinstimmungen gefundenEs ist ein Ergebnis verfügbar, drücke die Eingabetaste um es auszuwählen.Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und unten zu navigieren.Suchen&hellip;Du kannst nur ein Element auswählenDu kannst nur %d Elemente auswählenDie ausgewählten Elemente werden in jedem Ergebnis angezeigtAuswahl ist größer alsAuswahl ist kleiner alsSende TrackbacksTrennelementLegt die anfängliche Zoomstufe der Karte festDefiniert die Höhe des TextfeldsEinstellungenButton zum Hochladen von Medien anzeigen?Zeige diese Felder, wennZeige dieses Feld, wennIn der Feldgruppen-Liste anzeigenLegt fest welche Maße die Vorschau in der Bearbeitungsansicht hatSeitlich neben dem InhaltEinzelne WerteEinzelnes Wort ohne Leerzeichen. Es sind nur Unter- und Bindestriche als Sonderzeichen erlaubtWebsiteDie Website ist aktuellDie Website erfordert ein Upgrade der Datenbank von %s auf %sSliderTitelformDieser Browser unterstützt keine Geo-LokationSortiere nach Änderungs-DatumSortiere nach Upload-DatumSortiere nach TitelSpam entdecktLegt den Rückgabewert für das Frontend festGib den Stil an mit dem das Klon-Feld angezeigt werden sollGibt die Art an wie die ausgewählten Felder ausgegeben werden sollenLege den Rückgabewert festGibt an wo neue Anhänge hinzugefügt werdenWP-Metabox (Standard)StatusSchrittweiteStilSelect2-Library aktivierenUnterfelderSuper-AdministratorHilfeZum Bearbeiten wechselnZur Vorschau wechselnSynchronisierenSynchronisierung verfügbarSynchronisiere FeldgruppeTabTabelleTabsSchlagwörterTaxonomieBegriffs-IDBegriffs-ObjektTestimonialText einzeiligText mehrzeiligNur TextDer Text der im aktiven Zustand angezeigt wirdDer Text der im inaktiven Zustand angezeigt wirdDanke für das Vertrauen in <a href="%s">ACF</a>.Danke für die Aktualisierung auf %s v%s!Vielen Dank fürs Aktualisieren! ACF %s ist größer und besser als je zuvor. Wir hoffen es wird dir gefallen.Das Feld "%s" wurde in die %s Feldgruppe verschobenDas Gruppen-Feld bietet einen einfachen Weg eine Gruppe von Feldern zu erstellen.Das Link-Feld bietet einen einfachen Weg um einen Link (URL, Titel, Ziel) entweder auszuwählen oder zu definieren.Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wirdDas Klon-Feld erlaubt es dir bestehende Felder auszuwählen und anzuzeigen.Das Design des kompletten Plugins wurde modernisiert, inklusive neuer Feldtypen, Einstellungen und Aussehen!Der nachfolgende Code kann dazu verwendet werden eine lokale Version der ausgewählten Feldgruppe(n) zu registrieren. Eine lokale Feldgruppe bietet viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische Felder und Einstellungen. Kopiere einfach folgenden Code und füge ihn in die functions.php oder eine externe Datei in Deinem Theme ein.Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du aktualisieren willst und klicke dann %s.Das Format für die Anzeige in der BearbeitungsansichtDas Format für die Ausgabe in den Template-FunktionenDas Format das beim Speichern eines Wertes verwendet wirdDas oEmbed-Feld erlaubt auf eine einfache Weise Videos, Bilder, Tweets, Audio und weitere Inhalte einzubetten.Der Feldname darf nicht mit "field_" beginnenDiese Feld kann erst verschoben werden, wenn die Änderungen gespeichert wurdenDieses Feld erlaubt höchstens {max} {label} {identifier}Dieses Feld erfordert mindestens {min} {label} {identifier}Dieser Name wird in der Bearbeitungsansicht eines Beitrags angezeigtDie vorliegende Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.VorschaubildZeitauswahlTinyMCE wird nicht initialisiert solange das Feld nicht geklickt wurdeTitelUm die Aktualisierungsfähigkeit freizuschalten gib bitte Deinen Lizenzschlüssel auf der <a href="%s">Aktualisierungen</a> Seite ein. Falls Du keinen besitzt informiere Dich bitte hier hinsichtlich der <a href="%s" target="_blank">Preise und Einzelheiten</a>.Um die Aktualisierungsfähigkeit freizuschalten gib bitte unten Deinen Lizenzschlüssel ein. Falls Du keinen besitzen solltest informiere Dich bitte hier hinsichtlich <a href="%s" target="_blank">Preisen und aller weiteren Details</a>.Alle AuswählenAlle auswählenWerkzeugleisteWerkzeugeSeite ohne übergeordnete SeitenÜber dem FeldWahr / FalschTypUnbekanntUnbekanntes FeldUnbekannte FeldgruppeAktualisierenAktualisierung verfügbarDatei aktualisierenBild aktualisierenAktualisierungsinformationenPlugin aktualisierenAktualisierungenDatenbank upgradenHinweis zum UpgradeWebsites upgradenUpgrade abgeschlossen.Upgrade fehlgeschlagen.Daten auf Version %s upgradenDas Upgrade auf ACF PRO ist leicht. Einfach online eine Lizenz erwerben und das Plugin herunterladen!Für den Beitrag hochgeladenZu diesem Beitrag hochgeladenURLAJAX verwenden um die Auswahl mittels Lazy Loading zu laden?BenutzerBenutzer-ArrayBenutzerformularBenutzer-IDBenutzer-ObjektBenutzerrolleDer Benutzer kann keine neue %s hinzufügenE-Mail bestätigenÜberprüfung fehlgeschlagenÜberprüfung erfolgreichWertWert enthältWert ist gleichWert ist größer alsWert ist kleiner alsWert ist ungleichWert entspricht regulärem AusdruckWert muss eine Zahl seinBitte eine gültige URL eingebenWert muss größer oder gleich %d seinWert muss kleiner oder gleich %d seinWert darf %d Zeichen nicht überschreitenWerte werden als %s gespeichertVertikalFeld anzeigenFeldgruppe anzeigenBackend anzeigenFrontend anzeigenVisuellVisuell & TextNur VisuellUm möglichen Fragen zu begegnen haben wir haben einen <a href="%s">Upgrade-Leitfaden (Engl.)</a> erstellt. Sollten dennoch Fragen auftreten, kontaktiere bitte unser <a href="%s"> Support-Team </a>.Wir glauben Du wirst die Änderungen in %s lieben.Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung gestellt wird geändert - das "wie" dürfte Dich begeistern!WebsiteDie Woche beginnt amWillkommen bei Advanced Custom FieldsWas gibt es NeuesWidgetBreiteWrapper-AttributeWYSIWYG-EditorJaZoomacf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen inklusive vieler neuer Einstellungsmöglichkeiten.undKlasseKopiehttp://www.elliotcondon.com/https://www.advancedcustomfields.com/IDist gleichist ungleichjQueryLayoutLayoutsEinträgeKlonAuswahloEmbedoEmbed-Feldoderrot : RotBearbeitenAuswählenAktualisierenBreite{available} {label} {identifier} möglich (max {max}){required} {label} {identifier} erforderlich (min {min})PK�
�[yj%m�m�lang/acf-uk.ponu�[���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-10-04 14:50+1000\n"
"PO-Revision-Date: 2018-02-06 10:06+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: skinik <info@skinik.name>\n"
"Language: uk\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"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 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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Додаткові поля Pro"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Групи полів"

#: acf.php:370
msgid "Field Group"
msgstr "Група полів"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New"
msgstr "Додати нову"

#: acf.php:372
msgid "Add New Field Group"
msgstr "Додати нову групу полів"

#: acf.php:373
msgid "Edit Field Group"
msgstr "Редагувати групу полів"

#: acf.php:374
msgid "New Field Group"
msgstr "Нова група полів"

#: acf.php:375
msgid "View Field Group"
msgstr "Переглянути групу полів"

#: acf.php:376
msgid "Search Field Groups"
msgstr "Шукати групи полів"

#: acf.php:377
msgid "No Field Groups found"
msgstr "Не знайдено груп полів"

#: acf.php:378
msgid "No Field Groups found in Trash"
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
msgid "Fields"
msgstr "Поля"

#: acf.php:402
msgid "Field"
msgstr "Поле"

#: acf.php:404
msgid "Add New Field"
msgstr "Додати нове поле"

#: acf.php:405
msgid "Edit Field"
msgstr "Редагувати поле"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Нове поле"

#: acf.php:407
msgid "View Field"
msgstr "Переглянути\t поле"

#: acf.php:408
msgid "Search Fields"
msgstr "Шукати поля"

#: acf.php:409
msgid "No Fields found"
msgstr "Не знайдено полів"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "Не знайдено полів у кошику"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Неактивно"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Неактивні <span class=count>(%s)</span>"
msgstr[1] "Неактивні <span class=count>(%s)</span>"
msgstr[2] "Неактивні <span class=count>(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Групу полів оновлено."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Групу полів видалено."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Групу полів опубліковано."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Групу полів збережено."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Групу полів надіслано."

#: includes/admin/admin-field-group.php:76
#, fuzzy
msgid "Field group scheduled for."
msgstr "Групу полів збережено."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Чернетку групи полів оновлено."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Розміщення"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Налаштування"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Перемістити в кошик. Ви впевнені?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr ""

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr ""

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Заголовок обов’язковий"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "копіювати"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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
msgid "or"
msgstr "або"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Батьківські поля"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr ""

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Перемістити поле"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr ""

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr ""

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr ""

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr ""

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Активно"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Переміщення завершене."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Поле «%s» можете знайти у групі «%s»"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Закрити вікно"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Будь ласка, оберіть групу, в яку перемістити"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Перемістити поле"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Активні <span class=\"count\">(%s)</span>"
msgstr[1] "Активні <span class=\"count\">(%s)</span>"
msgstr[2] "Активні <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr ""

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr ""

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Доступна синхронізація"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Заголовок"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Опис"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Статус"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Розширте можливості WordPress за допомогою потужних, професійних та "
"інтуїтивно зрозумілих полів."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Список змін"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Перегляньте що нового у <a href=%s>версії %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Документація"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Сайт"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Документація"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Підтримка"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Про"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Спасибі за використання <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Дублювати цей елемент"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate"
msgstr "Дублювати"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:112
#: includes/fields/class-acf-field-relationship.php:656
msgid "Search"
msgstr "Пошук"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr ""

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr ""

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr ""

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "Застосувати"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "Масові дії"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Додаткові поля"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Оновити базу даних"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr ""

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr ""

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Немає оновлень."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Доповнення"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr ""

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Інформація"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Що нового"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Інструменти"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Не обрано груп полів"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:155
msgid "No file selected"
msgstr "Файл не обрано"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Помилка завантаження файлу. Спробуйте знову"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Невірний тип файлу"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Файл імпорту порожній"

#: includes/admin/settings-tools.php:331
#, fuzzy, php-format
#| msgid "Import Field Groups"
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Імпортувати групи полів"
msgstr[1] "Імпортувати групи полів"
msgstr[2] "Імпортувати групи полів"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Умовна логіка"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Показувати поле, якщо"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "дорівнює"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "не дорівнює"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "та"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Додати групу умов"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Перетягніть, щоб змінити порядок"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Редагувати поле"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-file.php:137
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "Редагувати"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Дублювати поле"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Перемістити поле до іншої групи"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Перемістити"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Видалити поле"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete"
msgstr "Видалити"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Назва поля"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Ця назва відображується на сторінці редагування"

#: includes/admin/views/field-group-field.php:77
msgid "Field Name"
msgstr "Ярлик"

#: includes/admin/views/field-group-field.php:78
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Одне слово, без пробілів. Можете використовувати нижнє підкреслення."

#: includes/admin/views/field-group-field.php:87
msgid "Field Type"
msgstr "Тип поля"

#: includes/admin/views/field-group-field.php:98
#: includes/fields/class-acf-field-tab.php:88
msgid "Instructions"
msgstr "Інструкція"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions for authors. Shown when submitting data"
msgstr "Напишіть короткий опис для поля"

#: includes/admin/views/field-group-field.php:108
msgid "Required?"
msgstr "Обов’язкове?"

#: includes/admin/views/field-group-field.php:131
msgid "Wrapper Attributes"
msgstr "Атрибути обгортки"

#: includes/admin/views/field-group-field.php:137
msgid "width"
msgstr "ширина"

#: includes/admin/views/field-group-field.php:152
msgid "class"
msgstr "клас"

#: includes/admin/views/field-group-field.php:165
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:177
msgid "Close Field"
msgstr "Закрити поле"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Порядок"

#: 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
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
msgid "Name"
msgstr "Назва"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Ключ"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Тип"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Ще немає полів. Для створення полів натисніть <strong>+ Додати поле</strong>."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Додати поле"

#: includes/admin/views/field-group-locations.php:9
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 ""
"Створіть набір умов, щоб визначити де використовувати  ці додаткові поля"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Стиль"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Стандартний (WP метабокс)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Спрощений (без метабоксу)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Розташування"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Вгорі (під заголовком)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Стандартно (після тектового редактора)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Збоку"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Розміщення ярликів"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:102
msgid "Top aligned"
msgstr "Зверху"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:103
msgid "Left aligned"
msgstr "Зліва"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Розміщення інструкцій"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Під ярликами"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Під полями"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Порядок розташування"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Групи полів з нижчим порядком з’являться спочатку"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Відображається на сторінці груп полів"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Ховати на екрані"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Оберіть</b> що <b>ховати</b> з екрану редагування/створення."

#: 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 ""
"Якщо декілька груп полів відображаються на екрані редагування, то "
"використовуватимуться параметри першої групи. (з найменшим порядковим "
"номером)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Постійне посилання "

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Редактор матеріалу"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Витяг"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Дискусія"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Коментарі"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Ревізії"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Ярлик URL"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Автор"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Формат"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Атрибути сторінки"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "Головне зображення"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Категорії"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Теґи"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Надіслати трекбеки"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Показувати групу полів, якщо"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Оновити сайти"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
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."
msgstr ""

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Сайт"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Сайт оновлено"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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 ""

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Оновлення завершено"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Оновлення даних до версії %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Повторювальне поле"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Гнучкий вміст"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Галерея"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Сторінка опцій"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Необхідно оновити базу даних"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr ""

#: 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 ""

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr ""

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Завантажити і встановити"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Встановлено"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Вітаємо у Advanced Custom Fields"

#: 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 "Дякуємо за оновлення! ACF %s став ще кращим!"

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr ""

#: includes/admin/views/settings-info.php:22
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 ""

#: 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 ""

#: 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 ""

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "До побачення доповнення. Привіт PRO"

#: includes/admin/views/settings-info.php:44
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 ""

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""

#: 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 ""

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Прочитайте більше про <a href=\"%s\">можливості ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Легке оновлення"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Під капотом"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr ""

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr ""

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Більше AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Локальний JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr ""

#: includes/admin/views/settings-info.php:88
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"
msgstr ""

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr ""

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr ""

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Нові форми"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr ""

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Нова галерея"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr ""

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Нові налаштування"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr ""

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr ""

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Поліпшена перевірка"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "Перевірка форми відбувається на PHP + AJAX"

#: includes/admin/views/settings-info.php:132
#, fuzzy
msgid "Relationship Field"
msgstr "Закрити поле"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""

#: includes/admin/views/settings-info.php:139
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 ""

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Посилання на сторінку"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr ""

#: includes/admin/views/settings-info.php:149
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 ""

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Думаємо, Вам сподобаються зміни у %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Експортувати групи полів в код 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 ""

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Оберіть групи полів"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Експортувати групи полів"

#: 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 ""
"Виберіть групи полів, які Ви хочете експортувати, а далі оберіть бажаний "
"метод експорту. Використовуйте кнопку завантаження для експорту в файл ."
"json, який можна імпортувати до іншої інсталяції ACF. Використовуйте кнопку "
"генерації для експорту в код PHP, який ви можете розмістити у своїй темі."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Завантажити файл експорту"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Створити код експорту"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Імпортувати групи полів"

#: 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 ""
"Виберіть JSON файл, який Ви хотіли б імпортувати. При натисканні кнопки "
"імпорту, нижче, ACF буде імпортовано групи полів."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "Оберіть файл"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Імпорт"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Мініатюра"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Середній"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Великий"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Повний розмір"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1831
#: pro/fields/class-acf-field-clone.php:992
msgid "(no title)"
msgstr "(без заголовку)"

#: 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:986
#, fuzzy
#| msgid "Page Parent"
msgid "Parent"
msgstr "Батьківська сторінка"

#: includes/api/api-helpers.php:3885
#, php-format
msgid "Image width must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3890
#, php-format
msgid "Image width must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3906
#, php-format
msgid "Image height must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3911
#, php-format
msgid "Image height must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3929
#, php-format
msgid "File size must be at least %s."
msgstr ""

#: includes/api/api-helpers.php:3934
#, php-format
msgid "File size must must not exceed %s."
msgstr ""

#: includes/api/api-helpers.php:3968
#, fuzzy, php-format
msgid "File type must be %s."
msgstr "Тип поля не існує"

#: includes/fields.php:144
msgid "Basic"
msgstr "Загальне"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Вміст"

#: includes/fields.php:146
msgid "Choice"
msgstr "Вибір"

#: includes/fields.php:147
msgid "Relational"
msgstr ""

#: includes/fields.php:148
msgid "jQuery"
msgstr ""

#: 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-repeater.php:450
msgid "Layout"
msgstr "Шаблон структури"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Тип поля не існує"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Невідомо"

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Група кнопок"

#: 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 "Варіанти вибору"

#: 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 "У кожному рядку по варіанту"

#: 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 "Для більшого контролю, Ви можете вказати маркувати значення:"

#: 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 "red : Червоний"

#: 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 "Дозволити порожнє значення?"

#: 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 "Значення за замовчуванням"

#: 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 "З'являється при створенні нового матеріалу"

#: 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 "Горизонтально"

#: 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 "Вертикально"

#: includes/fields/class-acf-field-button-group.php:191
#: 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:833
msgid "Return Value"
msgstr "Повернення значення"

#: includes/fields/class-acf-field-button-group.php:192
#: 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 ""

#: 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 "Значення"

#: 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 "Галочка"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Галочка"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Вибрати все"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Додати новий вибір"

#: includes/fields/class-acf-field-checkbox.php:353
#, fuzzy
#| msgid "Allow Null?"
msgid "Allow Custom"
msgstr "Дозволити порожнє значення?"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:364
#, fuzzy
#| msgid "Move Custom Field"
msgid "Save Custom"
msgstr "Перемістити поле"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""

#: 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 "Введіть значення. Одне значення в одному рядку"

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Вибір кольору"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Очистити"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Значення за замовчуванням"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Обрати колір"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Поточна колір"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Вибір дати"

#: includes/fields/class-acf-field-date_picker.php:33
#, fuzzy
#| msgid "Done"
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_picker.php:34
#, fuzzy
#| msgid "Today"
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Сьогодні"

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Формат показу"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
#, fuzzy
#| msgid "Custom Fields"
msgid "Custom:"
msgstr "Додаткові поля"

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr "Зберегти формат"

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "Формат повернення"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 ""

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "Тиждень починається з"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Вибір дати і часу"

#: includes/fields/class-acf-field-date_time_picker.php:33
#, fuzzy
#| msgid "Close Field"
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Закрити поле"

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:41
#, fuzzy
#| msgid "No"
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Ні"

#: includes/fields/class-acf-field-date_time_picker.php:42
#, fuzzy
#| msgid "Done"
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_time_picker.php:43
#, fuzzy
#| msgid "Select File"
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Оберіть файл"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr ""

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr ""

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr ""

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Показується, якщо поле порожнє"

#: 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:187
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Перед полем"

#: 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:188
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Розміщується на початку поля"

#: 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:196
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Після поля"

#: 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:197
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Розміщується в кінці поля"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Файл"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "Редагувати файл"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "Оновити файл"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Завантажено до цього матеріалу"

#: includes/fields/class-acf-field-file.php:126
msgid "File name"
msgstr "Назва файлу"

#: 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-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Розмір файлу"

#: includes/fields/class-acf-field-file.php:139
#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Видалити"

#: includes/fields/class-acf-field-file.php:155
msgid "Add File"
msgstr "Додати файл"

#: includes/fields/class-acf-field-file.php:206
msgid "File Array"
msgstr "Масив файлу"

#: includes/fields/class-acf-field-file.php:207
msgid "File URL"
msgstr "URL файлу"

#: includes/fields/class-acf-field-file.php:208
msgid "File ID"
msgstr "ID файлу"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "Бібліотека"

#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr ""

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Все"

#: includes/fields/class-acf-field-file.php:222
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "Завантажено до матеріалу"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr "Мінімум"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-file.php:241
msgid "Restrict which files can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr "Максимум"

#: includes/fields/class-acf-field-file.php:251
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr "Дозволені типи файлів"

#: includes/fields/class-acf-field-file.php:252
#: 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"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google карта"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "Розміщення"

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "Вибачте, цей браузер не підтримує автоматичне визначення локації"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "Очистити розміщення"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "Шукати адресу..."

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "Центрування"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "Початкове розміщення карти"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "Збільшення"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "Вкажіть початковий масштаб"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Висота"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "Налаштуйте висоту карти"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Група"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "Дочірні поля"

#: includes/fields/class-acf-field-group.php:475
#: pro/fields/class-acf-field-clone.php:840
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-flexible-content.php:612
#: 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-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-repeater.php:459
msgid "Row"
msgstr "Рядок"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Зображення"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "Обрати зображення"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Редагувати зображення"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Оновити зображення"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "Усі зображення"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Зображення не обрано"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Додати зображення"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Масив зображення"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "URL зображення"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "ID зображення"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Розмір мініатюр"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr ""

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Ширина"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Посилання"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Оберіть посилання"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Масив посилання"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL посилання"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Повідомлення"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Перенесення рядків"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Вкажіть спосіб обробки нових рядків"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Автоматично додавати абзаци"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Автоматичне перенесення рядків (додається теґ &lt;br&gt;)"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Без форматування"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr ""

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Число"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:157
msgid "Minimum Value"
msgstr "Мінімальне значення"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:167
msgid "Maximum Value"
msgstr "Максимальне значення"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:177
msgid "Step Size"
msgstr "Розмір кроку"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Значення має бути числом"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr ""

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr ""

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr ""

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "Введіть URL"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Помилка."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr ""

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "Розмір вставки"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Архіви"

#: 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
msgid "Filter by Post Type"
msgstr "Фільтр за типом матеріалу"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "Всі типи матеріалів"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "Фільтр за типом таксономією"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr "Всі таксономії"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "Дозволити множинний вибір?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Пароль"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr ""

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "ID публікації"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr ""

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Інше"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Додати вибір 'Інше', для користувацьких значень"

#: includes/fields/class-acf-field-radio.php:265
#, fuzzy
msgid "Save Other"
msgstr "Зберегти інше"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr ""

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Діапазон (Range)"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "Завантаження"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "Вибір типу матеріалу"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "Вибір таксономії"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "Шукати..."

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "Фільтри"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Тип матеріалу"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "Таксономія"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "Елементи"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr "Мінімум матеріалів"

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "Максимум матеріалів"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
#, fuzzy
#| msgid "Select File"
msgctxt "noun"
msgid "Select"
msgstr "Оберіть файл"

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""

#: includes/fields/class-acf-field-select.php:40
#, fuzzy
#| msgid "No Fields found"
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Не знайдено полів"

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr ""

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr ""

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr ""

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:48
#, fuzzy
#| msgid "Search Fields"
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Шукати поля"

#: includes/fields/class-acf-field-select.php:49
#, fuzzy
#| msgid "Loading"
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Завантаження"

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
#, fuzzy
#| msgid "Select File"
msgctxt "verb"
msgid "Select"
msgstr "Оберіть файл"

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Покращений стиль"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "Використати AJAX для завантаження значень?"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr ""

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Розділювач"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Вкладка"

#: 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 ""

#: includes/fields/class-acf-field-tab.php:83
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""

#: 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 ""

#: includes/fields/class-acf-field-tab.php:98
msgid "Placement"
msgstr "Розміщення"

#: includes/fields/class-acf-field-tab.php:110
msgid "End-point"
msgstr ""

#: includes/fields/class-acf-field-tab.php:111
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Нічого"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Вигляд"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Множинний вибір"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Множинний вибір"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Створити терміни"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Зберегти терміни"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Завантажити терміни"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "ID терміну"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr "Додати"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Текст"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Ліміт символів"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Щоб зняти обмеження — нічого не вказуйте тут"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Область тексту"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Рядки"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Вкажіть висоту текстового блоку"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Вибір часу"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Так / Ні"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Так"

#: 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 "Ні"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:155
#, fuzzy
#| msgid "Text"
msgid "On Text"
msgstr "Текст"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:165
#, fuzzy
#| msgid "Text"
msgid "Off Text"
msgstr "Текст"

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr ""

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr ""

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Значення має бути адресою URl"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Користувач"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "Фільтр за ролями"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "Всі ролі користувачів"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Візуальний редактор"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Візуальний"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Вкладки"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Візуальний і Текстовий"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Візуальний лише"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Лише текст"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Панель інструментів"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Показувати кнопки завантаження файлів?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Редагувати групу полів"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr ""

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81
msgid "Update"
msgstr "Оновити"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Матеріал оновлено"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr ""

#: includes/input.php:259
msgid "Expand Details"
msgstr "Показати деталі"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "Сховати деталі"

#: includes/input.php:261
msgid "Validation successful"
msgstr ""

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr ""

#: includes/input.php:263
msgid "1 field requires attention"
msgstr ""

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr ""

#: includes/input.php:265
msgid "Restricted"
msgstr ""

#: includes/input.php:266
msgid "Are you sure?"
msgstr "Ви впевнені?"

#: includes/input.php:270
msgid "Cancel"
msgstr "Скасувати"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Публікація"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Сторінка"

#: includes/locations.php:96
msgid "Forms"
msgstr "Форми"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Вкладення"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Коментар"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Поточна роль користувача"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Головний адмін"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Поточний користувач"

#: includes/locations/class-acf-location-current-user.php:97
#, fuzzy
msgid "Logged in"
msgstr "Роль залоґованого користувача"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr ""

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Елемент меню"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Меню"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Розміщення меню"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Меню"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Батьківська сторінка"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Шаблон сторінки"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Стандартний шаблон"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Тип сторінки"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "Головна сторінка"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "Сторінка з публікаціями"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr "Верхній рівень сторінки (без батьків)"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "Батьківська сторінка (має дочірні)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "Дочірня сторінка (має батьківську)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Категорія"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Формат"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Статус матеріалу"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Таксономія"

#: includes/locations/class-acf-location-post-template.php:27
#, fuzzy
#| msgid "Page Template"
msgid "Post Template"
msgstr "Шаблон сторінки"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Термін таксономії"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Форма користувача"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Додати / Редагувати"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Реєстрація"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Роль користувача"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Віджет"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Редагувати"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Оновити"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr ""

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Додаткові поля Pro"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Опублікувати"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Немає полів для цієї сторінки опцій. <a href=\"%s\">Створити групу "
"додаткових полів</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Помилка</b>. Неможливо під’єднатися до сервера оновлення"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Оновлення"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Деактивувати ліцензію"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Активувати ліцензію"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Інформація про ліцензію"

#: pro/admin/views/html-settings-updates.php:20
#, fuzzy, php-format
msgid ""
"To unlock updates, please enter your license key below. If you don't have a "
"licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте "
"ліцензії, перегляньте"

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Код ліцензії"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Інформація про оновлення"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Поточна версія"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Остання версія"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Доступні оновлення"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Оновити плаґін"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Будь ласка, введіть код ліцензії, щоб розблокувати оновлення"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Перевірити знову"

#: pro/admin/views/html-settings-updates.php:117
#, fuzzy
msgid "Upgrade Notice"
msgstr "Оновити базу даних"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Клон"

#: pro/fields/class-acf-field-clone.php:808
msgid "Select one or more fields you wish to clone"
msgstr ""

#: pro/fields/class-acf-field-clone.php:825
msgid "Display"
msgstr "Таблиця"

#: pro/fields/class-acf-field-clone.php:826
msgid "Specify the style used to render the clone field"
msgstr ""

#: pro/fields/class-acf-field-clone.php:831
#, fuzzy
#| msgid "Please select the field group you wish this field to move to"
msgid "Group (displays selected fields in a group within this field)"
msgstr "Будь ласка, оберіть групу полів куди Ви хочете перемістити це поле"

#: pro/fields/class-acf-field-clone.php:832
msgid "Seamless (replaces this field with selected fields)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:853
#, php-format
msgid "Labels will be displayed as %s"
msgstr ""

#: pro/fields/class-acf-field-clone.php:856
#, fuzzy
#| msgid "Field Label"
msgid "Prefix Field Labels"
msgstr "Назва поля"

#: pro/fields/class-acf-field-clone.php:867
#, php-format
msgid "Values will be saved as %s"
msgstr ""

#: pro/fields/class-acf-field-clone.php:870
#, fuzzy
#| msgid "Field Name"
msgid "Prefix Field Names"
msgstr "Ярлик"

#: pro/fields/class-acf-field-clone.php:988
msgid "Unknown field"
msgstr "Невідоме поле"

#: pro/fields/class-acf-field-clone.php:1027
#, fuzzy
msgid "Unknown field group"
msgstr "Редагувати групу полів"

#: pro/fields/class-acf-field-clone.php:1031
#, php-format
msgid "All fields from %s field group"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "Додати рядок"

#: pro/fields/class-acf-field-flexible-content.php:34
#, fuzzy
msgid "layout"
msgstr "Шаблон структури"

#: pro/fields/class-acf-field-flexible-content.php:35
#, fuzzy
msgid "layouts"
msgstr "Шаблон структури"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "видалити {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Додати шаблон"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Видалити шаблон"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder Layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete Layout"
msgstr "Видалити шаблон"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate Layout"
msgstr "Дублювати шаблон"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New Layout"
msgstr "Додати новий шаблон"

#: pro/fields/class-acf-field-flexible-content.php:628
msgid "Min"
msgstr "Мін."

#: pro/fields/class-acf-field-flexible-content.php:641
msgid "Max"
msgstr "Макс."

#: pro/fields/class-acf-field-flexible-content.php:668
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "Текст для кнопки"

#: pro/fields/class-acf-field-flexible-content.php:677
msgid "Minimum Layouts"
msgstr "Мінімум шаблонів"

#: pro/fields/class-acf-field-flexible-content.php:686
msgid "Maximum Layouts"
msgstr "Максимум шаблонів"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Додати зображення до галереї"

#: pro/fields/class-acf-field-gallery.php:45
#, fuzzy
msgid "Maximum selection reached"
msgstr "Досягнуто максимального вибору"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Довжина"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Підпис"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Альтернативний текст"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Додати до галереї"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Масові дії"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Сортувати за датою завантаження"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Сортувати за датою зміни"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Сортувати за назвою"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Зворотній поточний порядок"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Закрити"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Мінімальна вибірка"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Максимальна вибірка"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Вставити"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Розміщується в кінці"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "Додати рядок"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "Видалити рядок"

#: pro/fields/class-acf-field-repeater.php:419
#, fuzzy
#| msgid "Collapse Details"
msgid "Collapsed"
msgstr "Сховати деталі"

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "Мінімум рядків"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "Максимум рядків"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr ""

#: pro/options-page.php:51
msgid "Options"
msgstr "Опції"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Опції оновлено"

#: pro/updates.php:97
#, fuzzy, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Щоб розблокувати оновлення, будь ласка, введіть код ліцензії. Якщо не маєте "
"ліцензії, перегляньте"

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr ""

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#~ msgid "See what's new in"
#~ msgstr "Перегляньте, що нового у"

#~ msgid "version"
#~ msgstr "версії"

#~ msgid "Getting Started"
#~ msgstr "Початок роботи"

#~ msgid "Field Types"
#~ msgstr "Типи полів"

#~ msgid "Functions"
#~ msgstr "Функції"

#~ msgid "Actions"
#~ msgstr "Дії"

#~ msgid "'How to' guides"
#~ msgstr "Інструкції «як зробити»"

#~ msgid "Tutorials"
#~ msgstr "Документація"

#~ msgid "Created by"
#~ msgstr "Плаґін створив"

#~ msgid "Upgrade"
#~ msgstr "Оновити"

#~ msgid "Error"
#~ msgstr "Помилка"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Поля можна перетягувати"

#~ msgid "See what's new"
#~ msgstr "Перегляньте, що нового"

#~ msgid "Show a different month"
#~ msgstr "Показати інший місяць"

#~ msgid "Return format"
#~ msgstr "Формат повернення"

#~ msgid "uploaded to this post"
#~ msgstr "завантажено до цього матеріалу"

#~ msgid "File Size"
#~ msgstr "Розмір файлу"

#~ msgid "No File selected"
#~ msgstr "Файл не обрано"

#~ msgid "Warning"
#~ msgstr "Застереження"

#~ msgid "eg. Show extra content"
#~ msgstr "напр., Показати додаткові поля"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Помилка з’єднання</b>. Спробуйте знову"

#~ msgid "Save Options"
#~ msgstr "Зберегти опції"

#~ 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 "details & pricing"
#~ msgstr "деталі і ціни"

#~ msgid "Hide / Show All"
#~ msgstr "Сховати / Показати все"

#~ msgid "Show Field Keys"
#~ msgstr "Показати ключі полів"

#~ msgid "Pending Review"
#~ msgstr "Очікує затвердження"

#~ msgid "Draft"
#~ msgstr "Чернетка"

#~ msgid "Future"
#~ msgstr "Заплановано"

#~ msgid "Private"
#~ msgstr "Приватний"

#~ msgid "Revision"
#~ msgstr "Ревізія"

#~ msgid "Trash"
#~ msgstr "В кошику"

#~ msgid "Import / Export"
#~ msgstr "Імпорт / Експорт"

#, fuzzy
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "Чим меше число <br> тим вище розміщення"

#, fuzzy
#~ msgid "ACF PRO Required"
#~ msgstr "Обов’язкове?"

#~ msgid "Update Database"
#~ msgstr "Оновити базу даних"

#~ msgid "Data Upgrade"
#~ msgstr "Дані оновлено"

#~ msgid "Data upgraded successfully."
#~ msgstr "Дані успішно оновлено."

#~ msgid "Data is at the latest version."
#~ msgstr "Дані останньої версії."

#~ msgid "Load & Save Terms to Post"
#~ msgstr "Завантажити і зберегти значення до матеріалу"

#, fuzzy
#~ msgid "image"
#~ msgstr "Зображення"

#, fuzzy
#~ msgid "expand_details"
#~ msgstr "Показати деталі"

#, fuzzy
#~ msgid "collapse_details"
#~ msgstr "Сховати деталі"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "Закрити поле"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "Заголовок обов’язковий"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "Перемістити поле"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "Гнучкий вміст"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "Галерея"

#, fuzzy
#~ msgid "Controls how HTML tags are rendered"
#~ msgstr "Вкажіть спосіб обробки нових рядків"

#~ msgid "Field&nbsp;Groups"
#~ msgstr "Групи полів"

#~ msgid "Attachment Details"
#~ msgstr "Деталі вкладення"

#~ msgid "Custom field updated."
#~ msgstr "Додаткове поле оновлено."

#~ msgid "Custom field deleted."
#~ msgstr "Додаткове поле видалено."

#~ msgid "Import/Export"
#~ msgstr "Імпорт/Експорт"

#~ msgid "Column Width"
#~ msgstr "Ширина колонки"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "Заповніть всі поля! Одне або декілька полів нижче не заповнено."

#~ msgid "Success"
#~ msgstr "Готово"

#~ msgid "Run the updater"
#~ msgstr "Запустити оновлення"

#~ msgid "Return to custom fields"
#~ msgstr "Повернутися до додаткових полів"

#~ msgid "Size"
#~ msgstr "Розмір"

#~ msgid "Formatting"
#~ msgstr "Форматування"

#~ msgid "Effects value on front end"
#~ msgstr "Як показувати на сайті"

#~ msgid "Convert HTML into tags"
#~ msgstr "Конвертувати в теґи HTML"

#~ msgid "Plain text"
#~ msgstr "Простий текст"

#~ msgid "1 image selected"
#~ msgstr "1 обране зображення"

#~ msgid "%d images selected"
#~ msgstr "%d вибраних зображень"

#~ msgid "Normal"
#~ msgstr "Стандартно"

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr ""
#~ "В документації ви знайдете детальний опис функцій та декілька порад і "
#~ "трюків для кращого використання плаґіну."

#~ msgid "Visit the ACF website"
#~ msgstr "Відвідайте сайт плаґіну"

#~ msgid "Gallery Field"
#~ msgstr "Поле галереї"

#~ msgid "Export XML"
#~ msgstr "Експортувати XML"

#~ msgid "Copy the PHP code generated"
#~ msgstr "Скопіюйте згенерований код PHP"

#~ msgid "Paste into your functions.php file"
#~ msgstr "Вставте  у  <code>functions.php</code>"

#~ msgid "Create PHP"
#~ msgstr "Створити PHP"

#~ msgid "Back to settings"
#~ msgstr "Повернутися до налаштувань"

#~ msgid "requires a database upgrade"
#~ msgstr "потребує оновлення бази даних"

#~ msgid "why?"
#~ msgstr "для чого?"

#~ msgid "Please"
#~ msgstr "Будь ласка,"

#~ msgid "backup your database"
#~ msgstr "створіть резервну копію БД"

#~ msgid "then click"
#~ msgstr "і натискайте цю кнопку"

#~ msgid "Red"
#~ msgstr "Червоний"

#~ msgid "Blue"
#~ msgstr "Синій"

#~ msgid "blue : Blue"
#~ msgstr "blue : Синій"

#, fuzzy
#~ msgid "jQuery date formats"
#~ msgstr "Формат дати"

#~ msgid "File Updated."
#~ msgstr "Файл оновлено."

#~ msgid "+ Add Row"
#~ msgstr "+ Додати рядок"

#~ msgid "Field Order"
#~ msgstr "Порядок полів"

#, fuzzy
#~ msgid ""
#~ "No fields. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."
#~ msgstr ""
#~ "Ще немає полів. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."

#~ msgid "Edit this Field"
#~ msgstr "Редагувати це поле"

#~ msgid "Docs"
#~ msgstr "Документація"

#~ msgid "Close Sub Field"
#~ msgstr "Закрити дочірнє поле"

#~ msgid "+ Add Sub Field"
#~ msgstr "+ Додати дочірнє поле"

#~ msgid "Image Updated"
#~ msgstr "Зображення оновлено"

#~ msgid "Grid"
#~ msgstr "Плитка"

#~ msgid "List"
#~ msgstr "Список"

#~ msgid "Added"
#~ msgstr "Додано"

#~ msgid "Image Updated."
#~ msgstr "Зображення оновлено."

#~ msgid "Add selected Images"
#~ msgstr "Додати обрані зображення"

#~ msgid "Field Instructions"
#~ msgstr "Опис поля"

#~ msgid "Table (default)"
#~ msgstr "Таблиця (за замовчуванням)"

#~ msgid "Define how to render html tags"
#~ msgstr "Оберіть спосіб обробки теґів html"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Оберіть спосіб обробки теґів html та переносу рядків"

#~ msgid "Run filter \"the_content\"?"
#~ msgstr "Застосовувати фільтр «the_content»?"

#~ msgid "Page Specific"
#~ msgstr "Сторінки"

#~ msgid "Post Specific"
#~ msgstr "Публікації"

#~ msgid "Taxonomy (Add / Edit)"
#~ msgstr "Тип таксономії (Додати / Редагувати)"

#~ msgid "Media (Edit)"
#~ msgstr "Медіафайл (Редагувати)"

#~ msgid "match"
#~ msgstr "має співпадати"

#~ msgid "all"
#~ msgstr "все"

#~ msgid "of the above"
#~ msgstr "з вищевказаних умов"

#~ msgid "Add Fields to Edit Screens"
#~ msgstr "Додайте поля на сторінку редагування вмісту"

#, fuzzy
#~ msgid "eg. dd/mm/yy. read more about"
#~ msgstr "Напр. dd/mm/yy. read more about"
PK�
�[$MjnN�N�lang/acf-uk.monu�[�������
K��$
�$�$0�$=%O%`%Mg%�%-�%
�%�%	�%&&
"&0&D&S&
[&f&u&}&�&�&�&�&�&
�&�&�&'''0'
9'D'\' u'�'�'�'�'�'
�'
�'�'�'(1(7(D(Q(f(x(~(�(�(�(�(�(�(
�(�(�(	�()))&)>)E)M)S)b)h)t)�)�)�)�)�)�)�)#�)�)[
*
f*t*�*�*
�*E�*�*+*+6+G+Z+b+
s+�+
�+�+�+
�+�+�+
�+�+�+,	,!,2,B,V,e,
j,u,	�,
�,
�,�,�,
�,	�, �,&�,&-D-K-S-b-v-�-�-�-�-�-
�-
�-�-�-.(.;.R.p.1�.�.�.�.
�.�.�.	�.	/
/!/4/C/K/C\/?�/�/�/
�/	�/0
00
:0E0K0R0a0
t0�0111	!1+121F1X1Qa1�1�1�1	�1�1�1425292?2O2U2d2k2�2�2�2�2�2�2
�2�2
�2�2
�2�23	3
33%323
D3
R3`3g3	l3v3�3�3�3�3�3�3�3
�3
�3	�3�3�34
4%4A4
^4l4y4�4	�4�4	�4�4	�4�4�4`�495O5n5~5
�5�5T�56$666L6Q6h6o6w6�6�6	�6�6�6�6	�6�6
�6	�6�6
77	7	)7537,i7�7�7
�7�7�7�7
�7	�7�7
�7888)8-8582;8n8w8
~8
�8�8	�8	�8
�8�8�8	�8�8�8�8�8

99+929
F9T9	j9.t9�9�9�9�9�9�9::�":�:�;	�;�;�;<<3<L<_<y<6~<�<�<�<0�<==
/===S=	Z=d=j=
v=�=�=�=�=�=�=�=�=
�=�=�=	�=	�=1�=Z">3}>3�>	�>�>�>
????5?A?N?S?b?
j?x??�?�?�?
�?�?�?
�?�?@@0@F@e@	j@	t@~@�@�@�@
�@�@�@
�@�@'�@#A+A!:A
\AgAnAtA�A�A�A�A�A�A�A�A�A
�A�A	�A�A	�ABBzB�E�Ej�Ei,F%�F�F��FXGVeG#�G�G!�G5HNHdH+�H$�H�H�H"I)I AI bI�I�I�I�I�I$�I J(<J3eJ(�J'�J�J/�J5'KO]K8�K�K&�K!L8LEL\L
oLazL4�LM"M6M&NM%uM�M�M�M�M�M�MN%N2NEN2\N�N�N�N�N?�N
0O;OYO%jO�O�O�O�O�OPP+P
EP#PPBtP�P��P]Q%wQ.�Q�Q�Q�R,�R5�RS'S)GS0qS#�S0�S�ST&T@TITZTiT�T.�T0�T<�T9ULUlU(�U�U�U�U*V-V)KVuV*�V�V�V�V2�VU1WQ�W�W
�W�W.X<AX#~X�X�X�X�X
�X�X'Y8.Y/gY)�Y)�Y,�Y'Z]@Z�Z�Z�Z�Z
�Z�Z[[/1[3a[�[�[�[o�[FM\�\
�\�\�\�\(�\>]]]
o]z]�](�]�]�]�^_,_D_]_,j_(�_�_��_"f`�`�`�`)�`�`:a@a
Ia#Taxa�a�aR�a
b!b0b,Ebrb�b�b�b%�b�bc)c>c	Sc]c!nc�c%�c'�c%�c"d3d<dTdrd{d�d�d�d�d#�d%e#1eUege*~e�e�e:�e<$f!af�f�f
�f�f�f�fg#'g!Kgmg�rg)h.,h [h0|h�h%�h}�hqi&�i�i�iG�i
%j
0j;jWjsj'�j�j�j!�j(�j'k7kUk?mk�k�k$�k�kolP�l�l�lmm#m;m[mpm!�m,�m#�m�mn1n8nQnWjn�n�n�no#"oFo_o!xo%�o2�o�o
p

p
p#pAp.ap
�p"�p�p�p�pKqMq$eq�q!�q!�q1�q&r?r�_r5s#Fuju2u;�u�uHv4Pv'�vF�v
�v~�v~w�w�wx�w-)x;Wx$�x,�x�x�x

yy5yMyiy+|y�y�y�y�y�y!�yz
'z2zNzBbzJ�z>�zY/{�{�{�{�{%�{�{D|[|
h|v|}|�|�|�|#�|�|#	}.-}\}x}"�}�}%�}2�}.!~9P~K�~�~!�~
-->3l� �,��*�E�Ac���(��(׀���!,�%N�t�{�����������Łہ����2�A��N��5y��x��L�����bt)��*D�>�'"AE{T0O���}�����GU�eD�vs���-W�jXY��+J,QE��������B
��z�S20FO<t�@	ah��y�]���(�?�#~\�_���%n�N��1:L���W|7[
��Q��-�9��kR`J��YH=^84�a���
K��:CiF3�8lo(�@jT�5�\s�+�
��~S&z7�cX�����$)�#*�9u�q%��>�,�n�� �K�r;{�em��^/o�wr�R�fl`V���Pc2�|4��i���f�Gk�!�1A.����������d�M���.��II�6b����_V�'�w�x�u/M�v&�!C���������}Z�	�pg�6�<hH��=3p�mU��?�[��q���$����Z"P��g�� d�B�]�;���(no title)+ Add Field<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.Activate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll imagesAll post typesAll taxonomiesAll user rolesAllow Null?Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBelow fieldsBelow labelsBetter Options PagesBetter ValidationBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationCloseClose FieldClose WindowCollapse DetailsColor PickerCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDate PickerDate Time PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError.ExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField LabelField NameField TypeField group deleted.Field group draft updated.Field group published.Field group saved.Field group submitted.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFileFile ArrayFile IDFile URLFile nameFile sizeFilter by Post TypeFilter by TaxonomyFilter by roleFiltersFlexible ContentFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroupHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImportImport Field GroupsImport file emptyInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataKeyLabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLinkLink ArrayLink URLLoad TermsLoadingLocal JSONLocatingLocationMaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMore AJAXMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew SettingsNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo updates available.NoneNormal (after content)NumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPreview SizeProPublishRangeRead more about <a href="%s">ACF PRO features</a>.RegisterRemoveRemove layoutRemove rowRepeaterRequired?ResourcesReturn FormatReturn ValueReverse current orderRevisionsRowRowsRulesSave FormatSave TermsSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect multiple values?Select post typeSelect taxonomySelect 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 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.Send TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSync availableTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTextText AreaText OnlyThank you for creating with <a href="%s">ACF</a>.Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThis is the name which will appear on the EDIT pageThumbnailTime PickerTitleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUse AJAX to lazy load choices?UserUser FormUser RoleValueValue must be a numberValue must be a valid URLVerticalView FieldView Field GroupVisualVisual & TextVisual OnlyWe think you'll love the changes in %s.WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomandclasscopyidis equal tois not equal tonounCloneorred : Redremove {layout}?verbEditverbUpdatewidthProject-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-10-04 14:50+1000
PO-Revision-Date: 2018-02-06 10:06+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: skinik <info@skinik.name>
Language: uk
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
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);
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
(без заголовку)+ Додати поле<b>Помилка</b>. Неможливо під’єднатися до сервера оновлення<b>Оберіть</b> що <b>ховати</b> з екрану редагування/створення.Активувати ліцензіюАктивноАктивні <span class="count">(%s)</span>Активні <span class="count">(%s)</span>Активні <span class="count">(%s)</span>ДодатиДодати вибір 'Інше', для користувацьких значеньДодати / РедагуватиДодати файлДодати зображенняДодати зображення до галереїДодати новуДодати нове полеДодати нову групу полівДодати новий шаблонДодати рядокДодати шаблонДодати новий вибірДодати рядокДодати групу умовДодати до галереїДоповненняДодаткові поля ProДодаткові поля ProВсеУсі зображенняВсі типи матеріалівВсі таксономіїВсі ролі користувачівДозволити порожнє значення?Дозволені типи файлівАльтернативний текстВиглядРозміщується в кінці поляРозміщується на початку поляЗ'являється при створенні нового матеріалуПоказується, якщо поле порожнєПісля поляРозміщується в кінціЗастосуватиАрхівиВи впевнені?ВкладенняАвторАвтоматичне перенесення рядків (додається теґ &lt;br&gt;)Автоматично додавати абзациЗагальнеПід полямиПід ярликамиКраща сторінка опційПоліпшена перевіркаБлокГалочкаМасові діїМасові діїГрупа кнопокТекст для кнопкиСкасуватиПідписКатегоріїЦентруванняПочаткове розміщення картиСписок змінЛіміт символівПеревірити зновуГалочкаДочірня сторінка (має батьківську)ВибірВаріанти виборуОчиститиОчистити розміщенняЗакритиЗакрити полеЗакрити вікноСховати деталіВибір кольоруКоментарКоментаріУмовна логікаВмістРедактор матеріалуВкажіть спосіб обробки нових рядківСтворити терміниСтворіть набір умов, щоб визначити де використовувати  ці додаткові поляПоточна колірПоточний користувачПоточна роль користувачаПоточна версіяДодаткові поляРозширте можливості WordPress за допомогою потужних, професійних та інтуїтивно зрозумілих полів.Налаштуйте висоту картиНеобхідно оновити базу данихВибір датиВибір дати і часуДеактивувати ліцензіюЗначення за замовчуваннямСтандартний шаблонЗначення за замовчуваннямВидалитиВидалити шаблонВидалити полеОписДискусіяТаблицяФормат показуДокументаціяЗавантажити і встановитиЗавантажити файл експортуПеретягніть, щоб змінити порядокДублюватиДублювати шаблонДублювати полеДублювати цей елементЛегке оновленняРедагуватиРедагувати полеРедагувати групу полівРедагувати файлРедагувати зображенняРедагувати полеРедагувати групу полівЕлементиРозмір вставкиВведіть URLУ кожному рядку по варіантуВведіть значення. Одне значення в одному рядкуПомилка завантаження файлу. Спробуйте зновуПомилка.ВитягПоказати деталіЕкспортувати групи полівЕкспортувати групи полів в код PHPГоловне зображенняПолеГрупа полівГрупи полівНазва поляЯрликТип поляГрупу полів видалено.Чернетку групи полів оновлено.Групу полів опубліковано.Групу полів збережено.Групу полів надіслано.Заголовок обов’язковийГрупу полів оновлено.Групи полів з нижчим порядком з’являться спочаткуТип поля не існуєПоляФайлМасив файлуID файлуURL файлуНазва файлуРозмір файлуФільтр за типом матеріалуФільтр за типом таксономієюФільтр за ролямиФільтриГнучкий вмістДля більшого контролю, Ви можете вказати маркувати значення:Перевірка форми відбувається на PHP + AJAXФорматФормиГоловна сторінкаПовний розмірГалереяСтворити код експортуДо побачення доповнення. Привіт PROGoogle картаГрупаВисотаХовати на екраніВгорі (під заголовком)ГоризонтальноЯкщо декілька груп полів відображаються на екрані редагування, то використовуватимуться параметри першої групи. (з найменшим порядковим номером)ЗображенняМасив зображенняID зображенняURL зображенняІмпортІмпортувати групи полівФайл імпорту порожнійНеактивноНеактивні <span class=count>(%s)</span>Неактивні <span class=count>(%s)</span>Неактивні <span class=count>(%s)</span>Невірний тип файлуІнформаціяВставитиВстановленоРозміщення інструкційІнструкціяНапишіть короткий опис для поляКлючЯрликРозміщення ярликівВеликийОстання версіяШаблон структуриЩоб зняти обмеження — нічого не вказуйте тутЗліваДовжинаБібліотекаІнформація про ліцензіюКод ліцензіїПосиланняМасив посиланняURL посиланняЗавантажити терміниЗавантаженняЛокальний JSONРозміщенняРозміщенняМакс.МаксимумМаксимум шаблонівМаксимум рядківМаксимальна вибіркаМаксимальне значенняМаксимум матеріалівСереднійМенюЕлемент менюРозміщення менюМенюПовідомленняМін.МінімумМінімум шаблонівМінімум рядківМінімальна вибіркаМінімальне значенняМінімум матеріалівБільше AJAXПереміститиПереміщення завершене.Перемістити полеПеремістити полеПеремістити поле до іншої групиПеремістити в кошик. Ви впевнені?Переміщення полівМножинний вибірМножинний вибірНазваНове полеНова група полівНові формиНова галереяПеренесення рядківНові налаштуванняНіНемає полів для цієї сторінки опцій. <a href="%s">Створити групу додаткових полів</a>Не знайдено груп полівУ кошику немає груп полівНе знайдено полівНе знайдено полів у кошикуБез форматуванняНе обрано груп полівЩе немає полів. Для створення полів натисніть <strong>+ Додати поле</strong>.Файл не обраноЗображення не обраноНемає оновлень.НічогоСтандартно (після тектового редактора)ЧислоОпціїСторінка опційОпції оновленоПорядокПорядок розташуванняІншеСторінкаАтрибути сторінкиПосилання на сторінкуБатьківська сторінкаШаблон сторінкиТип сторінкиБатьківська сторінка (має дочірні)Батьківські поляПарольПостійне посилання РозміщенняБудь ласка, введіть код ліцензії, щоб розблокувати оновленняБудь ласка, оберіть групу, в яку переміститиРозташуванняПублікаціяКатегоріяФорматID публікаціїСтатус матеріалуТаксономіяТип матеріалуМатеріал оновленоСторінка з публікаціямиПотужні можливостіПеред полемРозмір мініатюрПроОпублікуватиДіапазон (Range)Прочитайте більше про <a href="%s">можливості ACF PRO</a>.РеєстраціяВидалитиВидалити шаблонВидалити рядокПовторювальне полеОбов’язкове?ДокументаціяФормат поверненняПовернення значенняЗворотній поточний порядокРевізіїРядокРядкиУмовиЗберегти форматЗберегти терміниСпрощений (без метабоксу)ПошукШукати групи полівШукати поляШукати адресу...Шукати...Перегляньте що нового у <a href=%s>версії %s</a>.Обрати колірОберіть групи полівОберіть файлОбрати зображенняОберіть посиланняДозволити множинний вибір?Вибір типу матеріалуВибір таксономіїВиберіть JSON файл, який Ви хотіли б імпортувати. При натисканні кнопки імпорту, нижче, ACF буде імпортовано групи полів.Виберіть групи полів, які Ви хочете експортувати, а далі оберіть бажаний метод експорту. Використовуйте кнопку завантаження для експорту в файл .json, який можна імпортувати до іншої інсталяції ACF. Використовуйте кнопку генерації для експорту в код PHP, який ви можете розмістити у своїй темі.Надіслати трекбекиРозділювачВкажіть початковий масштабВкажіть висоту текстового блокуНалаштуванняПоказувати кнопки завантаження файлів?Показувати групу полів, якщоПоказувати поле, якщоВідображається на сторінці груп полівЗбокуОдне слово, без пробілів. Можете використовувати нижнє підкреслення.СайтСайт оновленоЯрлик URLВибачте, цей браузер не підтримує автоматичне визначення локаціїСортувати за датою зміниСортувати за датою завантаженняСортувати за назвоюСтандартний (WP метабокс)СтатусРозмір крокуСтильПокращений стильДочірні поляГоловний адмінПідтримкаДоступна синхронізаціяВкладкаТаблицяВкладкиТеґиТаксономіяТермін таксономіїID термінуТекстОбласть текстуЛише текстСпасибі за використання <a href="%s">ACF</a>.Дякуємо за оновлення! ACF %s став ще кращим!Поле «%s» можете знайти у групі «%s»Ця назва відображується на сторінці редагуванняМініатюраВибір часуЗаголовокВибрати всеПанель інструментівІнструментиВерхній рівень сторінки (без батьків)ЗверхуТак / НіТипПід капотомНевідомоНевідоме полеОновитиДоступні оновленняОновити файлОновити зображенняІнформація про оновленняОновити плаґінОновленняОновити базу данихОновити сайтиОновлення завершеноОновлення даних до версії %sЗавантажено до матеріалуЗавантажено до цього матеріалуВикористати AJAX для завантаження значень?КористувачФорма користувачаРоль користувачаЗначенняЗначення має бути числомЗначення має бути адресою URlВертикальноПереглянути	 полеПереглянути групу полівВізуальнийВізуальний і ТекстовийВізуальний лишеДумаємо, Вам сподобаються зміни у %s.СайтТиждень починається зВітаємо у Advanced Custom FieldsЩо новогоВіджетШиринаАтрибути обгорткиВізуальний редакторТакЗбільшеннятакласкопіюватиidдорівнюєне дорівнюєКлонабоred : Червонийвидалити {layout}?РедагуватиОновитиширинаPK�
�[  ������lang/acf-ro_RO.monu�[�����",�<"�-6�-:�-D#.h.
}.
�.�.0�.)�.=�.08/"i/��/;10m0~0M�0-�0
11	1141
<1J1^1m1
u1�1�1�1�1�1�1�1��1
�2�2�2�2A�263B3U3^3v3 �3�3�3�3�3�3
�3�34 4=4cC4�4�4�4�4�4�455)565
C5N5U5	l5v5�5�5�5�5�5�5�59�566#606A6/N6~6�6�6�6�6#�6�6�6[�6Q7^7p7
�7E�7�7�78 848Q8n8"�8#�8!�8,�8,!9%N9%t9%�9-�9!�9*:;:N:V:
g:u:
|:�:�:
�:�:�:
�:�:�:	�:;;!;5;D;
I;T;	e;
o;
z;�;�;�;
�;	�; �;&�;&<)<0<<<D<S<g<1s<�<�<�<�<
�<�<
�<
�<==0=K=b=u=R�=�=�=>5>J>d>Ak>�>
�>�>�>	�>�>"�>?0?D?W?f?n?�?+�?C�??@E@L@
R@	]@g@o@|@
�@�@�@�@
�@��@]AcAoA	xA#�A"�A"�A!�A.B=BQB]B/oB
�B�B�B�BQ�B�+C�C�C	�C�CD4DHDy\D�D�D�D�DEE!E.E5E=EIEhE
pE{E	�E��E/F3F;FKFXF
jF
xF!�F�F'�F2�FG$G,G0G8GHGUG
gG!uG	�G<�G�G�G�G
HH+H
HHVHcHsH1xH	�H�H	�H�H	�HJ�H/I/<INlI.�IQ�IQ<J�J`�J�JK'K7K
PK^KTwK�K�K�KLL&L+LBLGLNLVLcLsL	yL�L�L�L	�L�L
�L	�L�L�L	�L�L	M5M,KMxM�M
�M�M�M�M�M
�M	�M�M
�M�MN
N#N0N4N<N
IN2WN�N��NKO
TO_OlOO
�O
�O�O�O�O	�O	�O$�O%�O
P,P9P	OPYP]PbP*hP
�P�P�P�P
�P�P	�P.�P	,Q6QCQWQcQpQ�Q�Q��Q9R5HS7~S>�S?�S#5T1YT%�TG�TV�T&PU:wU<�U2�U"V2VMVfVoV�V�V�V�V�V6�VWW04WeW{W
�W'�W�W�W	�W�W�W
XXXX4X9XHX`XdXjXoXtX}X�X�X	�X	�X!�XZ�X3'YE[YA�Y(�Z*[67[@n[<�[,�[/\7I\3�\	�\�\��\kl]
�]�]�]�]^^%^*^
9^G^[^b^s^^�^
�^�^�^�^�^�^___<_	A_	K_U_g_}_�_(�_'�_�_
``$`5`G`
N`\`�h`'aM4a�a!�a
�a�a�a�a�a�a�a2�a)b-b5b;b@bCbOb_bfbmb
ub�b�b�b	�b�b	�b�b�b�b6�b4ceEc~�f�*gm�g h=hPh_h7oh;�hj�h>Ni2�i��iT|j�j�js�j;_k�k�k�k�k�k�k
l*lBlXl
glul�l
�l�l#�l�l��l�m�mnnU4n�n�n�n�n�n"�no-o5o	JoTo
[ofolo�o�o��o-p:pGpdp�p�p�p�p�p�p	�p�pq!q4qIq[qdq�q�q	�q�qH�q�q�qr#r6rDEr
�r
�r�r	�r�r(�r�rsgs�s�s�s�sH�s$#t(Htqt�t�t�t�t�t�t�t
�t�t�t�t�t	�t�t�tuu(u8uKuSu
bu	pu	zu�u�u
�u�u�u�u�u�uvv/v8vJv[vov�v�v�v�v
�v�v&�v3w6Cwzw
�w�w�w!�w�w@�w*xBx
HxVxjxx
�x�x�x�x&�x�xyyf)y�y)�y �y�y�yz]z{z�z
�z�z�z3�z5�z%){O{m{�{�{�{�{3�{S|JW|�|	�|�|�|�|�| �|
}})}(:}	c}�m}+~3~G~V~6f~8�~3�~5
;@|��=��#�:�K�yS��̀����ǁЁ
�A��=��U�	�
�%�*�:�&B�i�y�	����#����
̃׃�������
����ل���1�H�(b�;��DžͅӅׅ
݅���1%�
W�ge�͆ӆ�
��'-�U�q�������	����
��
ȇ	և[�<�,M�cz�Gވc&�`���s�&b�:��Ċ/܊�+�\H�"��ȋ�$��	�	&�/0�`�d�k�t�����������Ō،���	��6�>�U�	s�Z}�*؍���*�?�Q�`�q���������؎�����"�
.�C<�1�������������ɐՐ�����$�1�99�1s�����ˑ������4�8�J�h�o�����	��3����� 
�+�A�%P�v������p7���Ǖ+�/�C�(Y���8��A̖� �@�5Z�
��!��#���4�#!�E�^�~���X���!��4� N�"o���.��2י
���!�-�:�
F�!T�v���������Ś̚	՚ߚ��
�	�7�bU�=��7���.�4��)1�3[�F��B֞/�3I�;}�8��
������àD�P�e�'l���������áԡ
����4�K�g�}�����$�� ޢ �� �F$�k�x�����"��"ݣ%�6&�7]�������
Ҥ��
�����,��E,� r�0��ĦЦצ�
���	�K�Z�^�e�l�r�u���������	������ŧ
ɧק���
��8�7R� ��4�t���YU�j��Y�NGeFn��:{
�H��7�5�0A�ugApQ����]������)38	�X����5Q�����;��x�m��#E��1�d�J$k����s3�	h=����@*�$R�wS��6���h��?�������Ln�OK�b-��Zq��V|"{l��
m���,K)6��
o�������P�c��"|�f9���\��x2w�_�	D����k�}��}gL*1!rMHS��>i������a�B���WZ
t���8+/d��y�/I�B�:�\���'��!��]2����P�����(
�s=!��T�;��>vXCiU7�9v�I���r�F����"����Cbp�~�W.��#��������J���D.%���y�&_������`4q������'��<@���ue+?��%^��z����-j,�V�������f� �[�l���^�c�Mao`�O�(<�~E�0����&N���G����������� �R���
T[���z%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)+ Add Field<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>Add 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allowed file typesAlt TextAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk ActionsBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDate PickerDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import / Export now uses JSON in favour of XMLImport Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense KeyLimit the media library choiceLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedReturn FormatReturn ValueReverse current orderRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OtherSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 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.Select2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!Toggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrading data to version %sUploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser FormUser RoleValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyidis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-04-16 17:11+1000
PO-Revision-Date: 2019-11-12 08:00+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Elliot Condon <e@elliotcondon.com>
Language: ro_RO
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=3; plural=(n==1?0:(((n%100>19)||((n%100==0)&&(n!=0)))?2:1));
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%s grupul de câmpuri a fost duplicat.%s grupurile de câmpuri au fost duplicate.%s grupurile de câmpuri au fost duplicate.%s grupul de câmpuri a fost sincronizat.%s grupurile de câmpuri au fost sincronizate.%s grupurile de câmpuri au fost sincronizate.%s necesită cel puțin %s selectie%s necesită cel puțin %s selecții%s necesită cel puțin %s selecții%s valoarea este obligatorie(fără etichetă)(fără titlu)+ Adaugă Câmp<b>Eroare</b>. Conexiunea cu servărul a fost pierdută<b>Eroare</b>. Lista de suplimente nu poate fi încărcată<b>Selectează</b> ce opțiuni să fie <b>ascune</b> din ecranul de editare al articolului sau al paginii.Un nou câmp pentru încorporarea conținutului a fost adaugatO folosire mai ușoara a câmpurilor personalizateACF PRO conține caracteristici puternice cum ar fi date repetabile, machete de conținut flexibil, un frumos câmp pentru galerie și puterea de a crea pagini administrative de opțiuni!ACF salvează acum setările câmpurilor ca fiind obiecte de tip articol individualeActivează LicențaActiv<span class="count">(%s)</span> Activ<span class="count">(%s)</span> Active<span class="count">(%s)</span> ActiveAdaugă 'Altceva' pentru a permite o valoare personalizatăAdaugă / EditeazăAdaugă fișierAdaugă o imagineAdaugă imagini în GalerieAdaugăAdaugă un nou câmpAdaugă un nou grup de câmpuriAdaugă o Nouă SchemăAdaugă o linie nouăAdaugă SchemaAdaugă linieAdaugă grup de reguliAdaugă în galerieSuplimenteCâmpuri Personalizate AvansateCâmpuri Avansate Personalizate PROToateToate cele 4 add-onuri premium au fost combinate într-o nouă <a href="%s">Versiune PRO a ACF</a>. Putând alege licența personală sau licența de developer, funcționalitatea premium este acum mai accesibilă ca niciodată!Toate imaginiileToate Tipurile ArticoluluiToate TaxonomiileToate rolurile de utilizatorPermite markup-ului HTML să fie afișat că text vizibil în loc să fie interpretatPermite valori nule?Tipuri de fișiere permiseText alternativApare după intrareApare înainte de intrareApare cănd creați un articol nouApare în intrareAdaugăAdaugă la sfârșitSalveazăArhiveAtașamentAutorAdaugă automat &lt;br&gt;Adaugă automat paragrafeDe bazăÎnainte de a începe să folosești uimitoarele funcții noi, te rungăm să actualizezi baza de date la o versiune mai recentă.Sub câmpuriSub eticheteFormulare Front End mai buneOpțiuni mai bune pentru PaginiO validare mai bunăUn control mai bun al versiuniiBlocAcțiuni în masăAcțiuni în masăButon EtichetăCategoriiCentruCentrează harta inițialăCatalog schimbăriLimită de caractereVerifică din nouCheckboxPagina Succesor (are părinte)AlegereAlegereCurățăSterge LocațiaApasă butonul  "%s" de mai jos pentru a începe să îți creezi schemaÎnchideÎnchide CâmpulÎnchide FereastraÎnchide DetaliileAlege CuloareaListă separată prin virgulă. Lăsați liber pentru toate tipurileComentariuComentariiCondiție LogicăConținutEditorul de conținutControlează cum sunt redate noile liniiCopiatCopiază în clipboarCrează un set de reguli pentru a determina unde vor fi afișate aceste câmpuri avansate personalizateUtilizatorul CurentRolul Utilizatorului CurentVersiunea curentăCâmpuri PersonalizateAdaugă câmpuri puternice și intuitive pentru a personaliza WordPress.Personalizați înălțimea hărțiiActualizare bazei de date este necesarăAlege data calendaristicăAstăziUrmătorAnteriorSăptGataAcumOrăMicrosecundăMilisecundăMinutSecundăSelecteazăAlege oraOraFus OrarDezactivează LicențaImplicitFormat ImplicitValoare implicităȘtergeȘterge SchemaȘterge câmpDescriereDiscuțiiAratăFormatul de AfișareDocumentațieDescarcă & InstaleazăTrage pentru a reordonaCopiazăCopiază SchemaCopiază câmpCopiază acest itemActualizare ușoarăEditezăEditează câmpulEditează grupulEditează fișierulEditează imagineaEditează câmpEditează Grupul de CâmpuriElementeAdresă de emailMarimea EmbedIntroduceți URLPune fiecare alegere pe o linie nouă.Introdu fiecare valoare implicită pe o linie nouăEroare la încărcarea fișierului. Încearcă din nouEroare.Scăpare HTMLDescriere scurtăExtinde DetaliileExportați Grupurile de CâmputriExportă fișierulUn grup exportat.%s grupuri exportate.%s de grupuri exportate.Imagine ReprezentativăCâmpGrup de câmpGrupuri de câmpuriCheile câmpulurilorEtichetă CâmpNume CâmpTipul CâmpuluiGrup șters.Ciorna grup actualizat.Grupul de câmpuri a fost duplicat. %sGrup publicat.Grup salvat.Grup programat pentru.Setările grupului de câmpuri a fost adăugat pentru poziționarea etichitelor și a instrucțiunilorGrup trimis.Grupul de câmpuri a fost sincronizat. %sTitlul grupului este obligatoriuGrup actualizat.Tipul câmpului nu existăCâmpuriCâmpurile pot fi acum mapate la comentarii, widget-uri sau orice alt formular creat de user!FișierMulțime de fișierID FișierCale FișierMărime fișierMărimea fișierului trebuie să fie cel puțin %s.Mărimea fișierului nu trebuie să depășească %s.Tipul fișierului trebuie să fie %s.Filtur dupa Tipul ArticoluluiFiltru după TaxonomieFiltrează după rolFiltreGăsește locația curentăConținut FlexibilConținutul Flexibil necesită cel puțin 1 schemăPentru un mai bun control, poți specifica o valoare și o etichetă ca de exemplu:Validarea formularelor se face acum via PHP + AJAX în defavoarea numai JSFormatFormularePagina principalăMarime completăGalerieGenerează PHPLa revedere Add-onuri. Salut PROHartă GoogleÎnălțimeAscunde pe ecranMare (după titlul aricolului / paginii)OrizontalDaca în ecranul de editare al articolului / paginii apar mai multiple grupuri de câmpuri, atunci opțiunile primul grup de câmpuri vor fi folosite (cel cu numărul de ordine cel mai mic)ImagineMulțime de imaginiID-ul imaginiiURL-ul imaginiiÎnălțimea imaginii trebuie să fie cel puțin %dpx.Înălțimea imaginii nu trebuie să depășească %dpx.Lățimea imaginii trebuie să fie cel puțin %dpx.Lățimea imaginii nu trebuie să depășească %dpx.Importul / Exportul folosește acum JSON în defavoarea XMLImportă Grupurile de câmpuriImportă fișierFișierul import este golUn grup importat%s grupuri importate%s de grupuri importateTipuri de Date imbunătățiteDesign îmbunătățitFolosire FacilăInactivInactiv <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>Inactivs <span class="count">(%s)</span>Includerea popularei librării Select2 a îmbunătățit folosirea dar și viteaza pentru un număr ridicat de tipuri de câmpuri care includ, obiectele articol, legătura paginii, taxonomia și selecția.Tipul fișierului este incorectInformațiiInstalatPlasamentul instrucțiunilorInstrucțiuniInstrucțiuni pentru autor. Sunt afișate când se adaugă valoriIntroducere în ACF PROEste puternic recomandat să faceți o copie de siguranța a bazei de date înainte de a începe procesul de actualizare. Ești sigur că vrei să începi actualizarea acum?EtichetăPoziționarea eticheteiMareUltima versiuneSchemăLasă gol pentru a nu a avea o limităAliniere StangaLungimeLibrărieCod de activareLimitați alegerea librăriei mediaSe încarcăJSON localLocațiaAutentifiatMulte câmpuri au dobândit un nou design vizual pentru a face ACF un produs mai ușor de folosit! Schimbările pot fi văzute în special, la câmpurile Galerie, Relații și oEmbed(nou)!MaxMaximScheme MaximeNumărul maxim de LiniiSelecție maximăValoare maximăNumărul maxim de articoleNumărul maxim de linii a fost atins ({max} rows)Selecția maximă atinsăValorile maxime atinse  ( {max} valori )Numărul maxim de {label} a fost atins ({max} {identifier})MediuMesajMinMinimScheme MinimeNumărul minim de LiniiSelecție minimăValoare minimăNumărul minim de linii a fost atins ({min} rows)Mai mult AJAXMai multe câmpuri folosesc puterea de căutare AJAX pentru a micșora timpul de încărcare al paginiiMutăMutare Completă.Mută câmpul personalizatMută CâmpulMută acest câmp în alt grupMută în coșul de gunoi. Ești sigur?Câmpuri care pot fi mutateSelectie multiplăValori multipleNumeTextCâmp nouGrup de câmp nouNoi formulareGalerie NouăLinii NoiSetările noului câmp de relaționare pentru Filtre (Caută, Tipul Articolului, Taxonomie)Configurări noiNoua arhivă de grup în selecția page_linkNoua funcționalitate de auto export în JSON permite ca setările câmpurilor să fie versionabileNoua funcționalitate de auto import în JSON îmbunătățește vitezaNoua funcționalitate a grupului de câmpuri îți permite acum să muți câmpurile între grupuriNoile funcții pentru opțiunile pagini îți permite acum create de pagini meniu și submeniuriNuNu a fost găsit nici un grup de câmpuri personalizate. <a href="%s">Creează un Grup de Câmpuri Personalizat</a>Nu s-a găsit nici un câmp de grupuriNu s-a găsit nici un câmp de grupuri în coșul de gunoiNu s-au găsit câmpuriNu s-a găsit nici un câmp în coșul de gunoiNici o FormaterNu a fost selectat nici un grup de câmpuriNici un câmp. Click pe butonul <strong>+ Adaugă Câmp</strong> pentru a crea primul câmp.Nu a fost selectat nici un fișierNu ai selectat nici o imagineNici un rezultatNu există nicio pagină de opțiuniFără %sNici unulNormal (dupa conținutul articolului / paginii)GolNumărOpțiuniPagina de OpțiuniOpțiunile au fost actualizateOrdineNr. crt.AltcevaPaginaAtributele PaginiiLegătura PaginiiPagina PărinteMacheta PaginiTipul PaginiPagina părinte (are succesori)ParolăLegătură permanentăTextul afișat ca placeholderPlasamentTe rog sa introduci codul de activare în câmpul de mai sus pentru a permite actualizăriSelectează destinația pentru acest câmpPozițieArticolCategoria ArticoluluiFormatul ArticoluluiID-ul ArticoluluiObiect ArticolStarea ArticoluiTaxonomia ArticoluluiTipul ArticoluluiArticol ActualizatPagina ArticolelorCaracteristici puternicePrefixeazăAdaugă la începutDimensiunea previzualizăriiProPublicăButon RadioButoane radioCitește mai mult despre <a href="%s">Caracteristicile ACF PRO</a>.Citirea sarcinilor necesare pentru actualizare...Refacerea arhitecturii tipurilor de date a permis ca sub câmpurile să fie independente de câmpurile părinte. Acest lucru vă permite să trageți și să eliberați câmpurile în și în afara câmpurilor părinte!ÎnregistreazăRelaționalRelațieCâmp de realționareÎnlăturăÎnlătură SchemaÎnlătură linieReordoneazăReordonează SchemaRepeaterObligatoriu?ResurseRestricționați ce tipuri de fișiere pot fi încărcateRestricționează care imagini pot fi încărcateFormatul ReturnatValoarea returnatăInversează ordinea curentăReviziiLinieLiniiReguliSalvează valoarea 'Altceva' la opțiunile câmpuluiSalvează AltcevaSeamless (fără metabox-uri)CautăCaută în grupurile de câmpCaută câmpuriCaută adresa...Caută...Vezi ce este nou în <a href="%s">versiunea %s</a>.Selectează %sAlege CuloareaSelectați Grupurile de CâmpuriSelectează fișierulAlege imagineaPermite selecția de valori multiple?Alegeți tipul articoluluiAlegeți taxonomiaAlege fișierul JSON ACF pe care dorești să-l imporți. Când vei apăsa butonul import de mai jos, ACF v-a importa toate grupurile de câmpuri.Selectați grupurile de câmpuri pe care doriți să le exportați și apoi selectați metoda de export. Folosiți butonul de descărcare pentru a exporta într-un fișier .json pe care apoi îl puteți folosi pentru a importa într-o altă instalare a ACF. Folosiți butonul Generare pentru a exporta totul în cod PHP, pe care îl puteți pune apoi in tema voastră.Te rog să ștergi un caracterTe rog să ștergi %d caractereTe rog să introduci cel puțin un caracterTe rog să introduci %d sau mai multe caractereÎncărcarea a eșuatSe încarcă mai multe rezultate&hellip;Nici un rezultatUn rezultat disponibil, apasă enter pentru a-l selecta.%d rezultate disponibile, apasă tastele sus/jos pentru a naviga.Se caută&hellip;Poți selecta un singur elementPoți selecta %d elementeElementele selectate vor apărea în fiecare rezultatTrackback-uriSetează nivelul de zoom inițialSetează înălțimea zonei de textSetăriArată Butoanele de Încărcare a fișierelor Media?Arată acest grup de câmpuri dacăArată acest câmp dacăAfișat la introducerea datelorLateralO singură valoareUn singur cuvânt, fără spații. Caracterele _ (underscore) și - (minus) sunt permiseSlugSetări deștepte ale câmpurilorNe pare rău, acest broswer nu suportă geo locațiaSortează după data modficăriiSortează după data încărcăriiSortează după titluSpecificați valoarea returnată în front endStandard (asemănător WP, folosește metabox-uri)StareMărime pasStilUI stilizatSub câmpuriSuper AdminSuport TehnicAm schimbat XML în favoarea JSONSincronizareSincronizare disponibilăSincronizare grup de câmpuriTabTabelTaburiEticheteTaxonomieID-ul TermenuluiObiectul TermenTextZonă de TextDoar TextÎți mulțumim pentru actualizarea făcută la %s v%s!Iți mulțumim pentru actualizare! ACF %s  a devenit mai mare și mai bun. Sperăm să-ți placă.Acest %s câmp acum poate fi găsit în %s grupul de câmpuriModificările făcute vor fi pierdute dacă nu salvațiUrmătorul bloc de cod poate fi folosit pentru a înregistra o copie locală a grupului(lor) de câmpuri selectat(e). Un grup de câmpuri local poate facilita multe beneficii cum ar fi un timp de încărcare mai mic, control al versiunii și câmpuri / setări dinamice. Pentru a beneficia de toate acestea nu trebuie decât să copiați și să inserați următorul bloc de cod în fișierul functions.php al temei sau să-l includeți într-un fișier extern.Formatul afișat în momentul editării unui articolFormatul rezultat via funcțiilor șablonCâmpul Galierie a suferit un facelift bine meritatTextul "field_" nu poate fi folosit la începutul denumirii unui câmpAcest câmp nu poate fi mutat decât după salvarea modificărilorAcest câmp are o limită de {max} {identifier}Acest câmp necesită cel puțin {min} {identifier}Acest câmp necesită cel puțin {min} {label} {identifier}Acesta este numele care va apărea în pagina de editareMiniaturăTitluPentru a activa actualizările, este nevoie să introduci licența în pagina <a href="%s">de actualizări</a>. Dacă nu ai o licență, verifică aici <a href="%s">detaliile și prețul</a>.Pentru a facilita actualizarea într-un mod ușor, <a href="%s">intră în contul tău</a> și obține o copie gratis a ACF PRO!Comută totBară de instrumenteUneltePagina primului nivel (fără părinte)Aliniere SusAdevărat / FalseTipSub capatăCâmp necunoscutGrup de câmpuri necunoscutActualizeazăSunt disponibile actualizăriActualizează fișierulActualizează imagineaActualizează infromațiileActualizează ModululActualizăriActualizează baza de dateAnunț ActualizăriActualizarea datelor la versiunea %sÎncărcate pentru acest articolÎncărcate pentru acest articolUrlFolosiți AJAX pentru a încărca alegerile în modul ”Lazy Load”?UtilizatorulFormularul UtilizatoruluiRolul UtilizatoruluiValidarea a eșuatValidare a fost făcută cu succesValoarea trebuie să fie un numărValoarea trebuie să fie un URL validValoarea trebuie să fie egală sau mai mare decât %dValoarea trebuie să fie egală sau mai mică decât %dVerticalVizualizează câmpulVizulaizează grupul de câmpVezi back-endVezi front-endVisualVizual & TextDoar VizualDe asemenea am pus la dispoziția ta <a href="%s">un ghid de actualizare</a> pentru a răspunde tuturor întrebărilor, dar dacă totuși ai o întrebare, te rog sa contactezi echipa noastră de suport, folosind <a href="%s">help desk</a>Credem că vei îndrăgi shimbările în %s.Am schimbat modul în care funcționalitatea premium este transmisă!Săptămâna începe în ziua deBine ai venit la Câmpuri Personalizate AvansateCe este nouPiesăLățimeAtributele Wrapper-uluiEditor VizualDaZoomacf_form() poate crea acum un nou articol odată ce cererea a fost trimisășimarcatclasăcopieideste egal cunu este egal cujQueryschemăschemeCloneazăSelecteazăoEmbedsauroșu : Roșuînlătură {layout}?EditezăSelecteazăActualizeazălățime{available} {label} {identifier} disponibile (max {max}){required} {label} {identifier} obligatoriu (min {min})PK�
�[�x�#>�>�lang/acf-tr_TR.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.7.12\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-01-31 12:36+0100\n"
"PO-Revision-Date: 2019-02-15 17:08+0300\n"
"Last-Translator: Emre Erkan <kara@karalamalar.net>\n"
"Language-Team: Emre Erkan <emre@ada.agency>\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.1.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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:363 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Alan grupları"

#: acf.php:364
msgid "Field Group"
msgstr "Alan grubu"

#: acf.php:365 acf.php:397 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New"
msgstr "Yeni ekle"

#: acf.php:366
msgid "Add New Field Group"
msgstr "Yeni alan grubu ekle"

#: acf.php:367
msgid "Edit Field Group"
msgstr "Alan grubunu düzenle"

#: acf.php:368
msgid "New Field Group"
msgstr "Yeni alan grubu"

#: acf.php:369
msgid "View Field Group"
msgstr "Alan grubunu görüntüle"

#: acf.php:370
msgid "Search Field Groups"
msgstr "Alan gruplarında ara"

#: acf.php:371
msgid "No Field Groups found"
msgstr "Hiç alan grubu bulunamadı"

#: acf.php:372
msgid "No Field Groups found in Trash"
msgstr "Çöpte alan grubu bulunamadı"

#: acf.php:395 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:529
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Alanlar"

#: acf.php:396
msgid "Field"
msgstr "Alan"

#: acf.php:398
msgid "Add New Field"
msgstr "Yeni elan ekle"

#: acf.php:399
msgid "Edit Field"
msgstr "Alanı düzenle"

#: acf.php:400 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Yeni alan"

#: acf.php:401
msgid "View Field"
msgstr "Alanı görüntüle"

#: acf.php:402
msgid "Search Fields"
msgstr "Alanlarda ara"

#: acf.php:403
msgid "No Fields found"
msgstr "Hiç alan bulunamadı"

#: acf.php:404
msgid "No Fields found in Trash"
msgstr "Çöpte alan bulunamadı"

#: acf.php:443 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:586
msgid "Inactive"
msgstr "Etkin değil"

#: acf.php:448
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Etkin olmayan <span class=“count”>(%s)</span>"
msgstr[1] "Etkin olmayan <span class=“count”>(%s)</span>"

#: includes/acf-field-functions.php:823
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(etiket yok)"

#: includes/acf-field-group-functions.php:816
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "kopyala"

#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Alan grubu güncellendi."

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Alan grubu silindi."

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Alan grubu yayımlandı."

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Alan grubu kaydedildi."

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Alan grubu gönderildi."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Alan grubu zamanlandı."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Alan grubu taslağı güncellendi."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Artık alan isimlerinin başlangıcında “field_” kullanılmayacak"

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "Bu alan, üzerinde yapılan değişiklikler kaydedilene kadar taşınamaz"

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Alan grubu başlığı gerekli"

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Çöpe taşımak istediğinizden emin misiniz?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Kullanılabilir aç-kapa alan yok"

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Özel alanı taşı"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "İşaretlendi"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(bu alan)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3990
msgid "or"
msgstr "veya"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Boş"

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Konum"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Ayarlar"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Alan anahtarları"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Etkin"

#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "Taşıma tamamlandı."

#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "%s alanı artık %s alan grubu altında bulunabilir"

#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "Pencereyi kapat"

#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "Lütfen bu alan için bir hedef seçin"

#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "Alanı taşı"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Etkin <span class=“count”>(%s)</span>"
msgstr[1] "Etkin <span class=“count”>(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Alan grubu çoğaltıldı."
msgstr[1] "%s alan grubu çoğaltıldı."

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Alan grubu eşitlendi."
msgstr[1] "%s alan grubu eşitlendi."

#: includes/admin/admin-field-groups.php:413
#: includes/admin/admin-field-groups.php:576
msgid "Sync available"
msgstr "Eşitleme mevcut"

#: includes/admin/admin-field-groups.php:526 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:372
msgid "Title"
msgstr "Başlık"

#: includes/admin/admin-field-groups.php:527
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:399
msgid "Description"
msgstr "Açıklama"

#: includes/admin/admin-field-groups.php:528
msgid "Status"
msgstr "Durum"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr "Güçlü, profesyonel ve sezgisel alanlar ile WordPress'i özelleştirin."

#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Değişiklik kayıtları"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "<a href=\"%s\">%s sürümünde</a> neler yeni bir göz atın."

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Kaynaklar"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Websitesi"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Belgeler"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Destek"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "<a href=\"%s\">ACF</a> ile oluşturduğunuz için teşekkürler."

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Bu ögeyi çoğalt"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate"
msgstr "Çoğalt"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Ara"

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "Seç %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Alan grubunu eşitle"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Eşitle"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Uygula"

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Toplu eylemler"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Araçlar"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Veritabanını güncelle"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Siteleri incele ve güncelle"

#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Özel alanlar"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Bilgi"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Neler yeni"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Alan gruplarını dışarı aktar"

#: 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 "PHP oluştur"

#: 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 "Hiç alan grubu seçilmemiş"

#: 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 alan grubu içeri aktarıldı."
msgstr[1] "%s alan grubu içeri aktarıldı."

#: 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 "Alan gruplarını seç"

#: 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 ""
"Dışa aktarma ve sonra dışa aktarma yöntemini seçtikten sonra alan gruplarını "
"seçin. Sonra başka bir ACF yükleme içe bir .json dosyaya vermek için indirme "
"düğmesini kullanın. Tema yerleştirebilirsiniz PHP kodu aktarma düğmesini "
"kullanın."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Dışarı aktarım dosyası"

#: 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 ""
"Aşağıdaki kod seçilmiş alan grubu/grupları için yerel bir sürüm kaydetmek "
"için kullanılır. Yerel alan grubu daha hızlı yüklenme süreleri, sürüm "
"yönetimi ve dinamik alanlar/ayarlar gibi faydalar sağlar. Yapmanız gereken "
"bu kodu kopyalayıp temanızın functions.php dosyasına eklemek ya da harici "
"bir dosya olarak temanıza dahil etmek."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Panoya kopyala"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Kopyalandı"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Alan gruplarını içeri aktar"

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""
"İçeri aktarmak istediğiniz Advanced Custom Fields JSON dosyasını seçin. "
"Aşağıdaki içeri aktar tuşuna bastığınızda ACF alan gruplarını içeri "
"aktaracak."

#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Dosya seç"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Dosyayı içeri aktar"

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Dosya seçilmedi"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Dosya yüklenirken hata oluştu. Lütfen tekrar deneyin"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Geçersiz dosya tipi"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "İçe aktarılan dosya boş"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "1 alan grubu içeri aktarıldı"
msgstr[1] "%s alan grubu içeri aktarıldı"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Koşullu mantık"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Alanı bu şart gerçekleşirse göster"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "ve"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Kural grubu ekle"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:424
#: pro/fields/class-acf-field-repeater.php:294
msgid "Drag to reorder"
msgstr "Yeniden düzenlemek için sürükleyin"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Alanı düzenle"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:359
msgid "Edit"
msgstr "Düzenle"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Alanı çoğalt"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Alanı başka gruba taşı"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Taşı"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Alanı sil"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete"
msgstr "Sil"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Alan etiketi"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Bu isim DÜZENLEME sayfasında görüntülenecek isimdir"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Alan adı"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Tek kelime, boşluksuz. Alt çizgi ve tireye izin var"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Alan tipi"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Yönergeler"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Yazarlara gösterilecek talimatlar. Veri gönderirken gösterilir"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Gerekli mi?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Kapsayıcı öznitelikleri"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "genişlik"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "sınıf"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Alanı kapat"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Sırala"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Label"
msgstr "Etiket"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:610
msgid "Name"
msgstr "İsim"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Anahtar"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tip"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Hiç alan yok. İlk alanınızı oluşturmak için <strong>+ Alan ekle</strong> "
"düğmesine tıklayın."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Alan ekle"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Kurallar"

#: 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 ""
"Bu gelişmiş özel alanları hangi düzenleme ekranlarının kullanacağını "
"belirlemek için bir kural seti oluşturun"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standart (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Pürüzsüz (metabox yok)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Pozisyon"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Yüksek (başlıktan sonra)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (içerikten sonra)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Yan"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Etiket yerleştirme"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Üste hizalı"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Sola hizalı"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Yönerge yerleştirme"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Etiketlerin altında"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Alanlarının altında"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Sıra no."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Daha düşük sıralamaya sahip alan grupları daha önce görünür"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Alan grubu listesinde görüntülenir"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Kalıcı bağlantı"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "İçerik düzenleyici"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Özet"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Tartışma"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Yorumlar"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Sürümler"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Kısa isim"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Yazar"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Biçim"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Sayfa öznitelikleri"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Öne çıkarılmış görsel"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategoriler"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Etiketler"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Geri izlemeleri gönder"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Ekranda gizle"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "Düzenleme ekranından <b>gizlemek</b> istediğiniz ögeleri <b>seçin</b>."

#: includes/admin/views/field-group-options.php:129
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 ""
"Eğer düzenleme ekranında birden çok alan grubu ortaya çıkarsa, ilk alan "
"grubunun seçenekleri kullanılır (en düşük sıralama numarasına sahip olan)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Şu siteler için VT güncellemesi gerekiyor. Güncellemek istediklerinizi "
"işaretleyin ve %s tuşuna basın."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Siteleri yükselt"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Site"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Site için %s sürümünden %s sürümüne veritabanı güncellemesi gerekiyor"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Site güncel"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Veritabanı güncellemesi tamamlandı. <a href=\"%s\">Ağ panosuna geri dön</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Lütfen yükseltmek için en az site seçin."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Devam etmeden önce veritabanınızı yedeklemeniz önemle önerilir. "
"Güncelleştiriciyi şimdi çalıştırmak istediğinizden emin misiniz?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Veri %s sürümüne yükseltiliyor"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Yükseltme başarılı."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Yükseltme başarısız oldu."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Yükseltme görevlerini okuyor..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Veritabanı güncellemesi tamamlandı. <a href=\"%s\">Neler yeni bir göz atın</"
"a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "Güncelleme yok."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Tüm araçlara geri dön"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Bu alan grubunu şu koşulda göster"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Tekrarlayıcı"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Esnek içerik"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galeri"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Seçenekler sayfası"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Veritabanı yükseltmesi gerekiyor"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "%s v%s sürümüne güncellediğiniz için teşekkür ederiz!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Bu sürüm veritabanınız için iyileştirmeler içeriyor ve yükseltme "
"gerektiriyor."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Lütfen ayrıca premium eklentilerin de (%s) en üst sürüme güncellendiğinden "
"emin olun."

#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Eklentiler"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "İndir ve yükle"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Yüklendi"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Advanced Custom Fields eklentisine hoş geldiniz"

#: 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 ""
"Güncelleme için teşekkür ederiz! ACF %s zamankinden daha büyük ve daha iyi. "
"Umarız beğenirsiniz."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Daha pürüzsüz bir deneyim"

#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Geliştirilmiş kullanılabilirlik"

#: includes/admin/views/settings-info.php:20
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 ""
"Popüler Select2 kütüphanesini ekleyerek yazı nesnesi, sayfa bağlantısı, "
"taksonomi ve seçim kutusu gibi bir çok alan tipinde hem kullanışlılık hem de "
"hız iyileştirmeleri gerçekleşti."

#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Geliştirilmiş tasarım"

#: includes/admin/views/settings-info.php:25
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 ""
"ACF daha iyi görünsün diye bir çok alan görsel yenilemeden geçirildi! Gözle "
"görülür değişiklikler galeri, ilişki ve oEmbed (yeni) alanlarında!"

#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Geliştirilmiş veri"

#: includes/admin/views/settings-info.php:30
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 ""
"Veri mimarisinin yeniden düzenlenmesi sayesinde alt alanlar üst alanlara "
"bağlı olmadan var olabiliyorlar. Bu da üst alanların dışına sürükle bırak "
"yapılabilmesine olanak sağlıyor!"

#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Elveda eklentiler. Merhaba PRO"

#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Karşınızda ACF PRO"

#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Premium işlevlerin size ulaştırılmasını daha heyecanlı bir hale getiriyoruz!"

#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Yeni <a href=\"%s\">ACF Pro sürümününe</a> 4 premium eklenti dahil edildi. "
"Hem kişisel hem geliştirici lisansında, özel beceriler hiç olmadığı kadar "
"edinilebilir ve erişilebilir!"

#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Güçlü özellikler"

#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO, tekrarlanabilir veri, esnek içerik yerleşimleri, harika bir galeri "
"alanı ve ekstra yönetim seçenekleri sayfaları oluşturma gibi güçlü "
"özellikler içerir!"

#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "<a href=\"%s\">ACF PRO özellikleri</a> hakkında daha fazlasını okuyun."

#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Kolay yükseltme"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"ACF PRO’ya yükseltmek çok kolay. Çevrimiçi bir lisans satın alın ve "
"eklentiyi indirin!"

#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Her türlü soruya cevap verebilecek <a href=\"%s\">bir yükseltme rehberi</a> "
"hazırladık, fakat yine de bir sorunuz varsa lütfen <a href=\"%s\">yardım "
"masası</a>nı kullanarak destek ekibimize danışın."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Yeni özellikler"

#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Bağlantı alanı"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Bağlantı alanı bir bağlantı (adres, başlık, hedef) seçmek ya da tanımlamak "
"için basit bir yol sunar."

#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Grup alanı"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr "Grup alanı birden çok alanı basitçe gruplamanıza olanak sağlar."

#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "oEmbed alanı"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"oEmbed alanı videolar, görseller, tweetler, ses ve diğer içeriği kolayca "
"gömebilmenizi sağlar."

#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Kopya alanı"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr "Kopya alanı var olan alanları seçme ve görüntülemenize olanak sağlar."

#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Daha fazla AJAX"

#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Sayfa yüklenmesini hızlandırmak adına daha çok alan AJAX ile güçlendirilmiş "
"arama kullanıyor."

#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Yerel JSON"

#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Yeni otomatik JSON dışarı aktarma özelliği ile hız artıyor ve "
"senkronizasyona imkan sağlanıyor."

#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Kolayca içe / dışa aktarma"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"İçeri ve dışarı aktarma işlemleri yeni araçlar sayfasından kolayca "
"yapılabilir."

#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Yeni form konumları"

#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Alanlar artık menülere, menü elemanlarına, yorumlara, bileşenlere ve tüm "
"kullanıcı formlarına eşlenebiliyor!"

#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Daha fazla özelleştirme"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Daha fazla özelleştirmeye izin veren yeni PHP (ve JS) eylem ve filtreleri "
"eklendi."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Taze arayüz"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Eklentinin tasarımı yeni alan tipleri, ayarlar ve tasarımı da içerecek "
"şekilde yenilendi!"

#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Yeni ayarlar"

#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Etkin, etiket yerleşimi, talimatlar yerleşimi ve açıklama için alan grubu "
"ayarları eklendi."

#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Daha iyi ön yüz formları"

#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() artık gönderim halinde bir sürü yeni ayar ile yeni bir yazı "
"oluşturabilir."

#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Daha iyi doğrulama"

#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr "Form doğrulama artık sadece JS yerine PHP + AJAX ile yapılıyor."

#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Taşınabilir alanlar"

#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Yeni gruplama becerisi, bir alanı gruplar ve üst alanlar arasında "
"taşıyabilmenize olanak sağlar."

#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "%s sürümündeki değişiklikleri seveceğinizi düşünüyoruz."

#: includes/api/api-helpers.php:1011
msgid "Thumbnail"
msgstr "Küçük görsel"

#: includes/api/api-helpers.php:1012
msgid "Medium"
msgstr "Orta"

#: includes/api/api-helpers.php:1013
msgid "Large"
msgstr "Büyük"

#: includes/api/api-helpers.php:1062
msgid "Full Size"
msgstr "Tam boyut"

#: includes/api/api-helpers.php:1831 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(başlıksız)"

#: includes/api/api-helpers.php:3911
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Görsel genişliği en az %dpx olmalı."

#: includes/api/api-helpers.php:3916
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Görsel genişliği %dpx değerini geçmemeli."

#: includes/api/api-helpers.php:3932
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Görsel yüksekliği en az %dpx olmalı."

#: includes/api/api-helpers.php:3937
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Görsel yüksekliği %dpx değerini geçmemeli."

#: includes/api/api-helpers.php:3955
#, php-format
msgid "File size must be at least %s."
msgstr "Dosya boyutu en az %s olmalı."

#: includes/api/api-helpers.php:3960
#, php-format
msgid "File size must must not exceed %s."
msgstr "Dosya boyutu %s boyutunu geçmemeli."

#: includes/api/api-helpers.php:3994
#, php-format
msgid "File type must be %s."
msgstr "Dosya tipi %s olmalı."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Bu sayfadan başka bir sayfaya geçerseniz yaptığınız değişiklikler kaybolacak"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Seç"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Düzenle"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Güncelle"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Bu yazıya yüklenmiş"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "Ayrıntıları genişlet"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Detayları daralt"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Kısıtlı"

#: includes/assets.php:178 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Tüm görseller"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "Doğrulama başarılı"

#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Doğrulama başarısız"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "1 alan dikkatinizi gerektiriyor"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "%d alan dikkatinizi gerektiriyor"

#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Emin misiniz?"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Evet"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Hayır"

#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:360
#: pro/fields/class-acf-field-gallery.php:549
msgid "Remove"
msgstr "Kaldır"

#: includes/assets.php:191
msgid "Cancel"
msgstr "İptal"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Herhangi bir değer"

#: includes/assets.php:195
msgid "Has no value"
msgstr "Hiçbir değer"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "Değer eşitse"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "Değer eşit değilse"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "Değer bir desenle eşleşir"

#: includes/assets.php:199
msgid "Value contains"
msgstr "Değer içeriyor"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "Değer daha büyük"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "Değer daha az"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "Seçin daha büyük"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "Seçim daha az"

#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Alan grubunu düzenle"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Var olmayan alan tipi"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Bilinmiyor"

#: includes/fields.php:349
msgid "Basic"
msgstr "Basit"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "İçerik"

#: includes/fields.php:351
msgid "Choice"
msgstr "Seçim"

#: includes/fields.php:352
msgid "Relational"
msgstr "İlişkisel"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:567
#: pro/fields/class-acf-field-flexible-content.php:616
#: pro/fields/class-acf-field-repeater.php:443
msgid "Layout"
msgstr "Yerleşim"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Akordeon"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Açık"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Sayfa yüklemesi sırasında bu akordeonu açık olarak görüntüle."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Çoklu genişletme"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Bu akordeonun diğerlerini kapatmadan açılmasını sağla."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Uç nokta"

#: 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 ""
"Önceki akordeonun durması için bir son nokta tanımlayın. Bu akordeon "
"görüntülenmeyecek."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Tuş grubu"

#: 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:364
msgid "Choices"
msgstr "Seçimler"

#: 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:365
msgid "Enter each choice on a new line."
msgstr "Her seçeneği yeni bir satıra girin."

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Daha fazla kontrol için, hem bir değeri hem de bir etiketi şu şekilde "
"belirtebilirsiniz:"

#: 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:365
msgid "red : Red"
msgstr "kirmizi : Kırmızı"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "Boş geçilebilir mi?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: 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:381
msgid "Default Value"
msgstr "Varsayılan değer"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Yeni bir yazı oluştururken görünür"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Yatay"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Dikey"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Dönüş değeri"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Ön yüzden dönecek değeri belirleyin"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Değer"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "İkisi de (Dizi)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "İşaret kutusu"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Tümünü aç/kapat"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Yeni seçenek ekle"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Özel değere izin ver"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "‘Özel’ alanların eklenebilmesine izin ver"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Özel alanı kaydet"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "‘Özel’ değerleri alanın seçenekleri arasına kaydet"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Her varsayılan değeri yeni bir satıra girin"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Aç - kapat"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"En başa tüm seçimleri tersine çevirmek için ekstra bir seçim kutusu ekle"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Renk seçici"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Temizle"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Varsayılan"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Renk seç"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Şu anki renk"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Tarih seçici"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Tamam"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Bugün"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "İleri"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Önceki"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Hf"

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Gösterim biçimi"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Bir yazı düzenlenirken görüntülenecek biçim"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Özel:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Biçimi kaydet"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Bir değer kaydedilirken kullanılacak biçim"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
msgid "Return Format"
msgstr "Dönüş biçimi"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Tema işlevlerinden dönen biçim"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Hafta başlangıcı"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Tarih zaman seçici"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Zamanı se"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Zaman"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Saat"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Dakika"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Saniye"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisaniye"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosaniye"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Zaman Dilimi"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Şimdi"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Tamam"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Seç"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-posta"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Yer tutucu metin"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Girdi alanının içinde görünür"

#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Önüne ekle"

#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Girdi alanından önce görünür"

#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Sonuna ekle"

#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Girdi alanından sonra görünür"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Dosya"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Dosya düzenle"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Dosyayı güncelle"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Dosya adı"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:708
#: pro/fields/class-acf-field-gallery.php:737
msgid "File size"
msgstr "Dosya boyutu"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Dosya ekle"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Dosya dizisi"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Dosya adresi"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "Dosya no"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:673
msgid "Library"
msgstr "Kitaplık"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:674
msgid "Limit the media library choice"
msgstr "Ortam kitaplığı seçimini sınırlayın"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:679
msgid "All"
msgstr "Tümü"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:680
msgid "Uploaded to post"
msgstr "Yazıya yüklendi"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:687
msgid "Minimum"
msgstr "En az"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Yüklenebilecek dosyaları sınırlandırın"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:716
msgid "Maximum"
msgstr "En fazla"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:745
msgid "Allowed file types"
msgstr "İzin verilen dosya tipleri"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:746
msgid "Comma separated list. Leave blank for all types"
msgstr "Virgül ile ayrılmış liste. Tüm tipler için boş bırakın"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google haritası"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Üzgünüz, bu tarayıcı konumlandırma desteklemiyor"

#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Konumu temizle"

#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Şu anki konumu bul"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Adres arayın…"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Merkez"

#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Haritayı ortala"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Yaklaş"

#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Temel yaklaşma seviyesini belirle"

#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:699
#: pro/fields/class-acf-field-gallery.php:728
msgid "Height"
msgstr "Yükseklik"

#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Harita yüksekliğini özelleştir"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Grup"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:379
msgid "Sub Fields"
msgstr "Alt alanlar"

#: 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 "Seçili alanları görüntülemek için kullanılacak stili belirtin"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:627
#: pro/fields/class-acf-field-repeater.php:451
msgid "Block"
msgstr "Blok"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:626
#: pro/fields/class-acf-field-repeater.php:450
msgid "Table"
msgstr "Tablo"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:452
msgid "Row"
msgstr "Satır"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Görsel"

#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Görsel seç"

#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Görseli düzenle"

#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Görseli güncelle"

#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Görsel seçilmedi"

#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Görsel ekle"

#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Görsel dizisi"

#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Görsel adresi"

#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "Görsel no"

#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Önizleme boyutu"

#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Veri girilirken gösterilir"

#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Restrict which images can be uploaded"
msgstr "Hangi görsellerin yüklenebileceğini sınırlandırın"

#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:691
#: pro/fields/class-acf-field-gallery.php:720
msgid "Width"
msgstr "Genişlik"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Bağlantı"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Bağlantı seç"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Yeni pencerede/sekmede açılır"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Bağlantı dizisi"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Bağlantı adresi"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mesaj"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Yeni satırlar"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Yeni satırların nasıl görüntüleneceğini denetler"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Otomatik paragraf ekle"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Otomatik ekle &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Biçimlendirme yok"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "HTML’i güvenli hale getir"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Görünür metin olarak HTML kodlamasının görüntülenmesine izin ver"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Sayı"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "En az değer"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "En fazla değer"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Adım boyutu"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Değer bir sayı olmalı"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Değer %d değerine eşit ya da daha büyük olmalı"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Değer %d değerine eşit ya da daha küçük olmalı"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Adres girin"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Gömme boyutu"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Sayfa bağlantısı"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arşivler"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Ebeveyn"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Yazı tipine göre filtre"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Tüm yazı tipleri"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Taksonomiye göre filtre"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Tüm taksonomiler"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Arşivler adresine izin ver"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Birden çok değer seçilsin mi?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Parola"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Yazı nesnesi"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "Yazı No"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radyo düğmesi"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Diğer"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Özel değerlere izin vermek için 'diğer' seçeneği ekle"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Diğerini kaydet"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "‘Diğer’ değerlerini alanın seçenekleri arasına kaydet"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Aralık"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "İlişkili"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "En yüksek değerlere ulaşıldı ({max} değerleri)"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Yükleniyor"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Eşleşme yok"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Yazı tipi seç"

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Taksonomi seç"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Ara…"

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filtreler"

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Yazı tipi"

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taksonomi"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elemanlar"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Her sonuç içinde seçilmiş elemanlar görüntülenir"

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "En az gönderi"

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "En fazla yazı"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:818
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s en az %s seçim gerektirir"
msgstr[1] "%s en az %s seçim gerektirir"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Seçim"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Bir sonuç bulundu, seçmek için enter tuşuna basın."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d sonuç bulundu. Dolaşmak için yukarı ve aşağı okları kullanın."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Eşleşme yok"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Lütfen 1 veya daha fazla karakter girin"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Lütfen %d veya daha fazla karakter girin"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Lütfen 1 karakter silin"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Lütfen %d karakter silin"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Sadece 1 öğe seçebilirsiniz"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Sadece %d öge seçebilirsiniz"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Daha fazla sonuç yükleniyor&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Aranıyor&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Yükleme başarısız oldu"

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Stilize edilmiş kullanıcı arabirimi"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "Seçimlerin tembel yüklenmesi için AJAX kullanılsın mı?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Dönecek değeri belirt"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Ayraç"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Sekme"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Konumlandırma"

#: 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 ""
"Önceki sekmelerin durması için bir uç nokta tanımlayın. Bu yeni sekmeler "
"için bir grup başlatacaktır."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "%s yok"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Görüntülenecek taksonomiyi seçin"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Görünüm"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Bu alanın görünümünü seçin"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Çoklu değer"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Çoklu seçim"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Tek değer"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Radyo düğmeleri"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Terimleri oluştur"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Düzenlenirken yeni terimlerin oluşabilmesine izin ver"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Terimleri kaydet"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Seçilmiş terimleri yazıya bağla"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Terimleri yükle"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Yazının terimlerinden değerleri yükle"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Terim nesnesi"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "Terim no"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Kullanıcı yeni %s ekleyemiyor"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s zaten mevcut"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s eklendi"

#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Ekle"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Metin"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Karakter limiti"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Limit olmaması için boş bırakın"

#: includes/fields/class-acf-field-text.php:181
#: includes/fields/class-acf-field-textarea.php:213
#, php-format
msgid "Value must not exceed %d characters"
msgstr "Değer %d karakteri geçmemelidir"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Metin alanı"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Satırlar"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Metin alanı yüksekliğini ayarla"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Zaman seçici"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Doğru / yanlış"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "İşaret kutusunun yanında görüntülenen metin"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Açık metni"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Etkinken görüntülenen metin"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Kapalı metni"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Etkin değilken görüntülenen metin"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Web adresi"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Değer geçerli bir web adresi olmalı"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Kullanıcı"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Kurala göre filtrele"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Bütün kullanıcı rolleri"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Kullanıcı dizisi"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Kullanıcı nesnesi"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "Kullanıcı No"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Wysiwyg düzenleyici"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Görsel"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Metin"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "TinyMCE hazırlamak için tıklayın"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Sekmeler"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Görsel ve metin"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Sadece görsel"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Sadece metin"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Araç çubuğu"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Ortam yükleme tuşları gösterilsin mi?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Hazırlık geciktirilsin mi?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "Alan tıklanana kadar TinyMCE hazırlanmayacak"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "E-postayı doğrula"

#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:591
#: pro/options-page.php:81
msgid "Update"
msgstr "Güncelle"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Yazı güncellendi"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "İstenmeyen tespit edildi"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Yazı"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Sayfa"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formlar"

#: includes/locations.php:243
msgid "is equal to"
msgstr "eşitse"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "eşit değilse"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Ek"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Tüm %s biçimleri"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Yorum"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Şu anki kullanıcı rolü"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Süper yönetici"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Şu anki kullanıcı"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Giriş yapıldı"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Ön yüz görüntüleniyor"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Arka yüz görüntüleniyor"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menü ögesi"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menü"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Menü konumları"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menüler"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Sayfa ebeveyni"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Sayfa şablonu"

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Varsayılan şablon"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Sayfa tipi"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Ön sayfa"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Yazılar sayfası"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Üst düzey sayfa (ebeveynsiz)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Üst sayfa (alt sayfası olan)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Alt sayfa (ebeveyni olan)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Yazı kategorisi"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Yazı biçimi"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Yazı durumu"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Yazı taksonomisi"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Yazı şablonu"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Kullanıcı formu"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Ekle / düzenle"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Kaydet"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Kullanıcı kuralı"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Bileşen"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s değeri gerekli"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Yayımla"

#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Bu seçenekler sayfası için hiç özel alan grubu bulunamadı. <a href=\"%s"
"\">Bir özel alan grubu oluştur</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b> Hata</b>. Güncelleme sunucusu ile bağlantı kurulamadı"

#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Güncellemeler"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Hata</b>. Güncelleme paketi için kimlik doğrulaması yapılamadı. Lütfen "
"ACF PRO lisansınızı kontrol edin ya da lisansınızı etkisizleştirip, tekrar "
"etkinleştirin."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Lisansı devre dışı bırak"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Lisansı etkinleştir"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Lisans bilgisi"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Güncellemeleri açmak için lisans anahtarınızı aşağıya girin. Eğer bir lisans "
"anahtarınız yoksa lütfen <a href=“%s” target=“_blank”>detaylar ve fiyatlama</"
"a> sayfasına bakın."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Lisans anahtarı"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Güncelleme bilgisi"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Mevcut sürüm"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "En son sürüm"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Güncelleme mevcut"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Eklentiyi güncelle"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Güncelleştirmelerin kilidini açmak için yukardaki alana lisans anahtarını "
"girin"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Tekrar kontrol et"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Yükseltme bildirimi"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Kopyala"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Çoğaltmak için bir ya da daha fazla alan seçin"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Görüntüle"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Çoğaltılacak alanın görünümü için stili belirleyin"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grup (bu alanın içinde seçili alanları grup olarak gösterir)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Pürüzsüz (bu alanı seçişmiş olan alanlarla değiştirir)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Etiketler %s olarak görüntülenir"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Alan etiketlerine ön ek ekle"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Değerler %s olarak kaydedilecek"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Alan isimlerine ön ek ekle"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Bilinmeyen alan"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Bilinmeyen alan grubu"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "%s alan grubundaki tüm alanlar"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:463
msgid "Add Row"
msgstr "Satır ekle"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:938
#: pro/fields/class-acf-field-flexible-content.php:1020
msgid "layout"
msgid_plural "layouts"
msgstr[0] "yerleşim"
msgstr[1] "yerleşimler"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "yerleşimler"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:937
#: pro/fields/class-acf-field-flexible-content.php:1019
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Bu alan için en az gereken {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Bu alan için sınır {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} kullanılabilir (en fazla {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} gerekli (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Esnek içerik, en az 1 yerleşim gerektirir"

#: pro/fields/class-acf-field-flexible-content.php:302
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
"Kendi yerleşiminizi oluşturmaya başlamak için aşağıdaki \"%s \" tuşuna "
"tıklayın"

#: pro/fields/class-acf-field-flexible-content.php:427
msgid "Add layout"
msgstr "Yerleşim ekle"

#: pro/fields/class-acf-field-flexible-content.php:428
msgid "Remove layout"
msgstr "Yerleşimi çıkar"

#: pro/fields/class-acf-field-flexible-content.php:429
#: pro/fields/class-acf-field-repeater.php:296
msgid "Click to toggle"
msgstr "Geçiş yapmak için tıklayın"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder Layout"
msgstr "Yerleşimi yeniden sırala"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder"
msgstr "Yeniden sırala"

#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete Layout"
msgstr "Yerleşimi sil"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate Layout"
msgstr "Yerleşimi çoğalt"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New Layout"
msgstr "Yeni yerleşim ekle"

#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Min"
msgstr "En düşük"

#: pro/fields/class-acf-field-flexible-content.php:656
msgid "Max"
msgstr "En yüksek"

#: pro/fields/class-acf-field-flexible-content.php:683
#: pro/fields/class-acf-field-repeater.php:459
msgid "Button Label"
msgstr "Tuş etiketi"

#: pro/fields/class-acf-field-flexible-content.php:692
msgid "Minimum Layouts"
msgstr "En az yerleşim"

#: pro/fields/class-acf-field-flexible-content.php:701
msgid "Maximum Layouts"
msgstr "En fazla yerleşim"

#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Galeriye görsel ekle"

#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "En fazla seçim aşıldı"

#: pro/fields/class-acf-field-gallery.php:338
msgid "Length"
msgstr "Uzunluk"

#: pro/fields/class-acf-field-gallery.php:381
msgid "Caption"
msgstr "Başlık"

#: pro/fields/class-acf-field-gallery.php:390
msgid "Alt Text"
msgstr "Alternatif metin"

#: pro/fields/class-acf-field-gallery.php:562
msgid "Add to gallery"
msgstr "Galeriye ekle"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Bulk actions"
msgstr "Toplu eylemler"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Sort by date uploaded"
msgstr "Yüklenme tarihine göre sırala"

#: pro/fields/class-acf-field-gallery.php:568
msgid "Sort by date modified"
msgstr "Değiştirme tarihine göre sırala"

#: pro/fields/class-acf-field-gallery.php:569
msgid "Sort by title"
msgstr "Başlığa göre sırala"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Reverse current order"
msgstr "Sıralamayı ters çevir"

#: pro/fields/class-acf-field-gallery.php:588
msgid "Close"
msgstr "Kapat"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum Selection"
msgstr "En az seçim"

#: pro/fields/class-acf-field-gallery.php:651
msgid "Maximum Selection"
msgstr "En fazla seçim"

#: pro/fields/class-acf-field-gallery.php:660
msgid "Insert"
msgstr "Ekle"

#: pro/fields/class-acf-field-gallery.php:661
msgid "Specify where new attachments are added"
msgstr "Yeni eklerin nereye ekleneceğini belirtin"

#: pro/fields/class-acf-field-gallery.php:665
msgid "Append to the end"
msgstr "Sona ekle"

#: pro/fields/class-acf-field-gallery.php:666
msgid "Prepend to the beginning"
msgstr "En başa ekleyin"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:656
msgid "Minimum rows reached ({min} rows)"
msgstr "En az satır sayısına ulaşıldı ({min} satır)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "En fazla satır değerine ulaşıldı ({max} satır)"

#: pro/fields/class-acf-field-repeater.php:333
msgid "Add row"
msgstr "Satır ekle"

#: pro/fields/class-acf-field-repeater.php:334
msgid "Remove row"
msgstr "Satır çıkar"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Collapsed"
msgstr "Daraltılmış"

#: pro/fields/class-acf-field-repeater.php:413
msgid "Select a sub field to show when row is collapsed"
msgstr "Satır toparlandığında görüntülenecek alt alanı seçin"

#: pro/fields/class-acf-field-repeater.php:423
msgid "Minimum Rows"
msgstr "En az satır"

#: pro/fields/class-acf-field-repeater.php:433
msgid "Maximum Rows"
msgstr "En fazla satır"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Seçenekler sayfayı mevcut değil"

#: pro/options-page.php:51
msgid "Options"
msgstr "Seçenekler"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Seçenekler güncellendi"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Güncellemeleri etkinleştirmek için lütfen <a href=\"%s\">Güncellemeler</a> "
"sayfasında lisans anahtarınızı girin. Eğer bir lisans anahtarınız yoksa "
"lütfen <a href=\"%s\">detaylar ve fiyatlama</a> sayfasına bakın."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "%s field group duplicated."
#~ msgid_plural "%s field groups duplicated."
#~ msgstr[0] "%s alan grubu çoğaltıldı."
#~ msgstr[1] "%s alan grubu çoğaltıldı."

#~ msgid "%s field group synchronised."
#~ msgid_plural "%s field groups synchronised."
#~ msgstr[0] "%s alan grubu eşitlendi."
#~ msgstr[1] "%s alan grubu eşitlendi."

#~ msgid "<b>Error</b>. Could not load add-ons list"
#~ msgstr "<b>Hata</b>. Eklenti listesi yüklenemedi"

#~ msgid "Parent fields"
#~ msgstr "Üst alanlar"

#~ msgid "Sibling fields"
#~ msgstr "Kardeş alanlar"

#~ msgid "Error validating request"
#~ msgstr "İstek doğrulanırken hata oluştu"

#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Advanced Custom Fields veritabanı güncellemesi"

#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Yeni muhteşem özellikleri kullanmadan önce lütfen veritabanınızı en yeni "
#~ "sürüme güncelleyin."

#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Yükseltmeyi kolaylaştırmak için <a href=\"%s\">mağaza hesabınıza</a> "
#~ "giriş yapın ve bir adet ücretsiz ACF PRO kopyası edinin!"

#~ msgid "Under the Hood"
#~ msgstr "Kaputun altında"

#~ msgid "Smarter field settings"
#~ msgstr "Daha akıllı alan ayarları"

#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr "ACF artık alan ayarlarını münferit yazı nesneleri olarak saklıyor"

#~ msgid "Better version control"
#~ msgstr "Daha iyi sürüm kontrolü"

#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Otomatik JSON dışarı aktarma özelliği sayesinde artık alan ayarları sürüm "
#~ "kontrolü ile yönetilebilir"

#~ msgid "Swapped XML for JSON"
#~ msgstr "XML yerine JSON kullanımına geçildi"

#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "İçeri / dışarı aktarma artık XML yerine JSON kullanıyor"

#~ msgid "New Forms"
#~ msgstr "Yeni formlar"

#~ msgid "A new field for embedding content has been added"
#~ msgstr "Gömülü içerik için yeni bir alan eklendi"

#~ msgid "New Gallery"
#~ msgstr "Yeni galeri"

#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr "Galeri alanı oldukça gerekli bir makyaj ile yenilendi"

#~ msgid "Relationship Field"
#~ msgstr "İlişkili alan"

#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr "'Filtreler' için yeni ilişki ayarı (Arama, yazı tipi, taksonomi)"

#~ msgid "New archives group in page_link field selection"
#~ msgstr "Yeni arşivler page_link alanı seçiminde gruplanır"

#~ msgid "Better Options Pages"
#~ msgstr "Daha iyi seçenekler sayfası"

#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Seçenekler sayfası için yeni işlevler sayesinde hem üst hem alt menü "
#~ "sayfaları oluşturulabiliyor"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Alan gruplarını PHP için dışa aktar"

#~ msgid "Download export file"
#~ msgstr "Dışarı aktarma dosyasını indir"

#~ msgid "Generate export code"
#~ msgstr "Dışarı aktarma kodu oluştur"

#~ msgid "Import"
#~ msgstr "İçe aktar"

#~ msgid "Locating"
#~ msgstr "Konum bulunuyor"

#~ msgid "Error."
#~ msgstr "Hata."

#~ msgid "No embed found for the given URL."
#~ msgstr "Verilen adres için gömülecek bir şey bulunamadı."

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "En düşün değerlere ulaşıldı ( {min} değerleri )"

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Bir tablo stili tekrarlayıcı ya da esnek içerik alanı yerleşimi "
#~ "eklendiğinde sekme alanı yanlış görüntülenir"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "“Sekme alanları”nı kullanarak düzenleme ekranında alanları gruplayıp daha "
#~ "kolay organize olun."

#~ 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 ""
#~ "Bu “sekme alanı”nı takip eden (ya da başka bir “sekme alanı” tanımlıysa) "
#~ "tüm alanlar sekmenin başlığını etiket olarak kullanarak "
#~ "gruplandırılacaklar."

#~ msgid "None"
#~ msgstr "Yok"

#~ msgid "Taxonomy Term"
#~ msgstr "Taksonomi terimi"

#~ msgid "remove {layout}?"
#~ msgstr "{layout} kaldırılsın mı?"

#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Bu alan için en az gereken {min} {identifier}"

#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "En yüksek {label} sınırına ulaşıldı ({max} {identifier})"

#~ msgid "Getting Started"
#~ msgstr "Başlarken"

#~ msgid "Field Types"
#~ msgstr "Alan Tipleri"

#~ msgid "Functions"
#~ msgstr "Fonksiyonlar"

#~ msgid "Actions"
#~ msgstr "Eylemler"

#~ msgid "Tutorials"
#~ msgstr "Örnekler"

#~ msgid "Error"
#~ msgstr "Hata"

#, fuzzy
#~| msgid "This field requires at least {min} {identifier}"
#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "Bu alan gerektirir, en azından {min} {identifier}"
#~ msgstr[1] "Bu alan gerektirir, en azından {min} {identifier}"

#~ msgid "Disabled"
#~ msgstr "Etkisiz"

#~ msgid "See what's new in"
#~ msgstr "Neler yeni gözat"

#~ msgid "version"
#~ msgstr "versiyon"

#~ msgid "'How to' guides"
#~ msgstr "Nasıl Yapılır"

#~ msgid "Created by"
#~ msgstr "Oluşturan"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Başarılı</b>. İçe aktarma aracı %s alan gruplarını aktardı: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Uyarı </b>. İçe aktarma aracı zaten var olan %s alan gruplarını tespit "
#~ "etti. Bu kayıtlar gözardı edildi: %s"

#~ msgid "Upgrade"
#~ msgstr "Yükselt"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Yeniden sıralama için sürükle ve bırak"

#~ msgid "See what's new"
#~ msgstr "Neler yeni görün"

#~ msgid "Show a different month"
#~ msgstr "Başka bir ay göster"

#~ msgid "Return format"
#~ msgstr "Dönüş formatı"

#~ msgid "uploaded to this post"
#~ msgstr "Bu yazıya yükledi"

#~ msgid "File Size"
#~ msgstr "Dosya Boyutu"

#~ msgid "No File selected"
#~ msgstr "Dosya seçilmedi"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr "Tüm metin ilk wp fonksiyonu sayesinde geçilecek unutmayın"

#~ msgid "Warning"
#~ msgstr "Uyarı"

#~ msgid "eg. Show extra content"
#~ msgstr "örn. Ekstra içerik göster"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b> Bağlantı Hatası </ b>. Üzgünüm, lütfen tekrar deneyin"

#~ msgid "Save Options"
#~ msgstr "Ayarları Kaydet"

#~ msgid "License"
#~ msgstr "Lisans"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Güncelleştirmeleri kilidini açmak için, aşağıdaki lisans anahtarını "
#~ "girin. Eğer bir lisans anahtarı yoksa, lütfen"

#~ msgid "details & pricing"
#~ msgstr "detaylar & fiyatlandırma"

#~ msgid "Hide / Show All"
#~ msgstr "Gizle / Hepsini Göster"

#~ msgid "Show Field Keys"
#~ msgstr "Alan Anahtarlarını Göster"

#~ msgid "Pending Review"
#~ msgstr "İnceleme Bekliyor"

#~ msgid "Draft"
#~ msgstr "Taslak"

#~ msgid "Private"
#~ msgstr "Gizli"

#~ msgid "Revision"
#~ msgstr "Revizyon"

#~ msgid "Trash"
#~ msgstr "Çöp"

#, fuzzy
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "Alan grupları oluşturulma sırası <br/> sırayla alttan yukarı"

#~ msgid "ACF PRO Required"
#~ msgstr "ACF PRO Gerekli"

#~ 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 ""
#~ "Biz dikkat gerektiren bir sorunu tespit ettik: Bu ​​web sitesi artık ACF "
#~ "ile uyumlu olan eklentileriyle (%s) kullanımını kolaylaştırır."

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "Panik yapmayın, sadece eklenti geri almak ve bunu bildiğiniz gibi ACF "
#~ "kullanmaya devam edebilirsiniz!"

#~ msgid "Roll back to ACF v%s"
#~ msgstr "ACF v %s ye geri al"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "ACF PRO Sitem için neden gereklidir öğrenin"

#~ msgid "Update Database"
#~ msgstr "Veritabanını Güncelle"

#~ msgid "Data Upgrade"
#~ msgstr "Veri Yükseltme"

#~ msgid "Data upgraded successfully."
#~ msgstr "Veri başarıyla yükseltildi."

#~ msgid "Data is at the latest version."
#~ msgstr "Verinin en son sürümü."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "%s Gerekli alan boş"

#~ msgid "Load & Save Terms to Post"
#~ msgstr "Yazı Yükleme ve Kaydet Şartları"

#~ msgid ""
#~ "Load value based on the post's terms and update the post's terms on save"
#~ msgstr ""
#~ "Yükleme değeri yazılar için terimlere dayalı ve kaydetme üzerindeki "
#~ "yazılar için şartlarını güncelleyecek"

#, fuzzy
#~ msgid "image"
#~ msgstr "Resim"

#, fuzzy
#~ msgid "expand_details"
#~ msgstr "Ayrıntıları Genişlet"

#, fuzzy
#~ msgid "collapse_details"
#~ msgstr "Detayları Daralt"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "İlişkili"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "Alan grubu için başlık gerekli"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "Alanı Taşı"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "Esnek İçerik"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "Galeri"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "Tekrarlayıcı"

#, fuzzy
#~ msgid "Controls how HTML tags are rendered"
#~ msgstr "Yeni satırlar nasıl oluşturulacağını denetler"

#~ msgid "Custom field updated."
#~ msgstr "Özel alan güncellendi."

#~ msgid "Custom field deleted."
#~ msgstr "Özel alan silindi."

#~ msgid "Field group duplicated! Edit the new \"%s\" field group."
#~ msgstr "Alan grup çoğaltıldı! Yeni  \"%s \" alan grubu düzenleyin."

#~ msgid "Import/Export"
#~ msgstr "İçe/Dışa Aktar"

#~ msgid "Column Width"
#~ msgstr "Sütun Genişliği"

#~ msgid "Attachment Details"
#~ msgstr "Ek Detayları"
PK�
�[�������lang/acf-bg_BG.ponu�[���msgid ""
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: 2018-02-06 10:03+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: bg_BG\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-SourceCharset: UTF-8\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Модерни потребителски полета"

#: acf.php:355 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Групи полета"

#: acf.php:356
msgid "Field Group"
msgstr "Групa полета"

#: acf.php:357 acf.php:389 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New"
msgstr "Създаване"

#: acf.php:358
msgid "Add New Field Group"
msgstr "Създаване на нова група полета"

#: acf.php:359
msgid "Edit Field Group"
msgstr "Редактиране на група полета"

#: acf.php:360
msgid "New Field Group"
msgstr "Нова група полета"

#: acf.php:361
msgid "View Field Group"
msgstr "Преглед на група полета"

#: acf.php:362
msgid "Search Field Groups"
msgstr "Търсене на групи полета"

#: acf.php:363
msgid "No Field Groups found"
msgstr "Няма открити групи полета"

#: acf.php:364
msgid "No Field Groups found in Trash"
msgstr "Няма открити групи полета в кошчето"

#: acf.php:387 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:857
msgid "Fields"
msgstr "Полета"

#: acf.php:388
msgid "Field"
msgstr "Поле"

#: acf.php:390
msgid "Add New Field"
msgstr "Добавяне на ново поле"

#: acf.php:391
msgid "Edit Field"
msgstr "Редактиране на поле"

#: acf.php:392 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Ново поле"

#: acf.php:393
msgid "View Field"
msgstr "Преглед на поле"

#: acf.php:394
msgid "Search Fields"
msgstr "Търсене на полета"

#: acf.php:395
msgid "No Fields found"
msgstr "Няма открити полета"

#: acf.php:396
msgid "No Fields found in Trash"
msgstr "Няма открити полета в кошчето"

#: acf.php:435 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
#, fuzzy
msgid "Inactive"
msgstr "Активно"

#: acf.php:440
#, fuzzy, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Активно <span class=\"count\">(%s)</span>"
msgstr[1] "Активни <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Групата полета бе обновена."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Групата полета бе изтрита."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Групата полета бе публикувана."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Групата полета бе запазена."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Групата полета бе изпратена."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Групата полета бе планирана."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Черновата на групата полета бе обновена."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Местоположение"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Настройки"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Преместване в кошчето. Сигурни ли сте?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "избрано"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Няма налични полета за превключване"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Заглавието на групата полета е задължително"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:732
msgid "copy"
msgstr "копиране"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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:3970
msgid "or"
msgstr "или"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Родителски полета"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Съседни полета"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Преместване на поле"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Това поле не може да бъде преместено докато не го запазите."

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Нищо"

#: includes/admin/admin-field-group.php:281 includes/input.php:257
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Промените, които сте направили, ще бъдат загубени ако излезете от тази "
"страница"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Низът \"field_\" не може да бъде използван в началото на името на поле"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Ключове на полетата"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Активно"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Преместването бе завършено."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Полето %s сега може да бъде открито в групата полета %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Затваряне на прозореца"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Моля, изберете дестинация за това поле"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Преместване на поле"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Активно <span class=\"count\">(%s)</span>"
msgstr[1] "Активни <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Групата полета %s бе дублирана."

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s група полета беше дублирана."
msgstr[1] "%s групи полета бяха дублирани."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Групата полета %s бе синхронизирана."

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s група полета беше синхронизирана."
msgstr[1] "%s групи полета бяха синхронизирани."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Налична е синхронизация"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Заглавие"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Описание"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Статус"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "Персонализирайте WordPress с мощни, професионални и интуитивни полета."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:111
msgid "Changelog"
msgstr "Дневник с промени"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr ""

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Ресурси"

#: includes/admin/admin-field-groups.php:619
#, fuzzy
msgid "Website"
msgstr "Следните разширения бяха намерени като активирани на този уебсайт."

#: includes/admin/admin-field-groups.php:620
#, fuzzy
msgid "Documentation"
msgstr "Местоположение"

#: includes/admin/admin-field-groups.php:621
#, fuzzy
msgid "Support"
msgstr "Импортиране"

#: includes/admin/admin-field-groups.php:623
#, fuzzy
msgid "Pro"
msgstr "Сбогом на добавките. Здравей, PRO"

#: includes/admin/admin-field-groups.php:628
#, fuzzy, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Благодарим ви за обновяването към %s v%s!"

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Дублиране на този елемент"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate"
msgstr "Дублиране"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:132
#: includes/fields/class-acf-field-relationship.php:737
msgid "Search"
msgstr "Търсене"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Избор на %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Синхронизиране на групата полета"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Синхронизация"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr ""

#: includes/admin/admin-field-groups.php:798
#, fuzzy
msgid "Bulk Actions"
msgstr "Групови действия"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Потребителски полета"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Обновяване на базата данни"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Преглед на сайтове и обновяване"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr ""

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Няма налични актуализации."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Добавки"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Грешка</b>. Списъкът с добавки не може да бъде зареден"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Информация"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Какво ново"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Инструменти"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Няма избрани групи полета"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:174
msgid "No file selected"
msgstr "Няма избран файл"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Грешка при качване на файл. Моля, опитайте отново"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Грешен тип файл"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Файлът за импортиране е празен"

#: includes/admin/settings-tools.php:331
#, fuzzy, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Импортиране на групи полета"
msgstr[1] "Импортиране на групи полета"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Условна логика"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Показване на това поле ако"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:243
msgid "is equal to"
msgstr "е равно на"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:244
msgid "is not equal to"
msgstr "не е равно на"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "и"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Добавяне на група правила"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:420
#: pro/fields/class-acf-field-repeater.php:358
msgid "Drag to reorder"
msgstr "Плъзнете, за да пренаредите"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Редактиране на поле"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:152
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Редактиране"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Дублиране на поле"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Преместване на поле в друга група"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Преместване"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Изтриване на поле"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete"
msgstr "Изтриване"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Етикет на полето"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Това е името, което ще се покаже на страницата за редакция"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "Име на полето"

#: 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:89
msgid "Field Type"
msgstr "Тип на полето"

#: includes/admin/views/field-group-field.php:101
#: includes/fields/class-acf-field-tab.php:102
msgid "Instructions"
msgstr "Инструкции"

#: includes/admin/views/field-group-field.php:102
msgid "Instructions for authors. Shown when submitting data"
msgstr "Инструкции за автори. Показват се когато се изпращат данни"

#: includes/admin/views/field-group-field.php:111
msgid "Required?"
msgstr "Задължително?"

#: includes/admin/views/field-group-field.php:134
msgid "Wrapper Attributes"
msgstr "Атрибути"

#: includes/admin/views/field-group-field.php:140
msgid "width"
msgstr "широчина"

#: includes/admin/views/field-group-field.php:155
msgid "class"
msgstr "клас"

#: includes/admin/views/field-group-field.php:168
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:180
msgid "Close Field"
msgstr "Затваряне на полето"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ред"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-checkbox.php:317
#: includes/fields/class-acf-field-radio.php:321
#: includes/fields/class-acf-field-select.php:530
#: pro/fields/class-acf-field-flexible-content.php:599
msgid "Label"
msgstr "Етикет"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:970
#: pro/fields/class-acf-field-flexible-content.php:612
msgid "Name"
msgstr "Име"

#: includes/admin/views/field-group-fields.php:7
#, fuzzy
msgid "Key"
msgstr "Ключ на полето"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Тип"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Няма полета. Натиснете бутона <strong>+ Добавяне на поле</strong> за да "
"създадете първото си поле."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Добавяне на поле"

#: includes/admin/views/field-group-locations.php:9
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 ""
"Създаване на група правила, определящи кои екрани за редактиране ще "
"използват тези модерни потребителски полета"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Стил"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Стандартен (WordPress кутия)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Без WordPress кутия"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Позиция"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Високо (след заглавието)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Нормално (след съдържанието)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Отстрани"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Позиция на етикета"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:116
msgid "Top aligned"
msgstr "Отгоре"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:117
msgid "Left aligned"
msgstr "Отляво"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Позиция на инструкциите"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Под етикетите"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Под полетата"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Пореден №"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Групите полета с по-малък пореден номер ще бъдат показани първи"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Показани в списъка с групи полета"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Скриване от екрана"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Изберете</b> елементи, които да <b>скриете</b> от екрана."

#: 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 ""
"Ако множество групи полета са показани на екрана, опциите на първата група "
"полета ще бъдат използвани (тази с най-малкия пореден номер)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Постоянна връзка"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Редактор на съдържание"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Откъс"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Дискусия"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Коментари"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Ревизии"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Кратко име"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Автор"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Формат"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Атрибути на страницата"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:751
msgid "Featured Image"
msgstr "Главна снимка"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Категории"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Етикети"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Изпращане на проследяващи връзки"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Показване на тази група полета ако"

#: includes/admin/views/install-network.php:4
#, fuzzy
msgid "Upgrade Sites"
msgstr "Забележки за обновяването"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Модерни потребителски полета - Обновяване на базата данни"

#: includes/admin/views/install-network.php:11
#, fuzzy, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Следните сайтове имат нужда от обновяване на базата данни. Изберете тези, "
"които искате да обновите и натиснете на \"Обновяване на базата данни\"."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Сайт"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Сайтът изисква обновяване на базата данни от %s до %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Сайтът няма нужда от обновяване"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Обновяването на базата данни бе завършено. <a href=\"%s\">Връщане към "
"мрежовото табло</a>"

#: 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 ""
"Силно Ви препоръчваме да архивирате вашата база данни преди да продължите. "
"Сигурни ли сте, че искате да продължите с обновяването?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Обновяването завърши"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Обновяване на данните до версия %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:36
msgid "Repeater"
msgstr "Повторител"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:36
msgid "Flexible Content"
msgstr "Гъвкаво съдържание"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:36
msgid "Gallery"
msgstr "Галерия"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:13
msgid "Options Page"
msgstr "Страница с опции"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Изисква се обновяване на базата данни"

#: includes/admin/views/install-notice.php:28
#, php-format
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 ""
"Преди да започнете да използвате новите страхотни функции, моля обновете "
"базата данни до последната версия."

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Прочитане на задачите за обновяване..."

#: includes/admin/views/install.php:11
#, fuzzy, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Обновяването на базата данни бе завършено. <a href=\"%s\">Връщане към "
"мрежовото табло</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Сваляне и инсталиране"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Инсталирано"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 сега е по-голям и "
"по-добър от всякога. Надяваме се че ще Ви хареса."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "По-удобна работа с потребителски полета"

#: includes/admin/views/settings-info.php:22
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 подобри използването и "
"скоростта на множество полета, включително обект-публикация, връзка към "
"страница, таксономия и поле за избор."

#: 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 полето!"

#: 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 ""
"Подобряването на архитектурата на данните позволи вложените полета да "
"съществуват независимо от своите родители. Това позволява да ги местите "
"извън родителите си!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Сбогом на добавките. Здравей, PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Представяме Ви Модерни потребителски полета PRO"

#: includes/admin/views/settings-info.php:45
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 <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Всички 4 платени добавки бяха обединени в една нова <a href=\"%s\">PRO "
"версия</a>. С наличните личен лиценз и този за разработчици, платената "
"функционалност е по-достъпна от всякога!"

#: 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 ""
"PRO версията съдържа мощни функции като повторяеми полета, гъвкави "
"оформления на съдържанието, красиво поле за галерия и възможността да "
"създавате допълнителни страници с опции в администрацията."

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Научете повече за <a href=\"%s\">PRO функциите</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Лесно обновяване"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"За да направите обновяването лесно, <a href=\"%s\">влезте в профила си</a> и "
"вземете вашето безплатно PRO копие!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Също така написахме <a href=\"%s\">съветник по обновяването</a> за да "
"отговорим на всякакви въпроси, но ако имате някакви други въпроси, моля "
"свържете се с нашия отдел <a href=\"%s\">Поддръжка</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Под капака"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "По-умни настройки на полетата"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "Вече записваме настройките на полетата като индивидуални публикации"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Повече AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Още повече полета използват AJAX-базирано търсене, за да ускорят зареждането "
"на страниците"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Локален JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Новия автоматичен експорт към JSON увеличава скоростта"

#: includes/admin/views/settings-info.php:88
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"
msgstr ""
"Новия автоматичен експорт към JSON позволява настройките на полетата да "
"бъдат под контрол на версиите"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Заменихме XML с JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Импортирането и експортирането вече използват JSON вместо XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Нови формуляри"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Полетата вече могат да бъдат закачени към коментари, джаджи и "
"потребителските формуляри!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Ново поле за вграждане на съдържание бе добавено"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Нова галерия"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Полето за галерия претърпя сериозни визуални подобрения"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Нови настройки"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Бяха добавени настройки на групите полета за поставяне на етикет и инструкции"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "По-добри форми в сайта"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() вече може да създава нови публикации при изпращане"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "По-добра валидация"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "Валидацията на формулярите вече се прави с 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)"
msgstr ""
"Нови настройки на полето за връзка за 'Филтри' (търсене, тип публикация, "
"таксономия)"

#: includes/admin/views/settings-info.php:139
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 ""
"Новата функционалност на групите полета Ви позволява да местите полета "
"измежду групите и родителите"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:36
msgid "Page Link"
msgstr "Връзка към страница"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Нова група архиви в page_link полето"

#: includes/admin/views/settings-info.php:149
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 ""
"Новите функции за страници с опции позволяват създаването както на "
"родителски страници, така и на страници-деца."

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Смятаме, че ще харесате промените в %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Експортиране на групите полета към 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 ""
"Следния код може да се използва, за да регистрирате локална версия на "
"избраните групи полета. Локалната група полета може да помогне с по-бързо "
"зареждане, контрол на версиите и динамични настройки. Просто копирайте и "
"сложете кода във файла functions.php на темата си или го сложете във външен "
"файл."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Избор на групи полета"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Експортиране на групи полета"

#: 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 ""
"Изберете групите полета които искате да експортирате и после изберете "
"желания метод. Използвайте бутона за сваляне за да създадете .json файл, "
"които можете да импортирате в друга инсталация. Използвайте бутона за "
"генериране за да експортирате към PHP код, които можете да поставите в "
"темата си."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Сваляне на експортирания файл"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Генериране на код"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Импортиране на групи полета"

#: 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 ""
"Изберете JSON файла, който искате да импортирате. Когато натиснете бутона за "
"импортиране, групите полета ще бъдат импортирани."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:46
msgid "Select File"
msgstr "Избор на файл"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Импортиране"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Картинка"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Средна"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Голяма"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Пълен размер"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1837
#: pro/fields/class-acf-field-clone.php:1042
msgid "(no title)"
msgstr "(без заглавие)"

#: includes/api/api-helpers.php:1874
#: 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 "Горно ниво страница (родител)"

#: includes/api/api-helpers.php:3891
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Ширината на изображението трябва да бъде поне %d пиксела."

#: includes/api/api-helpers.php:3896
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Ширината на изображението не трябва да надвишава %d пиксела."

#: includes/api/api-helpers.php:3912
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Височината на изображението трябва да бъде поне %d пиксела."

#: includes/api/api-helpers.php:3917
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Височината на изображението не трябва да надвишава %d пиксела."

#: includes/api/api-helpers.php:3935
#, php-format
msgid "File size must be at least %s."
msgstr "Размерът на файла трябва да бъде поне %s."

#: includes/api/api-helpers.php:3940
#, php-format
msgid "File size must must not exceed %s."
msgstr "Размерът на файла трябва да не надвишава %s."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "File type must be %s."
msgstr "Типът на файла трябва да бъде %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Основен"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Съдържание"

#: includes/fields.php:146
msgid "Choice"
msgstr "Избор"

#: includes/fields.php:147
msgid "Relational"
msgstr "Релационен"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:286
#: includes/fields/class-acf-field-group.php:485
#: includes/fields/class-acf-field-radio.php:300
#: pro/fields/class-acf-field-clone.php:889
#: pro/fields/class-acf-field-flexible-content.php:569
#: pro/fields/class-acf-field-flexible-content.php:618
#: pro/fields/class-acf-field-repeater.php:514
msgid "Layout"
msgstr "Шаблон"

#: includes/fields.php:305
msgid "Field type does not exist"
msgstr "Типът поле не съществува"

#: includes/fields.php:305
msgid "Unknown"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:36
#: includes/fields/class-acf-field-taxonomy.php:786
msgid "Checkbox"
msgstr "Отметка"

#: includes/fields/class-acf-field-checkbox.php:150
msgid "Toggle All"
msgstr "Превключване на всички"

#: includes/fields/class-acf-field-checkbox.php:207
#, fuzzy
msgid "Add new choice"
msgstr "Добавяне на ново поле"

#: includes/fields/class-acf-field-checkbox.php:246
#: includes/fields/class-acf-field-radio.php:250
#: includes/fields/class-acf-field-select.php:466
msgid "Choices"
msgstr "Опции"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "Enter each choice on a new line."
msgstr "Въведете всяка опция на нов ред."

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "For more control, you may specify both a value and label like this:"
msgstr "За повече контрол, можете да уточните и стойност и етикет, например:"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "red : Red"
msgstr "red : Red"

#: includes/fields/class-acf-field-checkbox.php:255
#, fuzzy
msgid "Allow Custom"
msgstr "Позволяване на празна стойност?"

#: includes/fields/class-acf-field-checkbox.php:260
msgid "Allow 'custom' values to be added"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:266
#, fuzzy
msgid "Save Custom"
msgstr "Преместване на поле"

#: includes/fields/class-acf-field-checkbox.php:271
#, fuzzy
msgid "Save 'custom' values to the field's choices"
msgstr "Запазване на стойностите 'друго' към опциите на полето"

#: includes/fields/class-acf-field-checkbox.php:277
#: includes/fields/class-acf-field-color_picker.php:146
#: includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:145
#: includes/fields/class-acf-field-radio.php:291
#: includes/fields/class-acf-field-select.php:475
#: includes/fields/class-acf-field-text.php:142
#: includes/fields/class-acf-field-textarea.php:139
#: includes/fields/class-acf-field-true_false.php:150
#: includes/fields/class-acf-field-url.php:114
#: includes/fields/class-acf-field-wysiwyg.php:436
msgid "Default Value"
msgstr "Стойност по подразбиране"

#: includes/fields/class-acf-field-checkbox.php:278
#: includes/fields/class-acf-field-select.php:476
msgid "Enter each default value on a new line"
msgstr "Въведете всяка стойност по подразбиране на нов ред"

#: includes/fields/class-acf-field-checkbox.php:292
#: includes/fields/class-acf-field-radio.php:306
msgid "Vertical"
msgstr "Вертикален"

#: includes/fields/class-acf-field-checkbox.php:293
#: includes/fields/class-acf-field-radio.php:307
msgid "Horizontal"
msgstr "Хоризонтален"

#: includes/fields/class-acf-field-checkbox.php:300
msgid "Toggle"
msgstr "Превключване"

#: includes/fields/class-acf-field-checkbox.php:301
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Прибавете допълнителна отметка за да превключите всички опции"

#: includes/fields/class-acf-field-checkbox.php:310
#: includes/fields/class-acf-field-file.php:219
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:180
#: includes/fields/class-acf-field-radio.php:314
#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Return Value"
msgstr "Върната стойност"

#: includes/fields/class-acf-field-checkbox.php:311
#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:207
#: includes/fields/class-acf-field-link.php:181
#: includes/fields/class-acf-field-radio.php:315
msgid "Specify the returned value on front end"
msgstr "Уточнява върнатата стойност в сайта"

#: 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 "%s стойност е задължителна"

#: 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 ""

#: includes/fields/class-acf-field-color_picker.php:36
msgid "Color Picker"
msgstr "Избор на цвят"

#: includes/fields/class-acf-field-color_picker.php:83
msgid "Clear"
msgstr "Изчистване"

#: includes/fields/class-acf-field-color_picker.php:84
msgid "Default"
msgstr "По подразбиране"

#: includes/fields/class-acf-field-color_picker.php:85
msgid "Select Color"
msgstr "Избор на цвят"

#: includes/fields/class-acf-field-color_picker.php:86
msgid "Current Color"
msgstr "Текущ цвят"

#: includes/fields/class-acf-field-date_picker.php:36
msgid "Date Picker"
msgstr "Избор на дата"

#: includes/fields/class-acf-field-date_picker.php:44
#, fuzzy
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_picker.php:45
#, fuzzy
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Днес"

#: includes/fields/class-acf-field-date_picker.php:46
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:47
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:48
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:223
#: includes/fields/class-acf-field-date_time_picker.php:197
#: includes/fields/class-acf-field-time_picker.php:127
msgid "Display Format"
msgstr "Формат на показване"

#: includes/fields/class-acf-field-date_picker.php:224
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-time_picker.php:128
msgid "The format displayed when editing a post"
msgstr "Форматът, показан при редакция на публикация"

#: includes/fields/class-acf-field-date_picker.php:232
#: includes/fields/class-acf-field-date_picker.php:263
#: includes/fields/class-acf-field-date_time_picker.php:207
#: 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 "Модерни потребителски полета"

#: includes/fields/class-acf-field-date_picker.php:242
#, fuzzy
msgid "Save Format"
msgstr "Запази формата"

#: includes/fields/class-acf-field-date_picker.php:243
#, fuzzy
msgid "The format used when saving a value"
msgstr "Форматът, показан при редакция на публикация"

#: includes/fields/class-acf-field-date_picker.php:253
#: includes/fields/class-acf-field-date_time_picker.php:214
#: includes/fields/class-acf-field-post_object.php:447
#: includes/fields/class-acf-field-relationship.php:778
#: includes/fields/class-acf-field-select.php:524
#: includes/fields/class-acf-field-time_picker.php:142
msgid "Return Format"
msgstr "Формат на върнатите данни"

#: includes/fields/class-acf-field-date_picker.php:254
#: includes/fields/class-acf-field-date_time_picker.php:215
#: includes/fields/class-acf-field-time_picker.php:143
msgid "The format returned via template functions"
msgstr "Форматът, който се връща от шаблонните функции"

#: includes/fields/class-acf-field-date_picker.php:272
#: includes/fields/class-acf-field-date_time_picker.php:231
msgid "Week Starts On"
msgstr "Седмицата започва с"

#: includes/fields/class-acf-field-date_time_picker.php:36
#, fuzzy
msgid "Date Time Picker"
msgstr "Избор на дата и час"

#: includes/fields/class-acf-field-date_time_picker.php:44
#, fuzzy
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Затваряне на полето"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:47
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:48
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:51
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:52
#, fuzzy
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Импортирането и експортирането вече използват JSON вместо XML"

#: includes/fields/class-acf-field-date_time_picker.php:53
#, fuzzy
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_time_picker.php:54
#, fuzzy
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Избор"

#: includes/fields/class-acf-field-date_time_picker.php:56
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:57
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:60
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:61
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr ""

#: includes/fields/class-acf-field-email.php:36
msgid "Email"
msgstr "Email"

#: includes/fields/class-acf-field-email.php:134
#: includes/fields/class-acf-field-number.php:146
#: includes/fields/class-acf-field-radio.php:292
#: includes/fields/class-acf-field-text.php:143
#: includes/fields/class-acf-field-textarea.php:140
#: includes/fields/class-acf-field-url.php:115
#: includes/fields/class-acf-field-wysiwyg.php:437
msgid "Appears when creating a new post"
msgstr "Появява се при създаване на нова публикация"

#: includes/fields/class-acf-field-email.php:142
#: includes/fields/class-acf-field-number.php:154
#: includes/fields/class-acf-field-password.php:134
#: includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:148
#: includes/fields/class-acf-field-url.php:123
msgid "Placeholder Text"
msgstr "Текст при липса на стойност"

#: includes/fields/class-acf-field-email.php:143
#: includes/fields/class-acf-field-number.php:155
#: includes/fields/class-acf-field-password.php:135
#: includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:149
#: includes/fields/class-acf-field-url.php:124
msgid "Appears within the input"
msgstr "Показва се в полето при липса на стойност"

#: includes/fields/class-acf-field-email.php:151
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-password.php:143
#: includes/fields/class-acf-field-text.php:160
msgid "Prepend"
msgstr "Поставяне в началото"

#: includes/fields/class-acf-field-email.php:152
#: includes/fields/class-acf-field-number.php:164
#: includes/fields/class-acf-field-password.php:144
#: includes/fields/class-acf-field-text.php:161
msgid "Appears before the input"
msgstr "Показва се преди полето"

#: includes/fields/class-acf-field-email.php:160
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-password.php:152
#: includes/fields/class-acf-field-text.php:169
msgid "Append"
msgstr "Поставяне в края"

#: includes/fields/class-acf-field-email.php:161
#: includes/fields/class-acf-field-number.php:173
#: includes/fields/class-acf-field-password.php:153
#: includes/fields/class-acf-field-text.php:170
msgid "Appears after the input"
msgstr "Показва се след полето"

#: includes/fields/class-acf-field-file.php:36
msgid "File"
msgstr "Файл"

#: includes/fields/class-acf-field-file.php:47
msgid "Edit File"
msgstr "Редактиране на файл"

#: includes/fields/class-acf-field-file.php:48
msgid "Update File"
msgstr "Актуализация на файла"

#: includes/fields/class-acf-field-file.php:49
#: includes/fields/class-acf-field-image.php:54 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:55
msgid "Uploaded to this post"
msgstr "Прикачени към тази публикация"

#: includes/fields/class-acf-field-file.php:145
#, fuzzy
msgid "File name"
msgstr "Име на файла"

#: includes/fields/class-acf-field-file.php:149
#: includes/fields/class-acf-field-file.php:252
#: includes/fields/class-acf-field-file.php:263
#: includes/fields/class-acf-field-image.php:266
#: includes/fields/class-acf-field-image.php:295
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Размер на файла"

#: includes/fields/class-acf-field-file.php:174
msgid "Add File"
msgstr "Добавяне на файл"

#: includes/fields/class-acf-field-file.php:225
msgid "File Array"
msgstr "Масив от файлове"

#: includes/fields/class-acf-field-file.php:226
msgid "File URL"
msgstr "URL на файла"

#: includes/fields/class-acf-field-file.php:227
msgid "File ID"
msgstr "ID на файла"

#: includes/fields/class-acf-field-file.php:234
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Библиотека"

#: includes/fields/class-acf-field-file.php:235
#: includes/fields/class-acf-field-image.php:232
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Ограничаване на избора на файлове"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:237
#: includes/locations/class-acf-location-attachment.php:105
#: includes/locations/class-acf-location-comment.php:83
#: includes/locations/class-acf-location-nav-menu.php:106
#: includes/locations/class-acf-location-taxonomy.php:83
#: includes/locations/class-acf-location-user-form.php:91
#: includes/locations/class-acf-location-user-role.php:108
#: includes/locations/class-acf-location-widget.php:87
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Всички"

#: includes/fields/class-acf-field-file.php:241
#: includes/fields/class-acf-field-image.php:238
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Прикачени към публикация"

#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-image.php:245
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Минимум"

#: includes/fields/class-acf-field-file.php:249
#: includes/fields/class-acf-field-file.php:260
msgid "Restrict which files can be uploaded"
msgstr "Ограничаване какви файлове могат да бъдат качени"

#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Максимум"

#: includes/fields/class-acf-field-file.php:270
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Позволени файлови типове"

#: includes/fields/class-acf-field-file.php:271
#: includes/fields/class-acf-field-image.php:304
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Списък, разделен със запетаи. Оставете празно за всички типове"

#: includes/fields/class-acf-field-google-map.php:36
msgid "Google Map"
msgstr "Google карта"

#: includes/fields/class-acf-field-google-map.php:51
msgid "Locating"
msgstr "Намиране"

#: includes/fields/class-acf-field-google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "За съжаление този браузър не поддържа геолокация"

#: includes/fields/class-acf-field-google-map.php:133
msgid "Clear location"
msgstr "Изчистване на местоположение"

#: includes/fields/class-acf-field-google-map.php:134
msgid "Find current location"
msgstr "Намерете текущото местоположение"

#: includes/fields/class-acf-field-google-map.php:137
msgid "Search for address..."
msgstr "Търсене на адрес..."

#: includes/fields/class-acf-field-google-map.php:167
#: includes/fields/class-acf-field-google-map.php:178
msgid "Center"
msgstr "Центриране"

#: includes/fields/class-acf-field-google-map.php:168
#: includes/fields/class-acf-field-google-map.php:179
msgid "Center the initial map"
msgstr "Центриране на първоначалната карта"

#: includes/fields/class-acf-field-google-map.php:190
msgid "Zoom"
msgstr "Увеличаване"

#: includes/fields/class-acf-field-google-map.php:191
msgid "Set the initial zoom level"
msgstr "Задаване на ниво на първоначалното увеличение"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-image.php:257
#: includes/fields/class-acf-field-image.php:286
#: includes/fields/class-acf-field-oembed.php:297
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Височина"

#: includes/fields/class-acf-field-google-map.php:201
msgid "Customise the map height"
msgstr "Персонализиране на височината на картата"

#: includes/fields/class-acf-field-group.php:36
#, fuzzy
msgid "Group"
msgstr "Създай нова група от полета"

#: includes/fields/class-acf-field-group.php:469
#: pro/fields/class-acf-field-repeater.php:453
msgid "Sub Fields"
msgstr "Вложени полета"

#: includes/fields/class-acf-field-group.php:486
#: pro/fields/class-acf-field-clone.php:890
msgid "Specify the style used to render the selected fields"
msgstr ""

#: includes/fields/class-acf-field-group.php:491
#: pro/fields/class-acf-field-clone.php:895
#: pro/fields/class-acf-field-flexible-content.php:629
#: pro/fields/class-acf-field-repeater.php:522
msgid "Block"
msgstr "Блок"

#: includes/fields/class-acf-field-group.php:492
#: pro/fields/class-acf-field-clone.php:896
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:521
msgid "Table"
msgstr "Таблица"

#: includes/fields/class-acf-field-group.php:493
#: pro/fields/class-acf-field-clone.php:897
#: pro/fields/class-acf-field-flexible-content.php:630
#: pro/fields/class-acf-field-repeater.php:523
msgid "Row"
msgstr "Ред"

#: includes/fields/class-acf-field-image.php:36
msgid "Image"
msgstr "Изображение"

#: includes/fields/class-acf-field-image.php:51
msgid "Select Image"
msgstr "Избор на изображение"

#: includes/fields/class-acf-field-image.php:52
#: pro/fields/class-acf-field-gallery.php:53
msgid "Edit Image"
msgstr "Редактиране на изображение"

#: includes/fields/class-acf-field-image.php:53
#: pro/fields/class-acf-field-gallery.php:54
msgid "Update Image"
msgstr "Актуализация на изображението"

#: includes/fields/class-acf-field-image.php:55
msgid "All images"
msgstr "Всички изображения"

#: includes/fields/class-acf-field-image.php:142
#: includes/fields/class-acf-field-link.php:153 includes/input.php:267
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Премахване"

#: includes/fields/class-acf-field-image.php:158
msgid "No image selected"
msgstr "Няма избрано изображение"

#: includes/fields/class-acf-field-image.php:158
msgid "Add Image"
msgstr "Добавяне на изображение"

#: includes/fields/class-acf-field-image.php:212
msgid "Image Array"
msgstr "Масив от изображения"

#: includes/fields/class-acf-field-image.php:213
msgid "Image URL"
msgstr "URL на изображението"

#: includes/fields/class-acf-field-image.php:214
msgid "Image ID"
msgstr "ID на изображението"

#: includes/fields/class-acf-field-image.php:221
msgid "Preview Size"
msgstr "Размер на визуализация"

#: includes/fields/class-acf-field-image.php:222
msgid "Shown when entering data"
msgstr "Показва се при въвеждане на данни"

#: includes/fields/class-acf-field-image.php:246
#: includes/fields/class-acf-field-image.php:275
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Ограничаване какви изображения могат да бъдат качени"

#: includes/fields/class-acf-field-image.php:249
#: includes/fields/class-acf-field-image.php:278
#: includes/fields/class-acf-field-oembed.php:286
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Ширина"

#: includes/fields/class-acf-field-link.php:36
#, fuzzy
msgid "Link"
msgstr "Връзка към страница"

#: includes/fields/class-acf-field-link.php:146
#, fuzzy
msgid "Select Link"
msgstr "Избор на файл"

#: includes/fields/class-acf-field-link.php:151
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:186
#, fuzzy
msgid "Link Array"
msgstr "Масив от файлове"

#: includes/fields/class-acf-field-link.php:187
#, fuzzy
msgid "Link URL"
msgstr "URL на файла"

#: includes/fields/class-acf-field-message.php:36
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-true_false.php:141
msgid "Message"
msgstr "Съобщение"

#: includes/fields/class-acf-field-message.php:124
#: includes/fields/class-acf-field-textarea.php:176
msgid "New Lines"
msgstr "Нови редове"

#: includes/fields/class-acf-field-message.php:125
#: includes/fields/class-acf-field-textarea.php:177
msgid "Controls how new lines are rendered"
msgstr "Контролира как се извеждат новите редове"

#: includes/fields/class-acf-field-message.php:129
#: includes/fields/class-acf-field-textarea.php:181
msgid "Automatically add paragraphs"
msgstr "Автоматично добавяне на параграфи"

#: includes/fields/class-acf-field-message.php:130
#: includes/fields/class-acf-field-textarea.php:182
msgid "Automatically add &lt;br&gt;"
msgstr "Автоматично добавяне на &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:131
#: includes/fields/class-acf-field-textarea.php:183
msgid "No Formatting"
msgstr "Без форматиране"

#: includes/fields/class-acf-field-message.php:138
msgid "Escape HTML"
msgstr "Изчистване на HTML"

#: includes/fields/class-acf-field-message.php:139
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Позволяване на HTML-а да се показва като видим текст"

#: includes/fields/class-acf-field-number.php:36
msgid "Number"
msgstr "Число"

#: includes/fields/class-acf-field-number.php:181
msgid "Minimum Value"
msgstr "Минимална стойност"

#: includes/fields/class-acf-field-number.php:190
msgid "Maximum Value"
msgstr "Максимална стойност"

#: includes/fields/class-acf-field-number.php:199
msgid "Step Size"
msgstr "Размер на стъпката"

#: includes/fields/class-acf-field-number.php:237
msgid "Value must be a number"
msgstr "Стойността трябва да е число"

#: includes/fields/class-acf-field-number.php:255
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Стойността трябва да е равна на или по-голяма от %d"

#: includes/fields/class-acf-field-number.php:263
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Стойността трябва да е равна на или по-малка от %d"

#: includes/fields/class-acf-field-oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:237
msgid "Enter URL"
msgstr "Въведете URL адрес"

#: includes/fields/class-acf-field-oembed.php:250
#: includes/fields/class-acf-field-taxonomy.php:904
msgid "Error."
msgstr "Грешка."

#: includes/fields/class-acf-field-oembed.php:250
msgid "No embed found for the given URL."
msgstr "Няма открито вграждане за посочения URL адрес."

#: includes/fields/class-acf-field-oembed.php:283
#: includes/fields/class-acf-field-oembed.php:294
msgid "Embed Size"
msgstr "Размери за вграждане"

#: includes/fields/class-acf-field-page_link.php:192
msgid "Archives"
msgstr "Архиви"

#: includes/fields/class-acf-field-page_link.php:500
#: includes/fields/class-acf-field-post_object.php:399
#: includes/fields/class-acf-field-relationship.php:704
msgid "Filter by Post Type"
msgstr "Филтриране по тип публикация"

#: includes/fields/class-acf-field-page_link.php:508
#: includes/fields/class-acf-field-post_object.php:407
#: includes/fields/class-acf-field-relationship.php:712
msgid "All post types"
msgstr "Всички типове публикации"

#: includes/fields/class-acf-field-page_link.php:514
#: includes/fields/class-acf-field-post_object.php:413
#: includes/fields/class-acf-field-relationship.php:718
msgid "Filter by Taxonomy"
msgstr "Филтриране по таксономия"

#: includes/fields/class-acf-field-page_link.php:522
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-relationship.php:726
msgid "All taxonomies"
msgstr "Всички таксономии"

#: includes/fields/class-acf-field-page_link.php:528
#: includes/fields/class-acf-field-post_object.php:427
#: includes/fields/class-acf-field-radio.php:259
#: includes/fields/class-acf-field-select.php:484
#: includes/fields/class-acf-field-taxonomy.php:799
#: includes/fields/class-acf-field-user.php:423
msgid "Allow Null?"
msgstr "Позволяване на празна стойност?"

#: includes/fields/class-acf-field-page_link.php:538
msgid "Allow Archives URLs"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:548
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-select.php:494
#: includes/fields/class-acf-field-user.php:433
msgid "Select multiple values?"
msgstr "Избиране на няколко стойности?"

#: includes/fields/class-acf-field-password.php:36
msgid "Password"
msgstr "Парола"

#: includes/fields/class-acf-field-post_object.php:36
#: includes/fields/class-acf-field-post_object.php:452
#: includes/fields/class-acf-field-relationship.php:783
msgid "Post Object"
msgstr "Обект-публикация"

#: includes/fields/class-acf-field-post_object.php:453
#: includes/fields/class-acf-field-relationship.php:784
msgid "Post ID"
msgstr "ID на публикация"

#: includes/fields/class-acf-field-radio.php:36
msgid "Radio Button"
msgstr "Радио бутон"

#: includes/fields/class-acf-field-radio.php:269
msgid "Other"
msgstr "Друго"

#: includes/fields/class-acf-field-radio.php:274
msgid "Add 'other' choice to allow for custom values"
msgstr "Добавяне на избор 'друго' като възможност за потребителските стойности"

#: includes/fields/class-acf-field-radio.php:280
msgid "Save Other"
msgstr "Запазване"

#: includes/fields/class-acf-field-radio.php:285
msgid "Save 'other' values to the field's choices"
msgstr "Запазване на стойностите 'друго' към опциите на полето"

#: includes/fields/class-acf-field-relationship.php:36
msgid "Relationship"
msgstr "Връзка"

#: includes/fields/class-acf-field-relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "Минималния брой стойности бе достигнат ( {min} стойности )"

#: includes/fields/class-acf-field-relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Максималния брой стойности бе достигнат ( {min} стойности )"

#: includes/fields/class-acf-field-relationship.php:50
msgid "Loading"
msgstr "Зареждане"

#: includes/fields/class-acf-field-relationship.php:51
msgid "No matches found"
msgstr "Няма намерени съвпадения"

#: includes/fields/class-acf-field-relationship.php:585
msgid "Search..."
msgstr "Търсене…"

#: includes/fields/class-acf-field-relationship.php:594
msgid "Select post type"
msgstr "Изберете тип на публикацията"

#: includes/fields/class-acf-field-relationship.php:607
msgid "Select taxonomy"
msgstr "Изберете таксономия"

#: includes/fields/class-acf-field-relationship.php:732
msgid "Filters"
msgstr "Филтри"

#: includes/fields/class-acf-field-relationship.php:738
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Вид на публикация"

#: includes/fields/class-acf-field-relationship.php:739
#: includes/fields/class-acf-field-taxonomy.php:36
#: includes/fields/class-acf-field-taxonomy.php:769
msgid "Taxonomy"
msgstr "Таксономия"

#: includes/fields/class-acf-field-relationship.php:746
msgid "Elements"
msgstr "Елементи"

#: includes/fields/class-acf-field-relationship.php:747
msgid "Selected elements will be displayed in each result"
msgstr "Избраните елементи ще бъдат показани във всеки резултат"

#: includes/fields/class-acf-field-relationship.php:758
msgid "Minimum posts"
msgstr "Минимален брой публикации"

#: includes/fields/class-acf-field-relationship.php:767
msgid "Maximum posts"
msgstr "Максимален брой публикации"

#: includes/fields/class-acf-field-relationship.php:871
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s изисква поне %s избор"
msgstr[1] "%s изисква поне %s избора"

#: includes/fields/class-acf-field-select.php:36
#: includes/fields/class-acf-field-taxonomy.php:791
#, fuzzy
msgctxt "noun"
msgid "Select"
msgstr "Избор"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""

#: 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 ""

#: includes/fields/class-acf-field-select.php:51
#, fuzzy
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Няма намерени съвпадения"

#: includes/fields/class-acf-field-select.php:52
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr ""

#: 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 ""

#: includes/fields/class-acf-field-select.php:54
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr ""

#: includes/fields/class-acf-field-select.php:55
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:56
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr ""

#: 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 ""

#: includes/fields/class-acf-field-select.php:58
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:59
#, fuzzy
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Търсене на полета"

#: includes/fields/class-acf-field-select.php:60
#, fuzzy
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Провалена валидация"

#: includes/fields/class-acf-field-select.php:270 includes/media.php:54
#, fuzzy
msgctxt "verb"
msgid "Select"
msgstr "Избор"

#: includes/fields/class-acf-field-select.php:504
#: includes/fields/class-acf-field-true_false.php:159
msgid "Stylised UI"
msgstr "Стилизиран интерфейс"

#: includes/fields/class-acf-field-select.php:514
msgid "Use AJAX to lazy load choices?"
msgstr "Използване на AJAX за зареждане на опциите?"

#: includes/fields/class-acf-field-select.php:525
#, fuzzy
msgid "Specify the value returned"
msgstr "Уточнява върнатата стойност в сайта"

#: includes/fields/class-acf-field-separator.php:36
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:36
msgid "Tab"
msgstr "Раздел"

#: includes/fields/class-acf-field-tab.php:96
msgid ""
"The tab field will display incorrectly when added to a Table style repeater "
"field or flexible content field layout"
msgstr ""
"Полето за раздел ще се покаже грешно когато се добави към поле-повторител с "
"табличен стил, или поле за гъвкаво съдържание"

#: includes/fields/class-acf-field-tab.php:97
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""
"Използвайте \"Полета Раздел\" за да организирате по-добре екраните за "
"редактиране чрез групиране на полетата."

#: includes/fields/class-acf-field-tab.php:98
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 ""
"Всички полета след това \"раздел поле\" (или до следващото такова) ще бъдат "
"групирани заедно в този раздел."

#: includes/fields/class-acf-field-tab.php:112
msgid "Placement"
msgstr "Положение"

#: includes/fields/class-acf-field-tab.php:124
msgid "End-point"
msgstr "Крайна точка"

#: includes/fields/class-acf-field-tab.php:125
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""
"Използване на това поле като крайна точка и започване на нова група раздели"

#: includes/fields/class-acf-field-taxonomy.php:719
#: includes/fields/class-acf-field-true_false.php:95
#: includes/fields/class-acf-field-true_false.php:184 includes/input.php:266
#: pro/admin/views/html-settings-updates.php:103
msgid "No"
msgstr "Не"

#: includes/fields/class-acf-field-taxonomy.php:738
msgid "None"
msgstr "Никакъв"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Select the taxonomy to be displayed"
msgstr "Избор на таксономия"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Appearance"
msgstr "Външен вид"

#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Select the appearance of this field"
msgstr "Избор на външния вид на това поле"

#: includes/fields/class-acf-field-taxonomy.php:785
msgid "Multiple Values"
msgstr "Множество стойности"

#: includes/fields/class-acf-field-taxonomy.php:787
msgid "Multi Select"
msgstr "Множество избрани стойности"

#: includes/fields/class-acf-field-taxonomy.php:789
msgid "Single Value"
msgstr "Единична стойност"

#: includes/fields/class-acf-field-taxonomy.php:790
msgid "Radio Buttons"
msgstr "Радио бутони"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Create Terms"
msgstr "Създаване на термини"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Allow new terms to be created whilst editing"
msgstr "Позволяване нови термини да се създават при редактиране"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Save Terms"
msgstr "Запазване на термини"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "Свързване на избраните термини към тази публикация"

#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Load Terms"
msgstr "Зареждане на термини"

#: includes/fields/class-acf-field-taxonomy.php:830
msgid "Load value from posts terms"
msgstr "Зареждане на стойност от термините на публикациите"

#: includes/fields/class-acf-field-taxonomy.php:844
msgid "Term Object"
msgstr "Обект-термин"

#: includes/fields/class-acf-field-taxonomy.php:845
msgid "Term ID"
msgstr "ID на термин"

#: includes/fields/class-acf-field-taxonomy.php:904
#, php-format
msgid "User unable to add new %s"
msgstr "Потребителят не може да добави %s"

#: includes/fields/class-acf-field-taxonomy.php:917
#, php-format
msgid "%s already exists"
msgstr "%s вече съществува"

#: includes/fields/class-acf-field-taxonomy.php:958
#, php-format
msgid "%s added"
msgstr "успешно добавяне на %s"

#: includes/fields/class-acf-field-taxonomy.php:1003
msgid "Add"
msgstr "Добавяне"

#: includes/fields/class-acf-field-text.php:36
msgid "Text"
msgstr "Текст"

#: includes/fields/class-acf-field-text.php:178
#: includes/fields/class-acf-field-textarea.php:157
msgid "Character Limit"
msgstr "Максимален брой символи"

#: includes/fields/class-acf-field-text.php:179
#: includes/fields/class-acf-field-textarea.php:158
msgid "Leave blank for no limit"
msgstr "Оставете празно за да премахнете ограничението"

#: includes/fields/class-acf-field-textarea.php:36
msgid "Text Area"
msgstr "Текстова област"

#: includes/fields/class-acf-field-textarea.php:166
msgid "Rows"
msgstr "Редове"

#: includes/fields/class-acf-field-textarea.php:167
msgid "Sets the textarea height"
msgstr "Задава височината на текстовото поле"

#: includes/fields/class-acf-field-time_picker.php:36
#, fuzzy
msgid "Time Picker"
msgstr "Избор на дата и час"

#: includes/fields/class-acf-field-true_false.php:36
msgid "True / False"
msgstr "Вярно / невярно"

#: includes/fields/class-acf-field-true_false.php:94
#: includes/fields/class-acf-field-true_false.php:174 includes/input.php:265
#: pro/admin/views/html-settings-updates.php:93
msgid "Yes"
msgstr "Да"

#: includes/fields/class-acf-field-true_false.php:142
msgid "Displays text alongside the checkbox"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:170
#, fuzzy
msgid "On Text"
msgstr "Текст"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when active"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:180
#, fuzzy
msgid "Off Text"
msgstr "Текст"

#: includes/fields/class-acf-field-true_false.php:181
msgid "Text shown when inactive"
msgstr ""

#: includes/fields/class-acf-field-url.php:36
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:165
msgid "Value must be a valid URL"
msgstr "Стойността трябва да е валиден URL"

#: includes/fields/class-acf-field-user.php:36 includes/locations.php:95
msgid "User"
msgstr "Потребител"

#: includes/fields/class-acf-field-user.php:408
msgid "Filter by role"
msgstr "Филтриране по роля"

#: includes/fields/class-acf-field-user.php:416
msgid "All user roles"
msgstr "Всички потребителски роли"

#: includes/fields/class-acf-field-wysiwyg.php:36
msgid "Wysiwyg Editor"
msgstr "Редактор на съдържание"

#: includes/fields/class-acf-field-wysiwyg.php:385
msgid "Visual"
msgstr "Визуален"

#: includes/fields/class-acf-field-wysiwyg.php:386
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Текстов"

#: includes/fields/class-acf-field-wysiwyg.php:392
msgid "Click to initialize TinyMCE"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Tabs"
msgstr "Раздели"

#: includes/fields/class-acf-field-wysiwyg.php:450
msgid "Visual & Text"
msgstr "Визуален и текстов"

#: includes/fields/class-acf-field-wysiwyg.php:451
msgid "Visual Only"
msgstr "Само визуален"

#: includes/fields/class-acf-field-wysiwyg.php:452
msgid "Text Only"
msgstr "Само текстов"

#: includes/fields/class-acf-field-wysiwyg.php:459
msgid "Toolbar"
msgstr "Лента с инструменти"

#: includes/fields/class-acf-field-wysiwyg.php:469
msgid "Show Media Upload Buttons?"
msgstr "Показване на бутоните за качване на файлове?"

#: includes/fields/class-acf-field-wysiwyg.php:479
msgid "Delay initialization?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:480
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:304
msgid "Edit field group"
msgstr "Редактиране на група полета"

#: includes/forms/form-front.php:55
#, fuzzy
msgid "Validate Email"
msgstr "Провалена валидация"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Обновяване"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Публикацията бе актуализирана"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Открит спам"

#: includes/input.php:258
msgid "Expand Details"
msgstr "Разпъване на детайлите"

#: includes/input.php:259
msgid "Collapse Details"
msgstr "Свиване на детайлите"

#: includes/input.php:260
msgid "Validation successful"
msgstr "Успешна валидация"

#: includes/input.php:261 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Провалена валидация"

#: includes/input.php:262
msgid "1 field requires attention"
msgstr "1 поле изисква внимание"

#: includes/input.php:263
#, php-format
msgid "%d fields require attention"
msgstr "%d полета изискват внимание"

#: includes/input.php:264
msgid "Restricted"
msgstr "Ограничен"

#: includes/input.php:268
msgid "Cancel"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Публикация"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Страница"

#: includes/locations.php:96
msgid "Forms"
msgstr "Формуляри"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Файл"

#: includes/locations/class-acf-location-attachment.php:113
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Коментар"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Роля на текущия потребител"

#: includes/locations/class-acf-location-current-user-role.php:114
msgid "Super Admin"
msgstr "Супер администратор"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Текущ потребител"

#: includes/locations/class-acf-location-current-user.php:101
msgid "Logged in"
msgstr "Влезли сте"

#: includes/locations/class-acf-location-current-user.php:102
msgid "Viewing front end"
msgstr "Преглеждане на сайта"

#: includes/locations/class-acf-location-current-user.php:103
msgid "Viewing back end"
msgstr "Преглеждане на администрацията"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:113
#, fuzzy
msgid "Menu Locations"
msgstr "Местоположение"

#: includes/locations/class-acf-location-nav-menu.php:123
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Страница родител"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Шаблон на страница"

#: includes/locations/class-acf-location-page-template.php:102
#: includes/locations/class-acf-location-post-template.php:156
msgid "Default Template"
msgstr "Шаблон по подразбиране"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Тип страница"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Front Page"
msgstr "Първа страница"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Posts Page"
msgstr "Страница с публикации"

#: includes/locations/class-acf-location-page-type.php:151
msgid "Top Level Page (no parent)"
msgstr "Горно ниво страница (родител)"

#: includes/locations/class-acf-location-page-type.php:152
msgid "Parent Page (has children)"
msgstr "Родителска страница (има деца)"

#: includes/locations/class-acf-location-page-type.php:153
msgid "Child Page (has parent)"
msgstr "Дете страница (има родител)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Категория на публикация"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Формат на публикация"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Статус на публикация"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Таксономия на публикация"

#: includes/locations/class-acf-location-post-template.php:29
#, fuzzy
msgid "Post Template"
msgstr "Шаблон на страница"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Термин"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Потребителски формуляр"

#: includes/locations/class-acf-location-user-form.php:92
msgid "Add / Edit"
msgstr "Добавяне / редактиране"

#: includes/locations/class-acf-location-user-form.php:93
msgid "Register"
msgstr "Регистрация"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Потребителска роля"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Джаджa"

#: includes/media.php:55
#, fuzzy
msgctxt "verb"
msgid "Edit"
msgstr "Редактиране"

#: includes/media.php:56
#, fuzzy
msgctxt "verb"
msgid "Update"
msgstr "Обновяване"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s стойност е задължителна"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Модерни потребителски полета PRO"

#: pro/admin/admin-options-page.php:196
msgid "Publish"
msgstr "Публикуване"

#: pro/admin/admin-options-page.php:202
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Няма намерени групи полета за тази страница с опции. <a href=\"%s"
"\">Създаване на група полета</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Грешка</b>. Неуспешно свързване със сървъра"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:17
msgid "Updates"
msgstr "Актуализации"

#: pro/admin/views/html-settings-updates.php:11
msgid "Deactivate License"
msgstr "Деактивиране на лиценз"

#: pro/admin/views/html-settings-updates.php:11
msgid "Activate License"
msgstr "Активиране на лиценз"

#: pro/admin/views/html-settings-updates.php:21
#, fuzzy
msgid "License Information"
msgstr "Информация за обновяването"

#: pro/admin/views/html-settings-updates.php:24
#, fuzzy, php-format
msgid ""
"To unlock updates, please enter your license key below. If you don't have a "
"licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"За да включите обновяванията, моля въведете вашия лицензионен ключ на "
"страницата <a href=\"%s\">Актуализации</a>. Ако нямате лицензионен ключ, "
"моля посетете <a href=\"%s\">детайли и цени</a>"

#: pro/admin/views/html-settings-updates.php:33
msgid "License Key"
msgstr "Лицензионен ключ"

#: pro/admin/views/html-settings-updates.php:65
msgid "Update Information"
msgstr "Информация за обновяването"

#: pro/admin/views/html-settings-updates.php:72
msgid "Current Version"
msgstr "Текуща версия"

#: pro/admin/views/html-settings-updates.php:80
msgid "Latest Version"
msgstr "Последна версия"

#: pro/admin/views/html-settings-updates.php:88
msgid "Update Available"
msgstr "Налице е обновяване"

#: pro/admin/views/html-settings-updates.php:96
msgid "Update Plugin"
msgstr "Обновяване"

#: pro/admin/views/html-settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Моля въведете вашия лицензионен ключ за да отключите обновяванията"

#: pro/admin/views/html-settings-updates.php:104
msgid "Check Again"
msgstr "Проверка"

#: pro/admin/views/html-settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Забележки за обновяването"

#: pro/fields/class-acf-field-clone.php:36
msgctxt "noun"
msgid "Clone"
msgstr ""

#: pro/fields/class-acf-field-clone.php:858
msgid "Select one or more fields you wish to clone"
msgstr ""

#: pro/fields/class-acf-field-clone.php:875
#, fuzzy
msgid "Display"
msgstr "Формат на показване"

#: pro/fields/class-acf-field-clone.php:876
msgid "Specify the style used to render the clone field"
msgstr ""

#: pro/fields/class-acf-field-clone.php:881
msgid "Group (displays selected fields in a group within this field)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:882
msgid "Seamless (replaces this field with selected fields)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:903
#, fuzzy, php-format
msgid "Labels will be displayed as %s"
msgstr "Избраните елементи ще бъдат показани във всеки резултат"

#: pro/fields/class-acf-field-clone.php:906
#, fuzzy
msgid "Prefix Field Labels"
msgstr "Етикет на полето"

#: pro/fields/class-acf-field-clone.php:917
#, php-format
msgid "Values will be saved as %s"
msgstr ""

#: pro/fields/class-acf-field-clone.php:920
#, fuzzy
msgid "Prefix Field Names"
msgstr "Име на полето"

#: pro/fields/class-acf-field-clone.php:1038
#, fuzzy
msgid "Unknown field"
msgstr "Под полетата"

#: pro/fields/class-acf-field-clone.php:1077
#, fuzzy
msgid "Unknown field group"
msgstr "Синхронизиране на групата полета"

#: pro/fields/class-acf-field-clone.php:1081
#, php-format
msgid "All fields from %s field group"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:42
#: pro/fields/class-acf-field-repeater.php:230
#: pro/fields/class-acf-field-repeater.php:534
msgid "Add Row"
msgstr "Добавяне на ред"

#: pro/fields/class-acf-field-flexible-content.php:45
msgid "layout"
msgstr "шаблон"

#: pro/fields/class-acf-field-flexible-content.php:46
msgid "layouts"
msgstr "шаблони"

#: pro/fields/class-acf-field-flexible-content.php:47
msgid "remove {layout}?"
msgstr "премахване?"

#: pro/fields/class-acf-field-flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Това поле изисква поне {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Това поле има лимит от {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Това поле изисква поне {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Максималния лимит на {label} бе достигнат ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} налични  (максимум  {max})"

#: pro/fields/class-acf-field-flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} задължителни (минимум {min})"

#: pro/fields/class-acf-field-flexible-content.php:54
msgid "Flexible Content requires at least 1 layout"
msgstr "Полето за гъвкаво съдържание изисква поне 1 шаблон полета"

#: pro/fields/class-acf-field-flexible-content.php:288
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Натиснете бутона \"%s\" за да започнете да създавате вашия шаблон"

#: pro/fields/class-acf-field-flexible-content.php:423
msgid "Add layout"
msgstr "Създаване на шаблон"

#: pro/fields/class-acf-field-flexible-content.php:424
msgid "Remove layout"
msgstr "Премахване на шаблон"

#: pro/fields/class-acf-field-flexible-content.php:425
#: pro/fields/class-acf-field-repeater.php:360
msgid "Click to toggle"
msgstr "Кликнете за да превключите"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder Layout"
msgstr "Пренареждане на шаблон"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder"
msgstr "Пренареждане"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete Layout"
msgstr "Изтриване на шаблон"

#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate Layout"
msgstr "Дублиране на шаблон"

#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New Layout"
msgstr "Добавяне на нов шаблон"

#: pro/fields/class-acf-field-flexible-content.php:645
msgid "Min"
msgstr "Минимум"

#: pro/fields/class-acf-field-flexible-content.php:658
msgid "Max"
msgstr "Максимум"

#: pro/fields/class-acf-field-flexible-content.php:685
#: pro/fields/class-acf-field-repeater.php:530
msgid "Button Label"
msgstr "Етикет на бутона"

#: pro/fields/class-acf-field-flexible-content.php:694
msgid "Minimum Layouts"
msgstr "Минимален брой шаблони"

#: pro/fields/class-acf-field-flexible-content.php:703
msgid "Maximum Layouts"
msgstr "Максимален брой шаблони"

#: pro/fields/class-acf-field-gallery.php:52
msgid "Add Image to Gallery"
msgstr "Добавяне на изображение към галерия"

#: pro/fields/class-acf-field-gallery.php:56
msgid "Maximum selection reached"
msgstr "Максималния брой избори бе достигнат"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Размер"

#: pro/fields/class-acf-field-gallery.php:379
#, fuzzy
msgid "Caption"
msgstr "Опции"

#: pro/fields/class-acf-field-gallery.php:388
#, fuzzy
msgid "Alt Text"
msgstr "Текст"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Добавяне към галерия"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Групови действия"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Сортиране по дата на качване"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Сортиране по дата на последна промяна"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Сортиране по заглавие"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Обръщане на текущия ред"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Затваряне"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Минимална селекция"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Максимална селекция"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:662
#, fuzzy
msgid "Append to the end"
msgstr "Показва се след полето"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "Минималния брой редове бе достигнат ({min} реда)"

#: pro/fields/class-acf-field-repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "Максималния брой редове бе достигнат ({max} реда)"

#: pro/fields/class-acf-field-repeater.php:405
msgid "Add row"
msgstr "Добавяне на ред"

#: pro/fields/class-acf-field-repeater.php:406
msgid "Remove row"
msgstr "Премахване на ред"

#: pro/fields/class-acf-field-repeater.php:483
msgid "Collapsed"
msgstr "Свит"

#: pro/fields/class-acf-field-repeater.php:484
msgid "Select a sub field to show when row is collapsed"
msgstr "Изберете вложено поле, което да се показва когато реда е свит"

#: pro/fields/class-acf-field-repeater.php:494
msgid "Minimum Rows"
msgstr "Минимален брой редове"

#: pro/fields/class-acf-field-repeater.php:504
msgid "Maximum Rows"
msgstr "Максимален брой редове"

#: pro/locations/class-acf-location-options-page.php:70
msgid "No options pages exist"
msgstr "Няма създадени страници с опции"

#: pro/options-page.php:51
msgid "Options"
msgstr "Опции"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Опциите бяха актуализирани"

#: pro/updates.php:97
#, fuzzy, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"За да включите обновяванията, моля въведете вашия лицензионен ключ на "
"страницата <a href=\"%s\">Актуализации</a>. Ако нямате лицензионен ключ, "
"моля посетете <a href=\"%s\">детайли и цени</a>"

#. Plugin URI of the plugin/theme
#, fuzzy
msgid "https://www.advancedcustomfields.com/"
msgstr "http://www.advancedcustomfields.com/"

#. Author of the plugin/theme
#, fuzzy
msgid "Elliot Condon"
msgstr "Елиът Кондън"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "Изключено"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Изключено <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Изключени <span class=\"count\">(%s)</span>"

#~ msgid "See what's new in"
#~ msgstr "Вижте какво е новото в"

#~ msgid "version"
#~ msgstr "версия"

#~ msgid "Getting Started"
#~ msgstr "Как да започнете"

#~ msgid "Field Types"
#~ msgstr "Типове полета"

#~ msgid "Functions"
#~ msgstr "Функции"

#~ msgid "Actions"
#~ msgstr "Действия"

#~ msgid "'How to' guides"
#~ msgstr "Ръководства"

#~ msgid "Tutorials"
#~ msgstr "Уроци"

#~ msgid "Created by"
#~ msgstr "Създадено от"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr ""
#~ "<b>Успех</b>. Инструментът за импортиране добави %s групи полета: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Внимание</b>. Инструментът за импортиране откри, че %s групи полета "
#~ "вече съществуват и бяха игнорирани: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Обновяване"

#~ msgid "Upgrade"
#~ msgstr "Обновяване"

#~ msgid "Error"
#~ msgstr "Грешка"

#~ msgid "Upgrading data to"
#~ msgstr "Обновяване на данните към"

#~ msgid "See what's new"
#~ msgstr "Вижте какво е новото"

#~ msgid "Show a different month"
#~ msgstr "Показване на различен месец"

#~ msgid "Return format"
#~ msgstr "Формат при връщане"

#~ msgid "uploaded to this post"
#~ msgstr "прикачен към тази публикация"

#~ msgid "File Size"
#~ msgstr "Размер на файла"

#~ msgid "No File selected"
#~ msgstr "Няма избран файл"

#~ msgid "eg. Show extra content"
#~ msgstr "напр. Покажи допълнително съдържание"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Грешка при свързване</b>. Моля, опитайте отново"

#~ msgid "Save Options"
#~ msgstr "Запазване на опциите"

#~ 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 "details & pricing"
#~ msgstr "детайли и цени"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Модерни потребителски полета PRO"
PK�
�[h2�P����lang/acf-zh_TW.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.8.7\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2020-02-13 17:09+0800\n"
"PO-Revision-Date: 2020-02-14 12:13+0800\n"
"Last-Translator: Audi Lu <mrmu@mrmu.com.tw>\n"
"Language-Team: Audi Lu <mrmu@mrmu.com.tw>\n"
"Language: zh_TW\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Poedit 2.1.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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:68
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:340 includes/admin/admin.php:52
msgid "Field Groups"
msgstr "欄位群組"

#: acf.php:341
msgid "Field Group"
msgstr "欄位群組"

#: acf.php:342 acf.php:374 includes/admin/admin.php:53
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "新建"

#: acf.php:343
msgid "Add New Field Group"
msgstr "新增欄位群組"

#: acf.php:344
msgid "Edit Field Group"
msgstr "編輯欄位群組"

#: acf.php:345
msgid "New Field Group"
msgstr "新增欄位群組"

#: acf.php:346
msgid "View Field Group"
msgstr "檢視欄位群組"

#: acf.php:347
msgid "Search Field Groups"
msgstr "搜尋欄位群組"

#: acf.php:348
msgid "No Field Groups found"
msgstr "沒有找到欄位群組"

#: acf.php:349
msgid "No Field Groups found in Trash"
msgstr "回收桶裡沒有找到欄位群組"

#: acf.php:372 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "欄位"

#: acf.php:373
msgid "Field"
msgstr "欄位"

#: acf.php:375
msgid "Add New Field"
msgstr "新增欄位"

#: acf.php:376
msgid "Edit Field"
msgstr "編輯欄位"

#: acf.php:377 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "新欄位"

#: acf.php:378
msgid "View Field"
msgstr "檢視欄位"

#: acf.php:379
msgid "Search Fields"
msgstr "搜尋欄位"

#: acf.php:380
msgid "No Fields found"
msgstr "沒有找到欄位"

#: acf.php:381
msgid "No Fields found in Trash"
msgstr "回收桶中沒有找到欄位群組"

#: acf.php:416 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "未禁用"

#: acf.php:421
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "未啟用 <span class=\"count\">(%s)</span>"

#: includes/acf-field-functions.php:831
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(無標籤)"

#: includes/acf-field-group-functions.php:819
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "複製"

#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "欄位群組已更新。"

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "欄位群組已刪除。"

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "欄位群組已發佈。"

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "設定已儲存。"

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "欄位群組已提交。"

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "欄位群組已排程。"

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "欄位群組草稿已更新。"

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "\"field_\" 這個字串不能用在欄位名稱的開頭"

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "在儲存變更之前,欄位無法搬移"

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "欄位群組的標題為必填"

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "確定要刪除嗎?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "沒有可用的條件欄位"

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "移動自訂欄位"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "已選"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(此欄位)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3649
msgid "or"
msgstr "或"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "空"

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "位置"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "設定"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "欄位鍵值"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "啟用"

#: includes/admin/admin-field-group.php:767
msgid "Move Complete."
msgstr "完成搬移。"

#: includes/admin/admin-field-group.php:768
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "%s 欄位現在可以在 %s 欄位群組中找到"

#: includes/admin/admin-field-group.php:769
msgid "Close Window"
msgstr "關閉視窗"

#: includes/admin/admin-field-group.php:810
msgid "Please select the destination for this field"
msgstr "請選取這個欄位的目標欄位群組"

#: includes/admin/admin-field-group.php:817
msgid "Move Field"
msgstr "移動欄位"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "啟用 <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s 欄位群組重複。"

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s 欄位群組已同步。"

#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "可同步"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:353
msgid "Title"
msgstr "標題"

#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:380
msgid "Description"
msgstr "描述"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "狀態"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr "使用專業直覺且功能強大的欄位來客製 WordPress。"

#: includes/admin/admin-field-groups.php:628 includes/admin/admin.php:123
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "更新日誌"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "了解 <a href=\"%s\"> %s 版本</a>新增的功能。"

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "資源"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "網站"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "文件"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "支援"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:81
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "感謝您使用 <a href=“%s”>ACF</a>。"

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "複製此項目"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "複製"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:146
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "搜尋"

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "選擇 %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "同步欄位群組"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "同步"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "套用"

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "批次動作"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "工具"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:109
#: includes/admin/admin-upgrade.php:110 includes/admin/admin-upgrade.php:173
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "升級資料庫"

#: includes/admin/admin-upgrade.php:197
msgid "Review sites & upgrade"
msgstr "檢查網站和升級"

#: includes/admin/admin.php:51 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "自訂欄位"

#: includes/admin/admin.php:57
msgid "Info"
msgstr "資訊"

#: includes/admin/admin.php:122
msgid "What's New"
msgstr "最新消息"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "匯出欄位群組"

#: 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 "Create PHP"
msgid "Generate PHP"
msgstr "產出 PHP"

#: 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 "尚未選擇欄位群組"

#: includes/admin/tools/class-acf-admin-tool-export.php:174
#, php-format
#| msgid "Export Field Groups"
msgid "Exported 1 field group."
msgid_plural "Exported %s field groups."
msgstr[0] "已匯出 %s 個欄位群組。"

#: 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 "選取欄位群組"

#: 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 檔,讓你"
"可以在其他安裝 ACF 的站台匯入設定。使用產出 PHP 按鈕將會匯出 PHP 程式碼,以便"
"置入你的佈景之中。"

#: includes/admin/tools/class-acf-admin-tool-export.php:341
#| msgid "Export"
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 ""
"以下程式碼可用於註冊所選欄位群組的本機版本。本機的欄位群組可以提供許多好處,"
"例如更快的載入時間、版本控制和動態欄位/設定。 只需將以下程式碼複製並貼到佈景"
"主題的 functions.php 文件中,或將它自外部文件包含進來。"

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "複製到剪貼簿"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "已複製"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "匯入欄位群組"

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""
"選取你想匯入的 Advanced Custom Fields JSON 檔案。當你點擊下方匯入按鈕時,ACF "
"將匯入欄位群組。"

#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "選擇檔案"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "匯入檔案"

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "沒有選擇檔案"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "檔案上傳錯誤。請再試一次"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "檔案類型不正確"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "匯入的檔案是空的"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "匯入 %s 欄位群組"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "條件邏輯"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "顯示此欄位群組的條件"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "+"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "新增規則組"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "拖曳排序"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "編輯欄位"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:337
msgid "Edit"
msgstr "編輯"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "複製欄位"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "將欄位移到其它群组"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "移動"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "刪除欄位"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "刪除"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "欄位標籤"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "在編輯介面顯示的名稱"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "欄位名稱"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "單字元串不能有空格,可使用橫線或底線"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "欄位類型"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "說明"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "顯示給作者的說明文字。會在送出資料時顯示"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "必填嗎?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "包覆元素的屬性"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "寬度"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "類別"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "關閉欄位"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "順序"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "標籤"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "名稱"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "鍵"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "類型"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr "沒有欄位,點擊<strong>新增</strong>按鈕建立第一個欄位。"

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "新增欄位"

#: includes/admin/views/field-group-locations.php:9
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 "建立一組規則以確定自訂欄位在哪些編輯介面顯示"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "樣式"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "標準 (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "連續 (no metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "位置"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "高 (位於標題後面)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "正常 (位於內容後面)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "邊欄"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "標籤位置"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
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 "說明位置"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "欄位標籤"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "下面的欄位"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "排序"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "順序編號較小的欄位群組會先顯示"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "在欄位群組列表中顯示"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "固定連結"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "內容編輯器"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "摘要"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "討論"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "留言"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "版本"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "別名"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "作者"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "格式"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "頁面屬性"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "特色圖片"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "類別"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "標籤"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "發送 Trackbacks"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "隱藏元素"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>選擇</b>需要在編輯畫面<b>隱藏</b>的項目。"

#: includes/admin/views/field-group-options.php:129
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/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr "以下站台需要進行資料庫更新。檢查要更新的內容,然後點擊 %s。"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "升級網站"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "網站"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "網站需要從 %s 升級到 %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "網站已是最新版本"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "資料庫更新完成<a href=\"%s\"> 返回控制台 </a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "請至少選擇一個要升級的站點。"

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
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/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "將資料升級至 %s 版"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "更新完成。"

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "更新失敗。"

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "正在讀取更新任務..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "資料庫更新完成<a href=\"%s\"> 查看新內容 </a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr "沒有可用的更新。"

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "返回所有工具"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "顯示此欄位群組的條件"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "重複器"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "彈性內容"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "相簿"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "設定頁面"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "資料庫需要升級"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "感謝您更新至 %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr "此版本包含對資料庫的改進,需要更新。"

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr "請檢查所有高級項目 (%s) 均更新至最新版本。"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 ""
"感謝你完成更新!ACF %s 版比之前版本有更大更多的改進,開發團隊希望你會喜歡它。"

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "更順暢的體驗"

#: includes/admin/views/settings-info.php:18
msgid "Improved Usability"
msgstr "改進可用性"

#: includes/admin/views/settings-info.php:19
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 函式庫提升了多種欄位類型的可用性和速度,包括文章物件、頁面"
"連結、分類法和選擇控制項。"

#: includes/admin/views/settings-info.php:22
msgid "Improved Design"
msgstr "改進的設計"

#: includes/admin/views/settings-info.php:23
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 ""
"許多欄位都經過了視覺更新,使 ACF 看起來比以前更好!在圖庫、關係和 oEmbed "
"(新) 欄位上可看到顯著的變化!"

#: includes/admin/views/settings-info.php:26
msgid "Improved Data"
msgstr "改進資料"

#: includes/admin/views/settings-info.php:27
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:35
msgid "Goodbye Add-ons. Hello PRO"
msgstr "再見 Add-ons。PRO 您好"

#: includes/admin/views/settings-info.php:38
msgid "Introducing ACF PRO"
msgstr "ACF PRO介绍"

#: includes/admin/views/settings-info.php:39
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "我們正在以令人興奮的方式改變提供高級功能的方式!"

#: includes/admin/views/settings-info.php:40
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"所有 4 個優質 Add-on 擴充元件已被合併成一個新的<a href=\"%s\">ACF 的專業版</"
"a>。提供個人和開發者授權,價格比以往任何時候更實惠!"

#: includes/admin/views/settings-info.php:44
msgid "Powerful Features"
msgstr "強大的功能"

#: includes/admin/views/settings-info.php:45
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 ""
"ACF PRO包含強大的功能,例如可重複資料,彈性內容排版,漂亮的相簿欄位以及建立額"
"外管理選項頁面的功能!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "了解更多關於<a href=\\\"%s\\\">ACF PRO的功能</a> 。"

#: includes/admin/views/settings-info.php:50
msgid "Easy Upgrading"
msgstr "輕鬆升級"

#: includes/admin/views/settings-info.php:51
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr "升級到 ACF PRO 很容易。 只需在線購買許可授權並下載外掛即可!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"我們編寫了<a href=\"%s\"> 升級指南 </a>來回答任何問題,如您有任何問題,請通過"
"<a href=\"%s\"> 服務台 </a>與支援小組聯絡。"

#: includes/admin/views/settings-info.php:61
msgid "New Features"
msgstr "新功能"

#: includes/admin/views/settings-info.php:66
#| msgid "Edit Field"
msgid "Link Field"
msgstr "鏈結欄位"

#: includes/admin/views/settings-info.php:67
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr "鏈結欄位能簡單的選擇或定義鏈結 (url, title, target) 。"

#: includes/admin/views/settings-info.php:71
#| msgid "Move Field"
msgid "Group Field"
msgstr "群組欄位"

#: includes/admin/views/settings-info.php:72
msgid "The Group field provides a simple way to create a group of fields."
msgstr "群組欄位能簡單的建立欄位的群組。"

#: includes/admin/views/settings-info.php:76
#| msgid "Edit Field"
msgid "oEmbed Field"
msgstr "oEmbed 欄位"

#: includes/admin/views/settings-info.php:77
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr "oEmbed 欄位能簡單的嵌入影片、圖片、推文、音檔和其他內容。"

#: includes/admin/views/settings-info.php:81
#| msgid "Close Field"
msgid "Clone Field"
msgstr "分身欄位"

#: includes/admin/views/settings-info.php:82
msgid "The clone field allows you to select and display existing fields."
msgstr "分身欄位能讓你選擇並顯示現有的欄位。"

#: includes/admin/views/settings-info.php:86
msgid "More AJAX"
msgstr "更多 AJAX"

#: includes/admin/views/settings-info.php:87
msgid "More fields use AJAX powered search to speed up page loading."
msgstr "更多欄位使用 AJAX 搜尋來加快頁面載入速度。"

#: includes/admin/views/settings-info.php:91
msgid "Local JSON"
msgstr "本機 JSON"

#: includes/admin/views/settings-info.php:92
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr "新的自動匯出 JSON 功能改善了速度並允許同步。"

#: includes/admin/views/settings-info.php:96
msgid "Easy Import / Export"
msgstr "輕鬆 匯入 / 匯出"

#: includes/admin/views/settings-info.php:97
msgid "Both import and export can easily be done through a new tools page."
msgstr "匯入 / 匯出可通過新工具頁面輕鬆完成。"

#: includes/admin/views/settings-info.php:101
msgid "New Form Locations"
msgstr "新表單位置"

#: includes/admin/views/settings-info.php:102
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr "欄位現在可以被對應到選單、選單項目、留言、小工具及所有使用者表單!"

#: includes/admin/views/settings-info.php:106
#| msgid "Move Custom Field"
msgid "More Customization"
msgstr "更多自訂"

#: includes/admin/views/settings-info.php:107
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr "加入了新的 PHP ( 和 JS ) 的 actions 和 filters,方便進行更多客製。"

#: includes/admin/views/settings-info.php:111
msgid "Fresh UI"
msgstr "全新 UI"

#: includes/admin/views/settings-info.php:112
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr "整體外掛翻新了介面,包括新的欄位類型,設定和設計!"

#: includes/admin/views/settings-info.php:116
msgid "New Settings"
msgstr "新設定"

#: includes/admin/views/settings-info.php:117
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr "欄位群組設定加入了啟用、標籤位置、說明位置及描述。"

#: includes/admin/views/settings-info.php:121
msgid "Better Front End Forms"
msgstr "更好的前端表單"

#: includes/admin/views/settings-info.php:122
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr "acf_form() 現在可以在提交時創建一篇新文章,並附帶大量新設定。"

#: includes/admin/views/settings-info.php:126
msgid "Better Validation"
msgstr "更好的驗證"

#: includes/admin/views/settings-info.php:127
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr "表單驗證現在通過 PHP + AJAX 完成。"

#: includes/admin/views/settings-info.php:131
msgid "Moving Fields"
msgstr "移動欄位"

#: includes/admin/views/settings-info.php:132
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr "新的欄位群組功能,允許您在群組和上層群組之間移動欄位。"

#: includes/admin/views/settings-info.php:143
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "開發團隊希望您會喜愛 %s 版的變更。"

#: includes/api/api-helpers.php:827
msgid "Thumbnail"
msgstr "縮略圖"

#: includes/api/api-helpers.php:828
msgid "Medium"
msgstr "中"

#: includes/api/api-helpers.php:829
msgid "Large"
msgstr "大"

#: includes/api/api-helpers.php:878
msgid "Full Size"
msgstr "完整尺寸"

#: includes/api/api-helpers.php:1599 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(無標題)"

#: includes/api/api-helpers.php:3570
#, php-format
msgid "Image width must be at least %dpx."
msgstr "圖片寬度必須至少為 %d px。"

#: includes/api/api-helpers.php:3575
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "圖片寬度不得超過%dpx。"

#: includes/api/api-helpers.php:3591
#, php-format
msgid "Image height must be at least %dpx."
msgstr "圖片高度必須至少 %dpx."

#: includes/api/api-helpers.php:3596
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "圖片高度不得超過%dpx。"

#: includes/api/api-helpers.php:3614
#, php-format
msgid "File size must be at least %s."
msgstr "檔案大小至少是 %s。"

#: includes/api/api-helpers.php:3619
#, php-format
msgid "File size must must not exceed %s."
msgstr "檔案大小最大不能超過 %s。"

#: includes/api/api-helpers.php:3653
#, php-format
msgid "File type must be %s."
msgstr "檔案類型必須是%s。"

#: includes/assets.php:184
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "如果您離開這個頁面,您所做的變更將遺失"

#: includes/assets.php:187 includes/fields/class-acf-field-select.php:259
#| msgid "Select"
msgctxt "verb"
msgid "Select"
msgstr "選擇"

#: includes/assets.php:188
#| msgid "Edit"
msgctxt "verb"
msgid "Edit"
msgstr "編輯"

#: includes/assets.php:189
#| msgid "Update"
msgctxt "verb"
msgid "Update"
msgstr "更新"

#: includes/assets.php:190
msgid "Uploaded to this post"
msgstr "已上傳到這篇文章"

#: includes/assets.php:191
msgid "Expand Details"
msgstr "展開詳細資料"

#: includes/assets.php:192
msgid "Collapse Details"
msgstr "收合詳細資料"

#: includes/assets.php:193
msgid "Restricted"
msgstr "受限"

#: includes/assets.php:194 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr "所有圖片"

#: includes/assets.php:197
msgid "Validation successful"
msgstr "驗證成功"

#: includes/assets.php:198 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "驗證失敗"

#: includes/assets.php:199
msgid "1 field requires attention"
msgstr "1 個欄位需要注意"

#: includes/assets.php:200
#, php-format
msgid "%d fields require attention"
msgstr "%d 個欄位需要注意"

#: includes/assets.php:203
#| msgid "Move to trash. Are you sure?"
msgid "Are you sure?"
msgstr "你確定嗎?"

#: includes/assets.php:204 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "是"

#: includes/assets.php:205 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "否"

#: includes/assets.php:206 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:338
#: pro/fields/class-acf-field-gallery.php:478
msgid "Remove"
msgstr "刪除"

#: includes/assets.php:207
msgid "Cancel"
msgstr "取消"

#: includes/assets.php:210
msgid "Has any value"
msgstr "含有任何設定值"

#: includes/assets.php:211
msgid "Has no value"
msgstr "不含設定值"

#: includes/assets.php:212
#| msgid "is equal to"
msgid "Value is equal to"
msgstr "設定值等於"

#: includes/assets.php:213
#| msgid "is not equal to"
msgid "Value is not equal to"
msgstr "設定值不等於"

#: includes/assets.php:214
msgid "Value matches pattern"
msgstr "設定值符合模式"

#: includes/assets.php:215
msgid "Value contains"
msgstr "設定值包含"

#: includes/assets.php:216
msgid "Value is greater than"
msgstr "設定值大於"

#: includes/assets.php:217
msgid "Value is less than"
msgstr "設定值小於"

#: includes/assets.php:218
msgid "Selection is greater than"
msgstr "選擇大於"

#: includes/assets.php:219
#| msgid "Select File"
msgid "Selection is less than"
msgstr "選擇少於"

#: includes/assets.php:222 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "編輯欄位群組"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "欄位類型不存在"

#: includes/fields.php:308
msgid "Unknown"
msgstr "未知"

#: includes/fields.php:349
msgid "Basic"
msgstr "基本"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "內容"

#: includes/fields.php:351
msgid "Choice"
msgstr "選項"

#: includes/fields.php:352
msgid "Relational"
msgstr "關係"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "樣式"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "收合容器"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "開啟"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "將此收合容器顯示為在頁面載入時打開。"

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "多擴展"

#: includes/fields/class-acf-field-accordion.php:110
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
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 "定義一個前收合容器停止的端點。此收合容器將不可見。"

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "按鈕群組"

#: 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:364
msgid "Choices"
msgstr "選項"

#: 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:365
msgid "Enter each choice on a new line."
msgstr "每行輸入一個選項。"

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr "為了更好掌控,你要同時指定一個值和標籤就像:"

#: 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:365
msgid "red : Red"
msgstr "red : 紅"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "是否允許空值?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
msgid "Default Value"
msgstr "預設值"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
msgid "Appears when creating a new post"
msgstr "建立新文章時出現"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "水平"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "垂直"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "返回值"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "在前端指定回傳值"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "數值"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "兩者(陣列)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "複選框"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "切換全部"

#: includes/fields/class-acf-field-checkbox.php:221
#| msgid "Add New Field"
msgid "Add new choice"
msgstr "新增選項"

#: includes/fields/class-acf-field-checkbox.php:353
#| msgid "Allow Null?"
msgid "Allow Custom"
msgstr "允許自訂"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "允許加入 ‘自訂’ 值"

#: includes/fields/class-acf-field-checkbox.php:364
#| msgid "Move Custom Field"
msgid "Save Custom"
msgstr "儲存自訂"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "儲存 ‘自訂’ 值到欄位的選項"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "每行輸入一個預設值"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "切換"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "前置一個額外的核選框以切換所有選擇"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "顏色選擇器"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "清除"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "預設值"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "選擇顏色"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "目前顏色"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "日期選擇器"

#: includes/fields/class-acf-field-date_picker.php:59
#| msgid "Done"
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "完成"

#: includes/fields/class-acf-field-date_picker.php:60
#| msgid "Today"
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "今天"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "下一個"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "上一個"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "星期"

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "顯示格式"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "編輯文章時顯示的時間格式"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
#| msgid "Custom Fields"
msgid "Custom:"
msgstr "自訂:"

#: includes/fields/class-acf-field-date_picker.php:197
#| msgid "Format"
msgid "Save Format"
msgstr "儲存格式"

#: includes/fields/class-acf-field-date_picker.php:198
#| msgid "This format will be seen by the user when entering a value"
msgid "The format used when saving a value"
msgstr "儲存數值時使用的格式"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:557
msgid "Return Format"
msgstr "回傳格式"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "透過模板函式回傳的格式"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "每週開始於"

#: includes/fields/class-acf-field-date_time_picker.php:25
#| msgid "Date & Time Picker"
msgid "Date Time Picker"
msgstr "日期時間選擇器"

#: includes/fields/class-acf-field-date_time_picker.php:68
#| msgid "Close Field"
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "選擇時間"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "時間"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "時"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "分"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "秒"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "毫秒"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "微秒"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "時區"

#: includes/fields/class-acf-field-date_time_picker.php:76
#| msgid "No"
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "目前"

#: includes/fields/class-acf-field-date_time_picker.php:77
#| msgid "Done"
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "完成"

#: includes/fields/class-acf-field-date_time_picker.php:78
#| msgid "Select"
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "選擇"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "上午"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "下午"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "電子郵件"

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "佔位字"

#: 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:105
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "出現在輸入欄位中"

#: 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:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr "前置"

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr "出現在輸入欄位之前"

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr "後綴"

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr "出現在輸入欄位後面"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "檔案"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "編輯檔案"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "更新檔案"

#: includes/fields/class-acf-field-file.php:141
#| msgid "File Name"
msgid "File name"
msgstr "檔名"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:642
#: pro/fields/class-acf-field-gallery.php:671
msgid "File size"
msgstr "檔案容量"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "新增檔案"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "檔案陣列"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "檔案URL"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "檔案ID"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:592
msgid "Library"
msgstr "庫"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:593
msgid "Limit the media library choice"
msgstr "限制媒體庫選擇"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:72
#: includes/locations/class-acf-location-user-role.php:88
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:598
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "所有"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:599
msgid "Uploaded to post"
msgstr "已上傳至文章"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:621
msgid "Minimum"
msgstr "最小"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "限制檔案上傳類型"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:650
msgid "Maximum"
msgstr "最大"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:678
msgid "Allowed file types"
msgstr "允許的檔案類型"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:679
msgid "Comma separated list. Leave blank for all types"
msgstr "請以逗號分隔列出。留白表示允許所有類型"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google 地圖"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "很抱歉,使用中的瀏覽器不支援地理位置"

#: includes/fields/class-acf-field-google-map.php:147
msgid "Clear location"
msgstr "清除位置"

#: includes/fields/class-acf-field-google-map.php:148
msgid "Find current location"
msgstr "搜尋目前位置"

#: includes/fields/class-acf-field-google-map.php:151
msgid "Search for address..."
msgstr "搜尋地址..."

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-google-map.php:192
msgid "Center"
msgstr "中間"

#: includes/fields/class-acf-field-google-map.php:182
#: includes/fields/class-acf-field-google-map.php:193
msgid "Center the initial map"
msgstr "置中初始地圖"

#: includes/fields/class-acf-field-google-map.php:204
msgid "Zoom"
msgstr "縮放"

#: includes/fields/class-acf-field-google-map.php:205
msgid "Set the initial zoom level"
msgstr "設定初始縮放層級"

#: includes/fields/class-acf-field-google-map.php:214
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:633
#: pro/fields/class-acf-field-gallery.php:662
msgid "Height"
msgstr "高"

#: includes/fields/class-acf-field-google-map.php:215
msgid "Customize the map height"
msgstr "自訂地圖高度"

#: includes/fields/class-acf-field-group.php:25
#| msgid "Field Group"
msgid "Group"
msgstr "群組"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "子欄位"

#: 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 "指定用於呈現選定欄位的樣式"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "區塊"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "表格"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "行"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "圖片"

#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr "選擇圖片"

#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr "編輯圖片"

#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr "更新圖片"

#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr "沒有選擇圖片"

#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr "新增圖片"

#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:563
msgid "Image Array"
msgstr "圖片陣列"

#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:564
msgid "Image URL"
msgstr "圖片網址"

#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:565
msgid "Image ID"
msgstr "圖片ID"

#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:571
msgid "Preview Size"
msgstr "預覽圖大小"

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:622
#: pro/fields/class-acf-field-gallery.php:651
msgid "Restrict which images can be uploaded"
msgstr "限制哪些圖片可以上傳"

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:625
#: pro/fields/class-acf-field-gallery.php:654
msgid "Width"
msgstr "寬"

#: includes/fields/class-acf-field-link.php:25
#| msgid "Page Link"
msgid "Link"
msgstr "鏈結"

#: includes/fields/class-acf-field-link.php:133
#| msgid "Select File"
msgid "Select Link"
msgstr "選擇鏈結"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "於新視窗/分頁開啟"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "鏈結陣列"

#: includes/fields/class-acf-field-link.php:173
#| msgid "File URL"
msgid "Link URL"
msgstr "鏈結網址"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "訊息"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "新行"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "控制如何呈現新行"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "自動增加段落"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "自動加入 &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "無格式"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "跳脫 HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "允許 HTML 標記顯示為可見文字而不是顯示繪製結果"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "數字"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "最小值"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "最大值"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "數值增減幅度"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "值必須是一個數字"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "值必須等於或高於%d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "值必須等於或低於%d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "輸入網址"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "嵌入大小"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "頁面連結"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "彙整"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
#| msgid "Page Parent"
msgid "Parent"
msgstr "上層"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "以文章型別篩選"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "所有文章類型"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "以分類法篩選"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "所有分類法"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "允許文章彙整網址"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "是否選擇多個值?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "密碼"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "文章物件"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "文章 ID"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "單選按鈕"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "其他"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "新增 ‘其他’ 選擇以允許自訂值"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "儲存其它"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "將 \b’其他’ 值儲存到該欄位的選項中"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "範圍"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "關係"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "已達最大值 ( {max} 值 )"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "載入中"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "找不到符合的"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "選取內容類型"

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "選取分類法"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "搜尋..."

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "篩選器"

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "文章類型"

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "分類法"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "元素"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "選擇的元素將在每個結果中顯示"

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "最少的文章"

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "最大文章數"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:779
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s 需要至少 %s 選擇"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
#| msgid "Select"
msgctxt "noun"
msgid "Select"
msgstr "選擇"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "有一個結果可用。請按 enter 選擇它。"

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d 個可用結果,請使用上下鍵進行導覽。"

#: includes/fields/class-acf-field-select.php:113
#| msgid "No Fields found"
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "找不到符合的"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "請輸入 1 個或更多字元"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "請輸入 %d 個或更多字元"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "請刪除 1 個字元"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "請刪除 %d 個字元"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "你只能夠選 1 個項目"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "你只能選 %d 個項目"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "載入更多結果&hellip;"

#: includes/fields/class-acf-field-select.php:121
#| msgid "Search Fields"
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "搜尋中&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "載入失敗"

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "程式化 UI"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "使用 AJAX 去 lazy load 選擇?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "指定回傳的值"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "分隔"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "頁籤"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
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 "定義上一個頁籤要停止的端點。這將開始一組新的頁籤群組。"

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "沒有 %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "選擇要顯示的分類法"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "外觀"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "選擇此欄位的外觀"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "多選"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "多選"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "單個值"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "單選框"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "建立字詞"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "允許在編輯時建立新的字詞"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "儲存字詞"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "連結選擇的字詞到文章"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "載入字詞"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "從文章字詞載入數值"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "對象緩存"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "內容ID"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "使用者無法加入新的 %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s 已經存在"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s 已新增"

#: includes/fields/class-acf-field-taxonomy.php:973
#: includes/locations/class-acf-location-user-form.php:73
msgid "Add"
msgstr "加入"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "文字"

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "字元限制"

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "留白為無限制"

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr "值不得超過 %d 字元"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "文字區域"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "行"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "設定文字區域高度"

#: includes/fields/class-acf-field-time_picker.php:25
#| msgid "Date & Time Picker"
msgid "Time Picker"
msgstr "時間選擇器"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "真/假"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "在複選框旁邊顯示文字"

#: includes/fields/class-acf-field-true_false.php:155
#| msgid "Text"
msgid "On Text"
msgstr "啟動用字"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "啟用時顯示文字"

#: includes/fields/class-acf-field-true_false.php:170
#| msgid "Text"
msgid "Off Text"
msgstr "關閉用字"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "停用時顯示文字"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "網址"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "填入值必須是合法的網址"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "會員"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "根據角色篩選"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "所有使用者角色"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "使用者陣列"

#: includes/fields/class-acf-field-user.php:418
#| msgid "Term Object"
msgid "User Object"
msgstr "使用者物件"

#: includes/fields/class-acf-field-user.php:419
#| msgid "User"
msgid "User ID"
msgstr "使用者 ID"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "可視化編輯器"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "視覺"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "文字"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "點擊初始化 TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "頁籤"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "視覺 & 文字"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "僅視覺"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "文字"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "工具條"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "是否顯示媒體上傳按鈕?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "延遲初始化?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initialized until field is clicked"
msgstr "在按一下欄位之前,不會初始化 TinyMCE"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "驗證 Email"

#: includes/forms/form-front.php:104 pro/fields/class-acf-field-gallery.php:510
#: pro/options-page.php:81
msgid "Update"
msgstr "更新"

#: includes/forms/form-front.php:105
msgid "Post updated"
msgstr "文章已更新"

#: includes/forms/form-front.php:231
msgid "Spam Detected"
msgstr "已檢測到垃圾郵件"

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr "<strong>錯誤</strong>: %s"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "文章"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "頁面"

#: includes/locations.php:96
msgid "Forms"
msgstr "表單"

#: includes/locations.php:243
msgid "is equal to"
msgstr "等於"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "不等於"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "附件"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "所有 %s 格式"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "留言"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "目前使用者角色"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "超級使用者"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "目前使用者"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "已登入"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "查看前端"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "查看後端"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "選單項目"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "選單"

#: includes/locations/class-acf-location-nav-menu.php:109
#| msgid "Location"
msgid "Menu Locations"
msgstr "選單位置"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "選單"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "父級頁面"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "頁面模版"

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "預設模版"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "頁面類型"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "首頁"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "文章頁"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "頂層頁(無父層)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "父頁(有子分類)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "子頁(有父分類)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "文章類別"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "文章格式"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "文章狀態"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "文章分類法"

#: includes/locations/class-acf-location-post-template.php:27
#| msgid "Page Template"
msgid "Post Template"
msgstr "文章模版"

#: includes/locations/class-acf-location-user-form.php:22
msgid "User Form"
msgstr "使用者表單"

#: includes/locations/class-acf-location-user-form.php:74
msgid "Add / Edit"
msgstr "新增/編輯"

#: includes/locations/class-acf-location-user-form.php:75
msgid "Register"
msgstr "註冊"

#: includes/locations/class-acf-location-user-role.php:22
msgid "User Role"
msgstr "使用者角色"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "小工具"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s 值為必填"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "發佈"

#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr "此設定頁沒有自訂欄位群組。<a href=\"%s\">建立一個自訂欄位群組</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>錯誤</b>。 無法連接到更新伺服器"

#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "更新"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>錯誤</b>。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授"
"權。"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "停用授權"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "啟用授權"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"要解鎖更新服務,請於下方輸入您的授權金鑰。若你沒有授權金鑰,請查閱 <a "
"href=“%s” target=“_blank”>詳情 & 價目</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "授權金鑰"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "更新資訊"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "目前版本"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "最新版本"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "可用更新"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "更新外掛"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "請於上方輸入你的授權金鑰以解鎖更新"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "更檢查一次"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "升級提醒"

#: pro/blocks.php:373
msgid "Switch to Edit"
msgstr "切換至編輯"

#: pro/blocks.php:374
msgid "Switch to Preview"
msgstr "切換至預覽"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "分身"

#: 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:829
msgid "Display"
msgstr "顯示"

#: 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:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "群組(顯示該欄位內群組中被選定的欄位)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "無縫(用選定欄位取代此欄位)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
#| msgid "Selected elements will be displayed in each result"
msgid "Labels will be displayed as %s"
msgstr "標籤將顯示為%s"

#: pro/fields/class-acf-field-clone.php:860
#| msgid "Field Label"
msgid "Prefix Field Labels"
msgstr "前置欄位標籤"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "值將被儲存為 %s"

#: pro/fields/class-acf-field-clone.php:874
#| msgid "Field Name"
msgid "Prefix Field Names"
msgstr "前置欄位名稱"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "未知的欄位"

#: pro/fields/class-acf-field-clone.php:1031
#| msgid "Synchronise field group"
msgid "Unknown field group"
msgstr "未知的欄位群組"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "所有欄位來自 %s 欄位群組"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "新增列"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "排版"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "排版"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "這個欄位至少需要 {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "此欄位的限制為 {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} 可用 (最大 {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} 需要 (最小 {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "彈性內容需要至少 1 個排版"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "點擊下方的 \"%s\" 按鈕以新增設定"

#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "新增排版"

#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "移除排版"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "點擊切換"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "重排序排版"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "重排序"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "刪除排版"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "複製排版"

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "新增新排版"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "最小"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "最大"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "按鈕標籤"

#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "最少排版"

#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "最多排版"

#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr "新增圖片到相簿"

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr "已達到最大選擇"

#: pro/fields/class-acf-field-gallery.php:322
msgid "Length"
msgstr "長度"

#: pro/fields/class-acf-field-gallery.php:362
msgid "Caption"
msgstr "標題"

#: pro/fields/class-acf-field-gallery.php:371
#| msgid "Alternate Text"
msgid "Alt Text"
msgstr "替代文字"

#: pro/fields/class-acf-field-gallery.php:487
msgid "Add to gallery"
msgstr "加到相簿"

#: pro/fields/class-acf-field-gallery.php:491
msgid "Bulk actions"
msgstr "批次操作"

#: pro/fields/class-acf-field-gallery.php:492
msgid "Sort by date uploaded"
msgstr "依上傳日期排序"

#: pro/fields/class-acf-field-gallery.php:493
msgid "Sort by date modified"
msgstr "依修改日期排序"

#: pro/fields/class-acf-field-gallery.php:494
msgid "Sort by title"
msgstr "依標題排序"

#: pro/fields/class-acf-field-gallery.php:495
msgid "Reverse current order"
msgstr "反向目前順序"

#: pro/fields/class-acf-field-gallery.php:507
msgid "Close"
msgstr "關閉"

#: pro/fields/class-acf-field-gallery.php:580
msgid "Insert"
msgstr "插入"

#: pro/fields/class-acf-field-gallery.php:581
msgid "Specify where new attachments are added"
msgstr "指定新附件加入的位置"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Append to the end"
msgstr "附加在後"

#: pro/fields/class-acf-field-gallery.php:586
msgid "Prepend to the beginning"
msgstr "插入至最前"

#: pro/fields/class-acf-field-gallery.php:605
msgid "Minimum Selection"
msgstr "最小選擇"

#: pro/fields/class-acf-field-gallery.php:613
msgid "Maximum Selection"
msgstr "最大選擇"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "已達最小行數 ( {min} 行 )"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "已達最大行數 ( {max} 行 )"

#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "新增列"

#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "移除列"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "收合"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "選取一個子欄位,讓它在行列收合時顯示"

#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "最小行數"

#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "最大行數"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "設定頁面不存在"

#: pro/options-page.php:51
msgid "Options"
msgstr "選項"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "選項已更新"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"要啟用更新,請在<a href=\"%s\">更新</a>頁面上輸入您的授權金鑰。 如果您沒有授"
"權金鑰,請參閱<a href=\"%s\">詳情和定價</a>。"

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr "https://www.advancedcustomfields.com"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#~ msgid "Disabled"
#~ msgstr "已停用"

#~ msgid "Parent fields"
#~ msgstr "父欄位"

#~ msgid "Sibling fields"
#~ msgstr "分支欄位"

#~ msgid "See what's new in"
#~ msgstr "檢視更新內容于"

#~ msgid "version"
#~ msgstr "版本"

#~ msgid "Getting Started"
#~ msgstr "開始"

#~ msgid "Field Types"
#~ msgstr "欄位類型"

#~ msgid "Functions"
#~ msgstr "功能"

#~ msgid "Actions"
#~ msgstr "操作"

#~ msgid "'How to' guides"
#~ msgstr "新手引導"

#~ msgid "Tutorials"
#~ msgstr "教學"

#~ msgid "Created by"
#~ msgstr "建立者"

#~ msgid "Add-ons"
#~ msgstr "附加功能"

#~ msgid "Upgrade"
#~ msgstr "升級"

#~ msgid "Error"
#~ msgstr "錯誤"

#~ msgid "Error."
#~ msgstr "錯誤."

#~ msgid "Drag and drop to reorder"
#~ msgstr "托拽排序"

#, fuzzy
#~ msgid "Taxonomy Term"
#~ msgstr "分類法"

#, fuzzy
#~ msgid "Download & Install"
#~ msgstr "下載附加功能"

#~ msgid "Installed"
#~ msgstr "已安裝"

#, fuzzy
#~ msgid "New Gallery"
#~ msgstr "相簿"

#, fuzzy
#~ msgid "Relationship Field"
#~ msgstr "關係"

#~ msgid "Better Options Pages"
#~ msgstr "更好的設定頁面"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "匯出欄位群組到PHP"

#, fuzzy
#~ msgid "See what's new"
#~ msgstr "檢視更新內容于"

#~ msgid "Show a different month"
#~ msgstr "顯示其他月份"

#~ msgid "Return format"
#~ msgstr "回傳格式"

#~ msgid "File Size"
#~ msgstr "檔案大小"

#~ msgid "No File selected"
#~ msgstr "尚未選擇檔案"

#, fuzzy
#~ msgid "Locating"
#~ msgstr "位置"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr "請注意,所有文字將通過WP過濾功能"

#, fuzzy
#~ msgid "No embed found for the given URL."
#~ msgstr "沒有為選項頁找到自訂欄位群組。."

#~ msgid "None"
#~ msgstr "None"

#~ msgid "eg. Show extra content"
#~ msgstr "例如:顯示附加內容"

#~ msgid "Save Options"
#~ msgstr "儲存"

#, fuzzy
#~ msgid "remove {layout}?"
#~ msgstr "重排序排版"

#, fuzzy
#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "達到了最大值 ( {max} 值 ) "

#, fuzzy
#~ msgid "Show Field Keys"
#~ msgstr "顯示欄位密鑰:"

#, fuzzy
#~ msgid "Private"
#~ msgstr "啟用"

#, fuzzy
#~ msgid "Revision"
#~ msgstr "版本控製"

#, fuzzy
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "欄位群組排序<br />從低到高。"

#, fuzzy
#~ msgid "ACF PRO Required"
#~ msgstr "(必填項)"

#, fuzzy
#~ msgid "Update Database"
#~ msgstr "升級資料庫"

#, fuzzy
#~ msgid "Data Upgrade"
#~ msgstr "升級"

#, fuzzy
#~ msgid "Data is at the latest version."
#~ 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"
#~ msgstr "在文章上加載值,儲存時更新文章條目。"

#, fuzzy
#~ msgid "image"
#~ msgstr "圖像"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "關係"

#, fuzzy
#~ msgid "unload"
#~ msgstr "下載"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "欄位群組已發佈。"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "儲存欄位"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "大段內容"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "相簿"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "複製"

#~ msgid "Custom field updated."
#~ msgstr "自訂欄位已更新。"

#~ msgid "Custom field deleted."
#~ msgstr "自訂欄位已刪除。"

#~ msgid "Column Width"
#~ msgstr "分欄寬度"

#, fuzzy
#~ msgid "Attachment Details"
#~ msgstr "附件已更新"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "驗證失敗,下面一個或多個欄位是必需的。"

#~ msgid "Field group restored to revision from %s"
#~ msgstr "欄位群組已恢複到版本%s"

#~ msgid "No ACF groups selected"
#~ msgstr "沒有選擇 ACF 群組"

#~ msgid "Repeater Field"
#~ msgstr "複製欄位"

#~ msgid ""
#~ "Create infinite rows of repeatable data with this versatile interface!"
#~ msgstr "使用此多功能介面為可重覆資料建立無限行列。 "

#~ msgid "Gallery Field"
#~ msgstr "相簿欄位"

#~ msgid "Create image galleries in a simple and intuitive interface!"
#~ msgstr "使用簡單直覺的介面建立相簿!"

#~ msgid "Create global data to use throughout your website!"
#~ msgstr "建立全站可用的資料。"

#~ msgid "Flexible Content Field"
#~ msgstr "多樣內容欄位"

#~ msgid "Create unique designs with a flexible content layout manager!"
#~ msgstr "透過內容排版管理器建立獨特的設計。"

#~ msgid "Gravity Forms Field"
#~ msgstr "Gravity 表單欄位"

#~ msgid "Creates a select field populated with Gravity Forms!"
#~ msgstr "建立一個由Gravity表單處理的選擇欄位。"

#~ msgid "jQuery date & time picker"
#~ msgstr "jQuery 日期 & 時間選擇器"

#~ msgid "Find addresses and coordinates of a desired location"
#~ msgstr "查找需要的位置的地址和坐標。"

#~ msgid "Contact Form 7 Field"
#~ msgstr "Contact Form 7 欄位"

#~ msgid "Assign one or more contact form 7 forms to a post"
#~ msgstr "分配一個或多個contact form 7表單到文章"

#~ 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 ""
#~ "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 "購買和安裝"

#~ msgid "Select the field groups to be exported"
#~ msgstr "選擇需要匯出的欄位群組。"

#~ msgid "Export to XML"
#~ msgstr "匯出到XML"

#~ msgid "Export to PHP"
#~ msgstr "匯出到PHP"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr "ACF將建立一個相容WP導入外掛的.xml檔案。"

#~ msgid ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "導入欄位群組將出現在可編輯欄位群組後面,在幾個WP站點之間遷移欄位群組時,這"
#~ "將非常有用。"

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr "從列表中選擇欄位群組,然後點擊 \"匯出XML\" "

#~ msgid "Save the .xml file when prompted"
#~ msgstr "匯出後儲存.xml檔案"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "轉到工具 &raquo; 導入,然後選擇WordPress "

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "安裝WP導入外掛後開始"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "上傳並導入.xml檔案"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "選擇會員,忽略導入附件"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "成功了,使用愉快!"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACP將匯出可以包含到主題中的PHP程式碼"

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable "
#~ "field groups. This is useful for including fields in themes."
#~ msgstr ""
#~ "已註冊欄位<b>不會</b>出現在可編輯分組中,這對主題中包含的欄位非常有用。"

#~ 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 ""
#~ "請注意,如果在同一個網站匯出並註冊欄位群組,您會在您的編輯屏幕上看到重複的"
#~ "字段,為瞭解決這個問題,請將原欄位群組移動到回收桶或刪除您的functions.php"
#~ "檔案中的程式碼。"

#~ msgid "Select field group(s) from the list and click \"Create PHP\""
#~ msgstr "參加列表中選擇表單組,然後點擊 \"生成PHP\""

#~ msgid "Copy the PHP code generated"
#~ msgstr "複製生成的PHP程式碼。"

#~ msgid "Paste into your functions.php file"
#~ msgstr "請插入您的function.php檔案"

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr "要啟用附加組件,編輯和應用程式碼中的前幾行。"

#~ msgid "Notes"
#~ msgstr "注意"

#~ 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 ""
#~ "欄位外掛可以包含到主題中,如果需要進行此操作,請移動欄位外掛到themes檔案夾"
#~ "並新增以下程式碼到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 you functions.php "
#~ "file <b>before</b> the include_once code:"
#~ msgstr ""
#~ "要刪除所有ACF外掛的可視化介面,你可以用一個常數,使精簡版模式,將下面的代"
#~ "碼新增到functions.php檔案中include_once程式碼<b>之前</b>。"

#~ msgid "Back to export"
#~ msgstr "返回到匯出器"

#~ msgid ""
#~ "/**\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"
#~ " *  \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"
#~ " *  \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"
#~ " *  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"
#~ " */"
#~ msgstr ""
#~ "/ **\n"
#~ " *安裝附加組件\n"
#~ " *\n"
#~ " *下面的程式碼將包括所有4個高級附加組件到您的主題\n"
#~ " *請不要試圖包含一個不存在的檔案,這將產生一個錯誤。\n"
#~ " *\n"
#~ " *所有欄位都必須在'acf/register_fields'動作執行時包含。\n"
#~ " *其他類型的加載項(如選項頁)可以包含在這個動作之外。\n"
#~ " *\n"
#~ " *下面的程式碼假定你在你的主題裡面有一個“add-ons”檔案夾。\n"
#~ " *\n"
#~ " *重要\n"
#~ " *附加組件可能在一個高級主題中包含下面的條款及條件。\n"
#~ " *但是,他們都沒有被列入高級或免費外掛。\n"
#~ " *欲瞭解更多信息,請讀取http://www.advancedcustomfields.com/terms-"
#~ "conditions/\n"
#~ " */"

#~ msgid ""
#~ "/**\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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * 註冊欄位群組\n"
#~ " *\n"
#~ " * register_field_group函數接受一個包含註冊欄位群組有關數據的數組\n"
#~ " *您可以編輯您認為合適的數組,然而,如果數組不相容ACF,這可能會導致錯誤\n"
#~ " */"

#~ msgid "Vote"
#~ msgstr "投票"

#~ msgid "Follow"
#~ msgstr "關注"

#~ 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 ""
#~ "附加組件現在通過下載和安裝單獨的外掛啟用,雖然這些外掛不在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 "此站點使用的高級功能需要下載。"

#~ 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 "Easier Development"
#~ msgstr "快速開發"

#~ msgid "New Field Types"
#~ msgstr "新欄位類型"

#~ msgid "Email Field"
#~ msgstr "電子郵件欄位"

#~ msgid "Password Field"
#~ msgstr "密碼欄位"

#~ msgid "Custom Field Types"
#~ 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 "Migrating your field types is easy, please"
#~ msgstr "數據遷移非常簡單,請"

#~ msgid "follow this tutorial"
#~ msgstr "跟隨這個嚮導"

#~ msgid "to learn more."
#~ msgstr "瞭解更多。"

#~ msgid "Actions &amp; Filters"
#~ msgstr "動作&amp;過濾器"

#~ msgid ""
#~ "All actions & filters have recieved a major facelift to make customizing "
#~ "ACF even easier! Please"
#~ msgstr "所有動作和過濾器得到了一次重大改版一遍更方便的定製ACF!請"

#~ msgid "read this guide"
#~ msgstr "閱讀此嚮導"

#~ msgid "to find the updated naming convention."
#~ msgstr "找到更新命名約定。"

#~ msgid "Preview draft is now working!"
#~ msgstr "預覽功能已經可用!"

#~ msgid "This bug has been squashed along with many other little critters!"
#~ msgstr "這個錯誤已經與許多其他小動物一起被壓扁了!"

#~ msgid "See the full changelog"
#~ msgstr "檢視全部更新日誌"

#~ msgid "Database Changes"
#~ msgstr "資料庫改變"

#~ msgid ""
#~ "Absolutely <strong>no</strong> 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之間<strong>沒有</strong>任何修改,這意味你可以安全回滾到"
#~ "版本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 "Migrating from v3 to v4"
#~ msgstr "從V3遷移到V4"

#~ msgid "guide to view the full list of changes."
#~ msgstr "檢視所有更新列表。"

#~ msgid "Really Important!"
#~ msgstr "非常重要!"

#~ msgid ""
#~ "If you updated the ACF plugin without prior knowledge of such changes, "
#~ "Please roll back to the latest"
#~ msgstr "如果你沒有收到更新通知而升級到了ACF外掛,請回滾到最近的一個版本。"

#~ msgid "version 3"
#~ msgstr "版本 3"

#~ msgid "of this plugin."
#~ msgstr "這個外掛"

#~ msgid "Thank You"
#~ msgstr "謝謝!"

#~ msgid ""
#~ "A <strong>BIG</strong> 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 "沒有你們,此版本可能還沒有發佈。"

#~ msgid "Changelog for"
#~ msgstr "更新日誌:"

#~ msgid "Learn more"
#~ msgstr "瞭解更多"

#~ 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 ""
#~ "在此之前,所有附加組件通過一個啟用碼(從ACF附加組件的商店購買)解鎖,到了"
#~ "版本V4,所有附加組件作為單獨的外掛下載,安裝和更新。"

#~ 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."
#~ msgstr "在此網站上檢測到以下附加已啟用。"

#~ msgid "Activation Code"
#~ msgstr "啟用碼"

#~ msgid "Installation"
#~ msgstr "安裝"

#~ msgid "For each Add-on available, please perform the following:"
#~ msgstr "對於每個可以用附加組件,請執行以下操作:"

#~ msgid "Download the Add-on plugin (.zip file) to your desktop"
#~ msgstr "下載附加功能(.zip檔案)到電腦。"

#~ msgid "Navigate to"
#~ msgstr "連結到"

#~ msgid "Plugins > Add New > Upload"
#~ msgstr "外掛>新增>上傳"

#~ 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 "The Add-on is now installed and activated!"
#~ msgstr "附加功能已安裝並啟用。"

#~ msgid "Awesome. Let's get to work"
#~ msgstr "太棒了!我們開始吧。"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "修改欄位群組選項'在頁面上顯示'"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "修改欄位選項'分類法'"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr "從wp_options移動會員自訂欄位到wp_usermeta"

#~ msgid "blue : Blue"
#~ msgstr " blue : Blue "

#~ msgid "eg: #ffffff"
#~ msgstr "如: #ffffff "

#~ msgid "Dummy"
#~ msgstr "二進製"

#~ msgid "File Object"
#~ msgstr "檔案對象"

#~ msgid "File Updated."
#~ msgstr "檔案已更新"

#~ msgid "Media attachment updated."
#~ msgstr "媒體附件已更新。"

#~ msgid "Add Selected Files"
#~ msgstr "新增已選擇檔案"

#~ msgid "Image Object"
#~ msgstr "對象圖像"

#~ msgid "Image Updated."
#~ msgstr "圖片已更新"

#~ msgid "No images selected"
#~ msgstr "沒有選擇圖片"

#~ msgid "Add Selected Images"
#~ msgstr "新增所選圖片"

#~ msgid "Text &amp; HTML entered here will appear inline with the fields"
#~ msgstr "在這裡輸入的文本和HTML將和此欄位一起出現。"

#~ msgid "Enter your choices one per line"
#~ msgstr "輸入選項,每行一個"

#~ msgid "Red"
#~ msgstr "紅"

#~ msgid "Blue"
#~ msgstr "藍"

#~ msgid "Post Type Select"
#~ msgstr "文章類型選擇"

#~ msgid "You can use multiple tabs to break up your fields into sections."
#~ msgstr "你可以使用選項卡分割欄位到多個區域。"

#~ msgid "Define how to render html tags"
#~ msgstr "定義怎麼生成html標簽"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "定義怎麼處理html標簽和換行"

#~ 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\" 是最常用的格式,如需瞭解更多,請參考"

#~ msgid "jQuery date formats"
#~ msgstr "jQuery日期格式"

#~ 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 "欄位順序"

#~ msgid "Edit this Field"
#~ msgstr "編輯欄位"

#~ msgid "Docs"
#~ msgstr "文檔"

#~ msgid "Field Instructions"
#~ msgstr "欄位說明"

#~ msgid "Show this field when"
#~ msgstr "符合這些規則中的"

#~ msgid "all"
#~ msgstr "所有"

#~ msgid "any"
#~ msgstr "任一個"

#~ msgid "these rules are met"
#~ msgstr "項時,顯示此欄位"

#~ msgid "Taxonomy Term (Add / Edit)"
#~ msgstr "分類法條目(新增/編輯)"

#~ msgid "Media Attachment (Edit)"
#~ msgstr "媒體附件(編輯)"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "使用啟用碼解鎖附加功能"

#~ msgid "Normal"
#~ msgstr "普通"

#~ msgid "No Metabox"
#~ msgstr "無Metabox"

#~ msgid "Add-Ons"
#~ msgstr "附加"

#~ msgid "Just updated to version 4?"
#~ msgstr "剛更新到版本4?"

#~ msgid ""
#~ "Activation codes have changed to plugins! Download your purchased add-ons"
#~ msgstr "啟用碼已改變了外掛,請下載已購買的附加功能。"

#~ msgid "here"
#~ msgstr "這裡"

#~ msgid "match"
#~ msgstr "符合"

#~ msgid "of the above"
#~ msgstr "  "

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr "閱讀文檔,學習功能和發現一些小提示,然後應用到你下一個網站項目中。"

#~ msgid "Visit the ACF website"
#~ msgstr "訪問ACF網站"

#~ msgid "Add File to Field"
#~ msgstr "新增檔案"

#~ msgid "Add Image to Field"
#~ msgstr "新增圖片"

#~ msgid "Repeater field deactivated"
#~ msgstr "檢測到複製欄位"

#~ msgid "Gallery field deactivated"
#~ msgstr "檢測到相簿欄位"

#~ msgid "Repeater field activated"
#~ msgstr "複製外掛已啟用。"

#~ msgid "Options page activated"
#~ msgstr "選項頁面已啟用"

#~ msgid "Flexible Content field activated"
#~ msgstr "多樣內容欄位已啟用"

#~ msgid "Gallery field activated"
#~ msgstr "外掛啟用成功。"

#~ msgid "License key unrecognised"
#~ msgstr "許可密鑰未註冊"

#~ msgid ""
#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used "
#~ "on multiple sites."
#~ msgstr "可以購買一個許可證來啟用附加功能,每個許可證可用於許多站點。"

#~ msgid "Register Field Groups"
#~ msgstr "註冊欄位群組"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "高級自動設定"

#~ msgid "requires a database upgrade"
#~ msgstr "資料庫需要升級"

#~ msgid "why?"
#~ msgstr "為什麼?"

#~ msgid "Please"
#~ msgstr "請"

#~ msgid "backup your database"
#~ msgstr "備份資料庫"

#~ msgid "then click"
#~ msgstr "然後點擊"

#~ msgid "No choices to choose from"
#~ msgstr "選擇表單沒有選"

#~ msgid "+ Add Row"
#~ msgstr "新增行"

#~ msgid ""
#~ "No fields. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."
#~ msgstr "沒有欄位,點擊<strong>新增</strong>按鈕建立第一個欄位。"

#~ msgid "Close Sub Field"
#~ msgstr "選擇子欄位"

#~ msgid "+ Add Sub Field"
#~ msgstr "新增子欄位"

#~ msgid "Thumbnail is advised"
#~ msgstr "建設使用縮略圖"

#~ msgid "Image Updated"
#~ msgstr "圖片已更新"

#~ msgid "Grid"
#~ msgstr "柵格"

#~ msgid "List"
#~ msgstr "列表"

#~ msgid "1 image selected"
#~ msgstr "已選擇1張圖片"

#~ msgid "{count} images selected"
#~ msgstr "選擇了 {count}張圖片"

#~ msgid "Added"
#~ msgstr "已新增"

#~ msgid "Image already exists in gallery"
#~ msgstr "圖片已在相簿中"

#~ msgid "Repeater Fields"
#~ msgstr "複製欄位"

#~ msgid "Table (default)"
#~ msgstr "表格(預設)"

#~ msgid "Run filter \"the_content\"?"
#~ msgstr "是否運行過濾器 \"the_content\"?"

#~ msgid "Media (Edit)"
#~ msgstr "媒體(編輯)"
PK�
�[H��nu�u�lang/acf-pt_BR.ponu�[���msgid ""
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: 2018-02-06 10:06+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Augusto Simão <augusto@ams.art.br>\n"
"Language: pt_BR\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 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-Textdomain-Support: yes\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Grupos de Campos"

#: acf.php:370
msgid "Field Group"
msgstr "Grupo de Campos"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New"
msgstr "Adicionar Novo"

#: acf.php:372
msgid "Add New Field Group"
msgstr "Adicionar Novo Grupo de Campos"

#: acf.php:373
msgid "Edit Field Group"
msgstr "Editar Grupo de Campos"

#: acf.php:374
msgid "New Field Group"
msgstr "Novo Grupo de Campos"

#: acf.php:375
msgid "View Field Group"
msgstr "Ver Grupo de Campos"

#: acf.php:376
msgid "Search Field Groups"
msgstr "Pesquisar Grupos de Campos"

#: acf.php:377
msgid "No Field Groups found"
msgstr "Nenhum Grupo de Campos encontrado"

#: acf.php:378
msgid "No Field Groups found in Trash"
msgstr "Nenhum Grupo de Campos encontrado na Lixeira"

#: 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
msgid "Fields"
msgstr "Campos"

#: acf.php:402
msgid "Field"
msgstr "Campo"

#: acf.php:404
msgid "Add New Field"
msgstr "Adicionar Novo Campo"

#: acf.php:405
msgid "Edit Field"
msgstr "Editar Campo"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Novo Campo"

#: acf.php:407
msgid "View Field"
msgstr "Ver Campo"

#: acf.php:408
msgid "Search Fields"
msgstr "Pesquisar Campos"

#: acf.php:409
msgid "No Fields found"
msgstr "Nenhum Campo encontrado"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "Nenhum Campo encontrado na Lixeira"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inativo"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Ativo <span class=\"count\">(%s)</span>"
msgstr[1] "Ativos <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Grupo de campos atualizado"

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Grupo de campos excluído."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Grupo de campos publicado."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Grupo de campos salvo."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Grupo de campos enviado."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Grupo de campos agendando."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Rascunho do grupo de campos atualizado."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Localização"

#: includes/admin/admin-field-group.php:184
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Configurações"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Mover para a lixeira. Você tem certeza?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "selecionado"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Nenhum campo de opções disponível"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "O título do grupo de campos é obrigatório"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "copiar"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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
msgid "or"
msgstr "ou"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Campos superiores"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Campos do mesmo grupo"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Mover Campo Personalizado"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Este campo não pode ser movido até que suas alterações sejam salvas"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Vazio"

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "As alterações feitas serão perdidas se você sair desta página"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "O termo “field_” não pode ser utilizado no início do nome de um campo"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Chaves dos Campos"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Ativo"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Movimentação realizada."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "O campo %s pode agora ser encontrado no grupo de campos %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Fechar Janela"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Selecione o destino para este campo"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Mover Campo"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Ativo <span class=\"count\">(%s)</span>"
msgstr[1] "Ativos <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Grupo de campos duplicado. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s grupo de campos duplicado."
msgstr[1] "%s grupos de campos duplicados."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Grupo de campos sincronizado. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s grupo de campos sincronizado."
msgstr[1] "%s grupos de campos sincronizados."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Sincronização disponível"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Título"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Descrição"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Personalize o WordPress com campos personalizados profissionais, poderosos e "
"intuitivos."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Registro de alterações"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Veja o que há de novo na <a href=\"%s\">versão %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Recursos (em inglês)"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Website"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Documentação"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Suporte"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Profissional"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Obrigado por criar com <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Duplicar este item"

#: 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
msgid "Duplicate"
msgstr "Duplicar"

#: 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 "Pesquisa"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Selecionar %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Sincronizar grupo de campos"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Sincronizar"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Aplicar"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Ações em massa"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Ferramentas"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Campos Personalizados"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Atualizar Banco de Dados"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Revisar sites e atualizar"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Erro ao validar solicitação"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Nenhuma atualização disponível."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Complementos"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Erro</b>. Não foi possível carregar a lista de complementos"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informações"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "O que há de novo"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Exportar Grupos de Campos"

#: 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 ""

#: 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 "Nenhum grupo de campos selecionado"

#: 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] "Exportado 1 grupo de campos"
msgstr[1] "Importados %s grupos de campos"

#: 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 "Selecionar Grupo de Campos"

#: 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 ""
"Selecione os grupos de campos que deseja exportar e escolha o método de "
"exportação. Para exportar um arquivo do tipo .json (que permitirá a "
"importação dos grupos em uma outra instalação do ACF) utilize o botão de "
"download. Para obter o código em PHP (que você poderá depois inserir em seu "
"tema), utilize o botão de gerar o código."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Exportar arquivo"

#: 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 ""
"O código a seguir poderá ser usado para registrar uma versão local do(s) "
"grupo(s) de campo selecionado(s). Um grupo de campos local pode fornecer "
"muitos benefícios, tais como um tempo de carregamento mais rápido, controle "
"de versão e campos/configurações dinâmicas. Basta copiar e colar o seguinte "
"código para o arquivo functions.php do seu tema ou incluí-lo dentro de um "
"arquivo externo."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importar Grupos de Campos"

#: 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 ""
"Selecione o arquivo JSON do Advanced Custom Fields que deseja importar. "
"Depois de clicar no botão importar abaixo, o ACF fará a importação dos "
"grupos de campos."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "Selecionar Arquivo"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Importar arquivo"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:159
msgid "No file selected"
msgstr "Nenhum arquivo selecionado"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Erro ao realizar o upload do arquivo. Tente novamente"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Tipo de arquivo incorreto"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Arquivo de importação vazio"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Importado 1 grupo de campos"
msgstr[1] "Importados %s grupos de campos"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Condições para exibição"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Mostrar este campo se"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "é igual a"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "não é igual a"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "e"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Adicionar grupo de regras"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Arraste para reorganizar"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Editar campo"

#: includes/admin/views/field-group-field.php:48
#: 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
msgid "Edit"
msgstr "Editar"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Duplicar campo"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Mover campo para outro grupo"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Mover"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Excluir campo"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete"
msgstr "Excluir"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Rótulo do Campo"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Este é o nome que irá aparecer na página de EDIÇÃO"

#: includes/admin/views/field-group-field.php:77
msgid "Field Name"
msgstr "Nome do Campo"

#: includes/admin/views/field-group-field.php:78
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Uma única palavra, sem espaços. Traço inferior (_) e traços (-) permitidos"

#: includes/admin/views/field-group-field.php:87
msgid "Field Type"
msgstr "Tipo de Campo"

#: includes/admin/views/field-group-field.php:98
msgid "Instructions"
msgstr "Instruções"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instrução para os autores. Exibido quando se está enviando dados"

#: includes/admin/views/field-group-field.php:108
msgid "Required?"
msgstr "Obrigatório?"

#: includes/admin/views/field-group-field.php:131
msgid "Wrapper Attributes"
msgstr "Atributos do Wrapper"

#: includes/admin/views/field-group-field.php:137
msgid "width"
msgstr "largura"

#: includes/admin/views/field-group-field.php:152
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:165
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:177
msgid "Close Field"
msgstr "Fechar Campo"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordem"

#: 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
msgid "Label"
msgstr "Rótulo"

#: 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
msgid "Name"
msgstr "Nome"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Chave"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tipo"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Nenhum campo. Clique no botão <strong>+ Adicionar Campo</strong> para criar "
"seu primeiro campo."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Adicionar Campo"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regras"

#: 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 ""
"Crie um conjunto de regras para determinar quais telas de edição utilizarão "
"estes campos personalizados"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Estilo"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Padrão (metabox do WP)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Sem bordas (sem metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posição"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Superior (depois do título)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (depois do editor de conteúdo)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Lateral"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Posicionamento do rótulo"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Alinhado ao Topo"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Alinhado à Esquerda"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Posicionamento das instruções"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Abaixo dos rótulos"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Abaixo dos campos"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Nº. de Ordem"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Grupos de campos com a menor numeração aparecerão primeiro"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Exibido na lista de grupos de campos"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Ocultar na tela"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Selecione</b> os itens que deverão ser <b>ocultados</b> da tela de edição"

#: 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 ""
"Se vários grupos de campos aparecem em uma tela de edição, as opções do "
"primeiro grupo de campos é a que será utilizada (aquele com o menor número "
"de ordem)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Link permanente"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Editor de Conteúdo"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Resumo"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Discussão"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Comentários"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revisões"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Formato"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Atributos da Página"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "Imagem Destacada"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Categorias"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Tags"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Enviar Trackbacks"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Mostrar este grupo de campos se"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Revisar sites e atualizar"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Atualização do Banco de Dados do Advanced Custom Fields"

#: 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."
msgstr ""
"O banco de dados dos sites abaixo precisam ser atualizados. Verifique os que "
"você deseja atualizar e clique %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Site"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Site requer atualização do banco de dados da versão %s para %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Site está atualizado"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Atualização do Banco de Dados realizada. <a href=\"%s\">Retornar para o "
"painel da rede</a>"

#: 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 ""
"É altamente recomendado fazer um backup do seu banco de dados antes de "
"continuar. Você tem certeza que deseja atualizar agora?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Atualização realizada"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Atualizando os dados para a versão %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Repetidor"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Conteúdo Flexível"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galeria"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Página de Opções"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Atualização do Banco de Dados Necessária"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Obrigado por atualizar para o %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 ""
"Antes de começar a utilizar as novas e incríveis funcionalidades, por favor "
"atualize seus banco de dados para a versão mais recente."

#: 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 ""
"Certifique-se que todos os complementos premium (%s) foram atualizados para "
"a última versão."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Lendo as tarefas de atualização…"

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Atualização do banco de dados concluída. <a href=\"%s\">Veja o que há de "
"novo</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Fazer Download e Instalar"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalado"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bem-vindo ao Advanced Custom Fields"

#: 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 ""
"Obrigado por atualizar! O ACF %s está maior e melhor do que nunca. Esperamos "
"que você goste."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Uma experiência de uso mais simples e mais agradável"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Melhoria da Usabilidade"

#: 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 ""
"Incluir a popular biblioteca Select2 nos possibilitou aperfeiçoar a "
"usabilidade e a performance de diversos tipos de campos, como o objeto do "
"post, link da página, taxonomias e seleções."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Melhorias no Design"

#: 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 ""
"Muitos campos passaram por uma atualização visual para tornar o ACF mais "
"bonito do que nunca! As mudanças mais visíveis podem ser vistas na galeria, "
"no campo de relação e no novo campo oEmbed!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Aprimoramento dos Dados"

#: 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 ""
"Ao redefinir a arquitetura de dados promovemos mais autonomia aos sub "
"campos, que podem agora funcionar de forma mais independente e serem "
"arrastados e reposicionados entre diferentes campos."

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Adeus Complementos. Olá PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Apresentando o ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Estamos mudando a forma como as funcionalidades premium são disponibilizadas "
"para um modo ainda melhor!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Todos os 4 add-ons premium foram combinados na nova <a href=“%s”>versão Pro "
"do ACF</a>. Com licenças pessoais e para desenvolvedores, as funcionalidades "
"premium estão mais acessíveis do que nunca!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Funcionalidades poderosas"

#: 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 ""
"O ACF PRO contém funcionalidades incríveis como o campo de dados "
"repetitivos, layouts de conteúdo flexíveis, um belíssimo campo de galeria e "
"a capacidade de criar páginas de opções adicionais!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr ""
"Leia mais sobre as <a href=“%s”>funcionalidades do ACF PRO</a> (em inglês)."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Fácil Atualização"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Para facilitar a atualização, <a href=“%s”>faça o login na sua conta</a> e "
"solicite sua cópia gratuita do ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Também escrevemos um <a href=“%s”>guia de atualização</a> (em inglês) para "
"esclarecer qualquer dúvida, mas se você tiver alguma questão, entre em "
"contato com nosso time de suporte através do <a href=“%s”>help desk</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Nos bastidores"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Definições de campo mais inteligentes"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "O ACF agora salva as definições dos campos como posts individuais"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Mais AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Mais campos utilizam pesquisas em AJAX para acelerar o carregamento da página"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "JSON Local"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr ""
"Melhor performance com a nova funcionalidade de exportação automática para "
"JSON"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Melhor controle de versões"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"A nova função de exportação automática para JSON permite que as definições "
"do campo sejam controladas por versão"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Troca de XML para JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr ""
"As funcionalidades de Importar/ Exportar agora utilizam JSON ao invés de XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Novos espaços de Formulários"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Os Campos agora podem ser inseridos nos comentários, widgets e em todos os "
"formulários de usuários!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Foi adicionado o novo campo oEmbed para incorporar conteúdo"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nova Galeria"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "O campo de Galeria passou por uma transformação muito necessária"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Novas Definições"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Opções de posicionamento do rótulo e da instrução foram adicionadas aos "
"grupos de campos"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Formulários Frontend aperfeiçoados"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "A função acf_form() agora pode criar um novo post ao ser utilizada"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Melhor Validação"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"A validação dos formulários agora é feita através de PHP + AJAX ao invés de "
"apenas JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Campo de Relação"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Nova função de ‘Filtro’ (Busca, Tipo de Post, Taxonomia) para o campo de "
"Relação"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Movimentação de Campos"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"O novo recurso agora permite que você mova um campo entre diferentes grupos "
"grupos (e até mesmo outros campos)"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Link da Página"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Nova opção de selecionar Arquivos no campo de Link da Página"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Páginas de Opções aperfeiçoadas"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Novas funções para as páginas de opções permitem a criação tanto de páginas "
"principais quanto de sub-páginas"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Achamos que você vai adorar as mudanças na versão %s."

#: includes/api/api-helpers.php:858
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:859
msgid "Medium"
msgstr "Média"

#: includes/api/api-helpers.php:860
msgid "Large"
msgstr "Grande"

#: includes/api/api-helpers.php:909
msgid "Full Size"
msgstr "Tamanho Original"

#: includes/api/api-helpers.php:1250 includes/api/api-helpers.php:1823
#: pro/fields/class-acf-field-clone.php:992
msgid "(no title)"
msgstr "(sem título)"

#: includes/api/api-helpers.php:3880
#, php-format
msgid "Image width must be at least %dpx."
msgstr "A largura da imagem deve ter pelo menos %dpx."

#: includes/api/api-helpers.php:3885
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "A largura da imagem não pode ser maior que %dpx."

#: includes/api/api-helpers.php:3901
#, php-format
msgid "Image height must be at least %dpx."
msgstr "A altura da imagem deve ter pelo menos %dpx."

#: includes/api/api-helpers.php:3906
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "A altura da imagem não pode ser maior que %dpx."

#: includes/api/api-helpers.php:3924
#, php-format
msgid "File size must be at least %s."
msgstr "O tamanho do arquivo deve ter pelo menos %s."

#: includes/api/api-helpers.php:3929
#, php-format
msgid "File size must must not exceed %s."
msgstr "O tamanho do arquivo não pode ser maior que %s."

#: includes/api/api-helpers.php:3963
#, php-format
msgid "File type must be %s."
msgstr "O tipo de arquivo deve ser %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Básico"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Conteúdo"

#: includes/fields.php:146
msgid "Choice"
msgstr "Escolha"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relacional"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: 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-repeater.php:450
msgid "Layout"
msgstr "Layout"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Tipo de campo não existe"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Desconhecido"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Acordeão"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Abrir"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Exibe esse acordeão como aberto ao carregar a página."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Expansão-multipla"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others. "
msgstr "Permite que esse acordeão abra sem fechar os outros."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Ponto final"

#: 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 ""
"Define um ponto final para que o acordeão anterior pare. Esse acordeão não "
"será visível."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Grupo de botões"

#: 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 "Escolhas"

#: 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 "Digite cada opção em uma nova linha."

#: 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 ""
"Para mais controle, você pode especificar tanto os valores quanto os "
"rótulos, como nos exemplos:"

#: 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 "vermelho : Vermelho"

#: 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 "Permitir Nulo?"

#: 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 "Valor Padrão"

#: 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 "Aparece quando o novo post é criado"

#: 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"

#: 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 "Valor Retornado"

#: 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 "Especifique a forma como os valores serão retornados no front-end"

#: 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 "Valor"

#: 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 "Ambos (Array)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Checkbox"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Selecionar Tudo"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Adicionar nova opção"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Permitir personalização"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Permite adicionar valores personalizados"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Salvar personalização"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Salva valores personalizados nas opções do campo"

#: 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 "Digite cada valor padrão em uma nova linha"

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr "Selecionar Tudo"

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Incluir um checkbox adicional que marca (ou desmarca) todas as opções"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Seletor de Cor"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Limpar"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Padrão"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Selecionar Cor"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Cor Atual"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Seletor de Data"

#: includes/fields/class-acf-field-date_picker.php:33
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Concluído"

#: includes/fields/class-acf-field-date_picker.php:34
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Hoje"

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Próximo"

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Anterior"

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Sem"

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Formato de Exibição"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "O formato que será exibido ao editar um post"

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Customizado:"

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr "Salvar formato"

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr "O formato usado ao salvar um valor"

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "Formato dos Dados"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 "O formato que será retornado através das funções de template"

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "Semana começa em"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Seletor de Data e Hora"

#: includes/fields/class-acf-field-date_time_picker.php:33
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Selecione a hora"

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuto"

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Segundo"

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milissegundo"

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microssegundo"

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fuso Horário"

#: includes/fields/class-acf-field-date_time_picker.php:41
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Agora"

#: includes/fields/class-acf-field-date_time_picker.php:42
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Pronto"

#: includes/fields/class-acf-field-date_time_picker.php:43
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Selecionar"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Email"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Texto Placeholder"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Texto que aparecerá dentro do campo (até que algo seja digitado)"

#: 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:187
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Prefixo"

#: 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:188
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Texto que aparecerá antes do campo"

#: 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:196
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Sufixo"

#: 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:197
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Texto que aparecerá após o campo"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Arquivo"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "Editar Arquivo"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "Atualizar Arquivo"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Anexado ao post"

#: includes/fields/class-acf-field-file.php:130
msgid "File name"
msgstr "Nome do arquivo"

#: 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
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Tamanho"

#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Remover"

#: includes/fields/class-acf-field-file.php:159
msgid "Add File"
msgstr "Adicionar Arquivo"

#: includes/fields/class-acf-field-file.php:210
msgid "File Array"
msgstr "Array do arquivo"

#: includes/fields/class-acf-field-file.php:211
msgid "File URL"
msgstr "URL do Arquivo"

#: includes/fields/class-acf-field-file.php:212
msgid "File ID"
msgstr "ID do Arquivo"

#: 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 "Biblioteca"

#: 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 "Limitar a escolha da biblioteca de mídia"

#: 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
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Todos"

#: 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 "Anexado ao post"

#: 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 "Mínimo"

#: includes/fields/class-acf-field-file.php:234
#: includes/fields/class-acf-field-file.php:245
msgid "Restrict which files can be uploaded"
msgstr "Limita o tamanho dos arquivos que poderão ser carregados"

#: 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 "Máximo"

#: 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 "Tipos de arquivos permitidos"

#: 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"
msgstr ""
"Lista separada por vírgulas. Deixe em branco para permitir todos os tipos"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Mapa do Google"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "Localizando"

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "O seu navegador não suporta o recurso de geolocalização"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "Limpar a localização"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr "Encontre a localização atual"

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "Pesquisar endereço…"

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "Centro"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "Centro inicial do mapa"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "Definir o nível do zoom inicial"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Altura"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "Personalizar a altura do mapa"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Grupo"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "Sub Campos"

#: includes/fields/class-acf-field-group.php:475
#: pro/fields/class-acf-field-clone.php:840
msgid "Specify the style used to render the selected fields"
msgstr "Especifique o estilo utilizado para exibir os campos selecionados"

#: 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-repeater.php:458
msgid "Block"
msgstr "Bloco"

#: 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-repeater.php:457
msgid "Table"
msgstr "Tabela"

#: 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-repeater.php:459
msgid "Row"
msgstr "Linha"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Imagem"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "Selecionar Imagem"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Editar Imagem"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Atualizar Imagem"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "Todas as imagens"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Nenhuma imagem selecionada"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Adicionar Imagem"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Array da Imagem"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "URL da Imagem"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "ID da Imagem"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Tamanho da Pré-visualização"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Exibido ao inserir os dados"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Limita as imagens que poderão ser carregadas"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Largura"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Selecionar Link"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Abre em uma nova janela/aba"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Array do Link"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL do Link"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mensagem"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Novas Linhas"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Controla como as novas linhas são renderizadas"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Adicionar parágrafos automaticamente"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Adicionar &lt;br&gt; automaticamente"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Sem Formatação"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Ignorar HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Permitir que a marcação HTML seja exibida como texto ao invés de ser "
"renderizada"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Número"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:157
msgid "Minimum Value"
msgstr "Valor Mínimo"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:167
msgid "Maximum Value"
msgstr "Valor Máximo"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:177
msgid "Step Size"
msgstr "Tamanho das frações"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "O valor deve ser um número"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "O valor deve ser igual ou maior que %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "O valor deve ser igual ou menor que %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "Digite a URL"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Erro."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr "Nenhuma mídia incorporada encontrada na URL fornecida."

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "Tamanho da Mídia incorporada"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arquivos"

#: 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 "Página de Nível mais Alto (sem mãe)"

#: 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
msgid "Filter by Post Type"
msgstr "Filtrar por Tipo de Post"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "Todos os tipos de posts"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "Filtrar por Taxonomia"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr "Todas as taxonomias"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Permitir URLs do Arquivo"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "Selecionar vários valores?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Senha"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr "Objeto do Post"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "ID do Post"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Botão de Rádio"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Outro"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""
"Adicionar uma opção ‘Outro’ para permitir a inserção de valores "
"personalizados"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Salvar Outro"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr ""
"Salvar os valores personalizados inseridos na opção ‘Outros’ na lista de "
"escolhas do campo"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Faixa"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relação"

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr "Quantidade mínima atingida ( {min} item(s) )"

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr "Quantidade máxima atingida ( {max} item(s) )"

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "Carregando"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr "Nenhuma correspondência encontrada"

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "Selecione o tipo de post"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "Selecione a taxonomia"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "Pesquisar…"

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "Filtros"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tipo de Post"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "Taxonomia"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "Elementos"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr "Os elementos selecionados serão exibidos em cada resultado do filtro"

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr "Qtde. mínima de posts"

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "Qtde. máxima de posts"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s requer a seleção de ao menos %s item"
msgstr[1] "%s requer a seleção de ao menos %s itens"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Seleção"

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Um resultado localizado, pressione Enter para selecioná-lo."

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"%d resultados localizados, utilize as setas para cima ou baixo para navegar."

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nenhuma correspondência encontrada"

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Digite 1 ou mais caracteres"

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Digite %d ou mais caracteres"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Apague 1 caractere"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Apague %d caracteres"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Você pode selecionar apenas 1 item"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Você pode selecionar apenas %d itens"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Carregando mais resultados&hellip;"

#: includes/fields/class-acf-field-select.php:48
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Pesquisando&hellip;"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Falha ao carregar"

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Selecionar"

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Interface do campo aprimorada"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "Utilizar AJAX para carregar opções?"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr "Especifique a forma como os valores serão retornados"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Separador"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Aba"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Posicionamento"

#: 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 ""
"Utilizar este campo como um ponto final e iniciar um novo grupo de abas."

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Sem %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Nenhuma"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr "Selecione a taxonomia que será exibida"

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Aparência"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr "Selecione a aparência deste campo"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Vários valores"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Seleção Múltipla"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "Um único valor"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Botões de Rádio"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Criar Termos"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr "Permite que novos termos sejam criados diretamente na tela de edição"

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Salvar Termos"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr "Atribui e conecta os termos selecionados ao post"

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Carregar Termos"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr "Carrega os termos que estão atribuídos ao post"

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Objeto do Termo"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "ID do Termo"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr "Usuário incapaz de adicionar novo(a) %s"

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr "%s já existe"

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr "%s adicionado(a)"

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr "Adicionar"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Texto"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limite de Caracteres"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Deixe em branco para nenhum limite"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Área de Texto"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Linhas"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Define a altura da área de texto"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Seletor de Hora"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Verdadeiro / Falso"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Sim"

#: 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 "Não"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Exibe texto ao lado da caixa de seleção"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "No Texto"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Texto exibido quando ativo"

#: includes/fields/class-acf-field-true_false.php:165
msgid "Off Text"
msgstr "Fora do texto"

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr "Texto exibido quando inativo"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Você deve fornecer uma URL válida"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Usuário"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "Filtrar por função"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "Todas as funções de usuários"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Editor Wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Visual"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Texto"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr "Clique para inicializar o TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Abas"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Visual & Texto"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Apenas Visual"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Apenas Texto"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Barra de Ferramentas"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Mostrar Botões de Upload de Mídia?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr "Atrasar a inicialização?"

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE não será iniciado até que o campo seja clicado"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Editar Grupo de Campos"

#: includes/forms/form-front.php:55
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
msgid "Update"
msgstr "Atualizar"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Post atualizado"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam Detectado"

#: includes/input.php:259
msgid "Expand Details"
msgstr "Expandir Detalhes"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "Recolher Detalhes"

#: includes/input.php:261
msgid "Validation successful"
msgstr "Validação realizada com sucesso"

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Falha na validação"

#: includes/input.php:263
msgid "1 field requires attention"
msgstr "1 campo requer sua atenção"

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr "%d campos requerem sua atenção"

#: includes/input.php:265
msgid "Restricted"
msgstr "Restrito"

#: includes/input.php:266
msgid "Are you sure?"
msgstr "Você tem certeza?"

#: includes/input.php:270
msgid "Cancel"
msgstr "Cancelar"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Post"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Página"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formulários"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Anexo"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Todos %s formatos"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Comentário"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Função do Usuário atual"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Admin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Usuário atual"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Logado"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Visualizando a parte pública do site (front-end)"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Visualizando a parte administrativa do site (back-end)"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Item do menu"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Localização do menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menus"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Página Mãe"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Modelo de Página"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Modelo Padrão"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipo de Página"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "Página Inicial"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "Página de Posts"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr "Página de Nível mais Alto (sem mãe)"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "Página Mãe (tem filhas)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "Página Filha (possui mãe)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoria de Post"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formato de Post"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Status do Post"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomia de Post"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Modelo de Postagem"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Termo da Taxonomia"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Formulário do Usuário"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Adicionar / Editar"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registrar"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Função do Usuário"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Editar"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Atualizar"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "É necessário preencher o campo %s"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Publicar"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Nenhum Grupo de Campos Personalizados encontrado para esta página de opções. "
"<a href=\"%s\">Criar um Grupo de Campos Personalizado</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Erro</b>. Não foi possível conectar ao servidor de atualização"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Atualizações"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Desativar Licença"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Ativar Licença"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informações da Licença"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Para desbloquear as atualizações, digite sua chave de licença abaixo. Se "
"você não possui uma licença, consulte os <a href=\"%s\" target=\"_blank"
"\">detalhes e preços</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Chave de Licença"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informações de Atualização"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Versão Atual"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Versão mais Recente"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Atualização Disponível"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Atualizar Plugin"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Digite sua chave de licença acima para desbloquear atualizações"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Verificar Novamente"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Aviso de Atualização"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clone"

#: pro/fields/class-acf-field-clone.php:808
msgid "Select one or more fields you wish to clone"
msgstr "Selecione um ou mais campos que deseja clonar"

#: pro/fields/class-acf-field-clone.php:825
msgid "Display"
msgstr "Exibição"

#: pro/fields/class-acf-field-clone.php:826
msgid "Specify the style used to render the clone field"
msgstr "Especifique o estilo utilizado para exibir o campo de clone"

#: pro/fields/class-acf-field-clone.php:831
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grupo (mostra os campos selecionados em um grupo dentro deste campo)"

#: pro/fields/class-acf-field-clone.php:832
msgid "Seamless (replaces this field with selected fields)"
msgstr "Sem bordas (substitui este campo pelos campos selecionados)"

#: pro/fields/class-acf-field-clone.php:853
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Os rótulos serão exibidos como %s"

#: pro/fields/class-acf-field-clone.php:856
msgid "Prefix Field Labels"
msgstr "Prefixo dos Rótulos dos Campos"

#: pro/fields/class-acf-field-clone.php:867
#, php-format
msgid "Values will be saved as %s"
msgstr "Valores serão salvos como %s"

#: pro/fields/class-acf-field-clone.php:870
msgid "Prefix Field Names"
msgstr "Prefixo dos Nomes dos Campos"

#: pro/fields/class-acf-field-clone.php:988
msgid "Unknown field"
msgstr "Campo desconhecido"

#: pro/fields/class-acf-field-clone.php:1027
msgid "Unknown field group"
msgstr "Grupo de campo desconhecido"

#: pro/fields/class-acf-field-clone.php:1031
#, php-format
msgid "All fields from %s field group"
msgstr "Todos os campos do grupo de campos %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "Adicionar Linha"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "layout"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "layouts"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "remover {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Este campo requer ao menos {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Este campo tem um limite de {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Este campo requer ao menos {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "A quantidade máxima de {label} foi atingida ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponível (máx {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} obrigatório (mín {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "O campo de Conteúdo Flexível requer pelo menos 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Clique no botão “%s” abaixo para iniciar a criação do seu layout"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Adicionar layout"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Remover layout"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr "Clique para alternar"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder Layout"
msgstr "Reordenar Layout"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder"
msgstr "Reordenar"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete Layout"
msgstr "Excluir Layout"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate Layout"
msgstr "Duplicar Layout"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New Layout"
msgstr "Adicionar Novo Layout"

#: pro/fields/class-acf-field-flexible-content.php:628
msgid "Min"
msgstr "Mín"

#: pro/fields/class-acf-field-flexible-content.php:641
msgid "Max"
msgstr "Máx"

#: pro/fields/class-acf-field-flexible-content.php:668
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "Rótulo do Botão"

#: pro/fields/class-acf-field-flexible-content.php:677
msgid "Minimum Layouts"
msgstr "Qtde. Mínima de Layouts"

#: pro/fields/class-acf-field-flexible-content.php:686
msgid "Maximum Layouts"
msgstr "Qtde. Máxima de Layouts"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Adicionar Imagem à Galeria"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "A quantidade máxima de seleções foi atingida"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Duração"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Legenda"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Texto Alternativo"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Adicionar à galeria"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Ações em massa"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Ordenar por data de envio"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Ordenar por data de modificação"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Ordenar por título"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Inverter ordem atual"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Fechar"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Qtde. Mínima de Seleções"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Qtde. Máxima de Seleções"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Inserir"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr "Especifique onde os novos anexos serão adicionados"

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Adicionar no final da galeria"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Adicionar no início da galeria"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Quantidade mínima atingida ( {min} linha(s) )"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Quantidade máxima atingida ( {max} linha(s) )"

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "Adicionar linha"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "Remover linha"

#: pro/fields/class-acf-field-repeater.php:419
msgid "Collapsed"
msgstr "Recolher"

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr "Selecione um sub campo para exibir quando a linha estiver recolhida"

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "Qtde. Mínima de Linhas"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "Qtde. Máxima de Linhas"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Não existem Páginas de Opções disponíveis"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opções"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opções Atualizadas"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Para ativar atualizações, digite sua chave de licença  na página <a "
"href=“%s”>Atualizações</a>. Se você não possui uma licença, consulte os <a "
"href=“%s”>detalhes e preços</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportar Grupos de Campos para PHP"

#~ msgid "Download export file"
#~ msgstr "Download do arquivo JSON"

#~ msgid "Generate export code"
#~ msgstr "Gerar código PHP"

#~ msgid "Import"
#~ msgstr "Importar"

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "O campo Aba será exibido incorretamente quando adicionado em um layout do "
#~ "tipo Tabela de campos repetidores ou de conteúdos flexíveis"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Utilize o campo “Aba” para agrupar seus campos e organizar melhor sua "
#~ "tela de edição."

#~ 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 ""
#~ "Todos os campos que seguirem este campo “Aba” (ou até que outra “Aba” "
#~ "seja definida) ficarão juntos em um grupo que utilizará o rótulo deste "
#~ "campo como título da guia."

#~ msgid "Getting Started"
#~ msgstr "Primeiros Passos"

#~ msgid "Field Types"
#~ msgstr "Tipos de Campos"

#~ msgid "Functions"
#~ msgstr "Funções"

#~ msgid "Actions"
#~ msgstr "Ações"

#~ msgid "Features"
#~ msgstr "Características"

#~ msgid "How to"
#~ msgstr "Como"

#~ msgid "Tutorials"
#~ msgstr "Tutoriais"

#~ msgid "FAQ"
#~ msgstr "Perguntas Frequentes"

#~ msgid "Error"
#~ msgstr "Erro"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 campo requer a sua atenção."
#~ msgstr[1] "%d campos requerem sua atenção."

#~ msgid "Disabled"
#~ msgstr "Desabilitado"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Desabilitado <span class=“count”>(%s)</span>"
#~ msgstr[1] "Desabilitados <span class=“count”>(%s)</span>"

#~ msgid "'How to' guides"
#~ msgstr "Guias práticos"

#~ msgid "Created by"
#~ msgstr "Criado por"

#~ msgid "Error loading update"
#~ msgstr "Erro ao carregar atualização"

#~ msgid "See what's new"
#~ msgstr "Veja o que há de novo"

#~ msgid "eg. Show extra content"
#~ msgstr "ex.: Mostrar conteúdo adicional"

#~ msgid "Select"
#~ msgstr "Seleção"

#~ msgctxt "Field label"
#~ msgid "Clone"
#~ msgstr "Clone"

#~ msgctxt "Field instruction"
#~ msgid "Clone"
#~ msgstr "Clone"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Erro de Conexão</b>. Tente novamente"
PK�
�[�~����lang/acf-de_CH.monu�[�������*8898U8^8Dp8�8
�8
�8�8�8�8z90�9=�9�9�:	�:�:�:M�:);--;
[;f;	o;y;�;
�;�;�;�;
�;�;�;�;<<<.<I<M<�\<4=
S=^=m=|=!�=�=�=A�=>,>4I>~>�>
�>�>�> �>�>??)?/?
8?
F?Q?X?u?�?�?�?�?�?�?�?�?C@D@Q@^@k@x@@
�@�@�@	�@�@�@�@�@�@�@AAA9#A]AyA�A�A�A�A�A	�A�A/�ABBB"/BRBZB#iB�B�B�B[�B
CC*C<C
LCZCEbC�C�CG�C:#D^DjD �D�D�D�DEE!/E"QE#tE!�E,�E,�E%F:F!XF%zF%�F-�F!�F*GAGTG\G
mGZ{GV�G-HCH
JHXHeH
qH|H�H,�H$�H
�H�HI	I I1IAIUIjIyI
~I�I	�I
�I
�I�I�I
�I�I
�I�I	�I J&'J&NJuJ�J�J�J�J1�J�J�J�JK
K#K
/K
:KEKZK3uK�K�K�Ki�KXL7oL�L�L1�LM&MT-M�M
�M�M�M	�M	�M�M"�M�MN#N6NENMNcN+tNC�N@�N%O,O2O
;O	FOPOXOeO
�O�O=�O�O
�O�O�O�OP
P�*P�P�P�P	�P#�P"�P"Q!@QbQvQ�Q/�Q
�Q�Q�Q�QQ�Q�PR�RSS	SS2S4?StSy�STTTT;TATPTWTpT}T�T�T�T�T�T
�T
�T�T
�T�TU
U)U	2U�<U�U�U�U�UV
V
&V!4VVV'pV�V�V	�V�V�V�V�V�V�V�V�V
W
W!"W	DWNW=aW�W�W�W
�W�W�W
	XX$X1XAX1FXxX	�X�X�X	�XU�XYMYRmY�Y`�Y$Z:ZYZiZ
�Z�ZT�Z�Z[![2[I[X[s[�[�[�[�[�[�[�[�[�[�[\	\\\\	,\6\
B\	P\Z\a\|\	�\�\	�\M�\5�\+.],Z]�]�]
�]�]�]�]�]
�]
�]	�]�]
^
^^3^F^/N^~^�^�^�^�^
�^�^2�^_�_�_
�_�_�_
�_
�_```	&`	0`$:`%_`
�`
�`�`�`�`	�`�`�`�`+�`*aHaTa
`a
kava3�a�a�a
�a�a	�a.	b	8bBbObcbob|b0�b�b+�b�bc�c#�c�c#�d5e7;e>se?�e#�e1f%HfGnfV�f&
g:4g<og2�g�g�gh	 h*hEh^hgh�h�h�h�h�h�h6�h*i/i,Bioi0ti�i�i
�i
�i'�i0j4Fj{j'�j�j�j	�j�j�j
�jkkkk*kBkFkLkQkVk_kgksk	xk	�k�k�k1�k!�kZl3klB�lU�lE8mA~mZ�mAn^]o(�o*�o#p^4p@�p<�p4q7Fq3~qL�q	�q	r5rKr�Qr��r�s
�s�s�s�s�s�s�s�s
�s�stt+t7tDt
Wtetmt~t
�t�t�t�tW�t2uCuYu]u|u
�u	�u�u�u	�u�u�u�u�uvvv,vBvUvkv�v�v(�v'�vww
'w2wCwTwfw
mw{w��w',xMTx�x�x!�x
�x�x�x�xyyyMylypyvy{y%�y�y�y�y�y�y�y
�yzzz&z	)z	3z=zIzUz6[z4�z:�z0~3~C~K\~�~�~�~
�~�~-�.K�I�Q��o�	=�G�	Y�_c�ÁYρ)�B�T�e�	��������т�$���1�J�
b�p�����������ڄ���1'�Y�!n�O���4��?*�j�����&��"��1܆@�	O�Y�n�w������6�� ه��	� �5�P�p���
��]����	�
�*�	>�H�
U�`�!r�����
��ʼnΉ&ډ�	��&�%8�$^�����
����
ÊΊ
��O�	B�
L�W�5t�����/������b+�������Ȍ
݌�U��T�.q�P��C�5�
;�F�L�S�[�
^�l�o�
q�|���������������
��ŽΎӎ܎����q�u����%�
5�C�
P�[�c�?w���
Ր�����/�@�[�u�
������đՑ���
�
�$�+�1�:�5G�0}�*��ْ����!�63�j�w�|�������	����Ó%ړ3�4�Q�h����5�;N�2����?ו�0�s7�������	Ɩ	Жږ)�.�@�[�s�������Ǘ0ؗa	�ak�͘	Ԙޘ
�
����%�@�L�QS�����řՙ
ۙ�
���š
ǚҚښ/�2�0F�5w���ƛ؛4��,�F�"Z�}�O���՜ĝ֝	۝��
�E�&\����"�2�7�%P�v�|���0��ǟܟ���/�I�
N�	Y�c�l�.|�������Ơ�ՠ����������ǡӡ1��49�n�u�{�����	��������Ţۢ���1�	D�N�fb�ɣ&գ$��!�&2�'Y�������
��	äͤ
Ҥ
�����_'���j��{���^���)�+�)A�k�~�x���-�C�c���&��"��ը�	����
��"�@�
I�W�m�
y�����������ũ	թߩ&�
�	� �1�pB�R��K�9R�����������̫ܫ�����2�A�\�|���N������-�:�G�8M�3�������
��	Ȯ	Үܮ�	����
&�4�QJ�R���
��
��$7�
\�g�m�z�H��4ʰ �� �/�D�X�;s�����
ʱر	�9��
7�E�V�p�����T����>�P�g��|�$!��F�2��1�(K�t�����!Ķ,�@�
T�!b�%��A���	�"�3�!@�!b�
��)����ո(�C�Z�t�b����?��>�.G�v�����ĺ.Ѻ9�<:�w�1����׻޻����%�+�;�W�r�v�~���	��������ļԼ#ݼ%�3'�)[�j��4�W%�o}�L�R:�q��h��xh�>�= �3^�u��-�A6�9x�;��E��S4�����;����������
t����	�� ��������	������
�$�>�R�e��������������!�t9�������(����.�@�L�
\�+j���������
������/�#E�i� ��&��%�����
�'�<�L�]�e�t����2i����(�1�%F�l�~�����������y��/�3�:�C�%`���
��������	������������	��
��
�

��5"�8X�]��RQo���>/[�5��
"%���pB�GPW�G6t!&���`6b����@[l\-Q�MSK�'Z� �h�����O����6
�*��x��%{��5)�e��)5m]!f^��/$���nO,���<�4e�d
������9�ar rc]$�J����D���1�hj�-��,�8��?�\N��s���~�f��p�������sRkA�#�;�(���t���j.w�gOA���Ek&���!��Hn/Qhy*�X`$(����*�p��C�Yve�Y4a�=�@S��:����=K��`�7���+�o��zWT�X�@3�����U�{��2�z�9�'q��"=iP�2CJ,g}#�o�8�x_wB�K��|��N�R7&Cy	�:2V<}0L_Ud��G��?���E�D���c3U;��v1�FV�TmF�L0u����0�iE�uT�M�����_�g�m��|�b���|H�����l	�~d"�a�NI7VY�����������x
��b3.��zD�������\(�'�S���M���P�Z�+����v8��s��� ���ty�4A:)i�%�k��<�
H9��Z����j�[LqX1F.�BI;-ur^�+W��	�w��~n>����>I
����{f#��?�}lq�����^J�c�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.7.10
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-01-15 11:15+1000
PO-Revision-Date: 2019-02-06 15:35+0100
Last-Translator: Werbelinie AG <hueni@werbelinie.ch>
Language-Team: Raphael Hüni <rafhun@gmail.com>
Language: de_CH
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.2
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Für %d Felder ist eine Aktualisierung notwendig%s hinzugefügt%s ist bereits vorhanden%s benötigt mindestens %s Selektion%s benötigt mindestens %s Selektionen%s Wert ist notwendig(ohne Beschreibung)(ohne Titel)(Dieses Feld)+ Feld hinzufügenFür 1 Feld ist eine Aktualisierung notwendig<b>Fehler</b>. Konnte das Update-Paket nicht authentifizieren. Bitte überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz.<b>Fehler</b>. Verbindung zum Update-Server konnte nicht hergestellt werden<strong>Ausgewählte</strong> Elemente werden <strong>versteckt</strong>.Eine reibungslosere ErfahrungACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit zusätzliche Options-Seiten im Admin-Bereich anzulegen!AkkordeonLizenz aktivierenAktiviertVeröffentlicht <span class="count">(%s)</span>Veröffentlicht <span class="count">(%s)</span>HinzufügenFügt die Option 'Sonstige' hinzu, welche erlaubt, benutzerdefinierte Werte hinzuzufügenHinzufügen / BearbeitenDatei hinzufügenBild hinzufügenBild zur Galerie hinzufügenErstellenFeld hinzufügenNeue Feld-Gruppe erstellenNeues Layout hinzufügenEintrag hinzufügenLayout hinzufügenNeue Auswahlmöglichkeit hinzufügenEintrag hinzufügenRegel-Gruppe hinzufügenZur Galerie hinzufügenZusatz-ModuleAdvanced Custom FieldsAdvanced Custom Fields PROAlleAlle %s FormateAlle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen <a href="%s">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, ist somit erschwinglicher denn je!Alle Felder der %s Feld-GruppeAlle BilderAlle verfügbaren Post TypesAlle TaxonomienAlle BenutzerrollenErlaube das Hinzufügen benutzerdefinierter WerteArchiv URLs erlaubenErlaube benutzerdefinierte FelderBei aktiver Option wird HTML Code als solcher angezeigt und nicht interpretiertNULL-Werte zulassen?Erlaube das Erstellen neuer Einträge beim EditierenLassen Sie dieses Akkordeon öffnen, ohne andere zu schliessen.Erlaubte Datei-FormateAlt TextAnzeigeWird dem Eingabefeld hinten angestelltWird dem Eingabefeld vorangestelltErscheint bei der Erstellung eines neuen BeitragsPlatzhalter-Text solange keine Eingabe im Feld vorgenommen wurdeAnhängenAm Schluss anhängenAnwendenArchiveSind Sie sicher?DateianhangAutorZeilenumbrüche ( &lt;br&gt; ) automatisch hinzufügenAbsätze automatisch hinzufügenZurück zu allen WerkzeugenGrundlageUnterhalb der FelderUnterhalb der BeschriftungVerbesserte Front-End-FormulareBessere ValidierungBlockBeide (Array)Sowohl der Import als auch der Export können einfach über eine neue Werkzeugseite erfolgen.MassenverarbeitungMassenverarbeitungButton GruppeButton-BeschriftungAbbrechenBeschriftungKategorienKartenmittelpunktDer Mittelpunkt der AusgangskarteVersionshinweiseZeichenbegrenzungErneut suchenCheckboxAusgewähltUnterseite (mit übergeordneter Seite)AuswahlAuswahlmöglichkeitenLeerenPosition löschenKlicke "%s" zum Erstellen des LayoutsKlicken um TinyMCE zu initialisierenZum Auswählen anklickenKlonen FeldSchliessenFeld schliessenSchliessenDetails ausblendenZugeklapptFarbeKomma separierte Liste; ein leeres Feld bedeutet alle Dateiformate sind erlaubtKommentarKommentareBedingungen für die AnzeigeSpeichert die ausgewählten Einträge auch im BeitragInhaltInhalts-EditorLegt fest wie Zeilenumbrüche gehandhabt werdenKopiertIn Zwischenablage kopierenNeue Einträge erlaubenErstelle ein Regelwerk das festlegt welche Bearbeitungs-Ansichten diese Feld-Gruppe nutzen dürfenAktuelle FarbeAktueller BenutzerAktuelle Benutzer-RolleInstallierte VersionEigene FelderBenutzerdefiniert:Passen Sie WordPress mit leistungsstarken, professionellen und intuitiven Feldern an.Passt die Höhe der Karte anEs ist eine Datenbank-Aktualisierung notwendigDatenbank-Aktualisierung fertiggestellt. <a href="%s">Zum Netzwerk Dashboard</a>Datenbank-Upgrade abgeschlossen. <a href="%s">Schau was neu ist</a>DatumSchliessenHeuteWeiterZurückKWDatum/UhrzeitAMASchliessenJetztStundeMikrosekundeMillisekundeMinutePMPSekundeAuswählenZeit setzenZeitZeitzoneLizenz deaktivierenStandardStandard-TemplateStandardwertDefinieren Sie einen Endpunkt für das bisherige Akkordeon zu stoppen. Dieses Akkordeon wird nicht zu sehen sein.Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der Startpunkt für eine neue Gruppe an Tabs.Initialisierung verzögern?LöschenLayout löschenFeld löschenBeschreibungDiskussionAnzeigeDarstellungs-FormatZeigen Sie dieses Akkordeon geöffnet an, wenn die Seite lädt.Zeigt Text neben der CheckboxDokumentationDownload & InstallierenZiehen zum SortierenDuplizierenLayout duplizierenFeld duplizierenDieses Element duplizierenEinfacher Import / ExportKinderleichte AktualisierungBearbeitenFeld bearbeitenFeld-Gruppe bearbeitenDatei bearbeitenBild bearbeitenFeld bearbeitenFeld-Gruppen bearbeitenElementeElliot CondonE-MailMasseEndpunktURL eingebenJede Auswahlmöglichkeit in separater Zeile eingeben.Jeden Standardwert in einer neuen Zeile eingebenFehler beim Upload. Bitte erneut versuchenHTML enkodierenKurzfassungDetails einblendenFeld-Gruppen exportierenDatei exportierenEine Feldgruppe exportiert.%s Feldgruppen exportiert.BeitragsbildFeldFeld-GruppeFeld-GruppenFeldschlüsselBezeichnungFeld-NameFeld-TypFeld-Gruppe gelöscht.Entwurf der Feld-Gruppe aktualisiert.Feld-Gruppe dupliziert.%s Feld-Gruppen dupliziert.Feld-Gruppe veröffentlicht.Feld-Gruppe gesichert.Feld-Gruppe geplant für.Die Feldgruppen wurden um die Einstellungen für das Aktivieren und Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen sowie eine Beschreibung erweitert.Feld-Gruppe übertragen.Feld-Gruppe synchronisiert.%s Feld-Gruppen synchronisiert.Es ist ein Titel für die Feld-Gruppe erforderlichFeld-Gruppe aktualisiert.Feld-Gruppen mit einem niedrigeren Wert werden zuerst angezeigtFeld-Typ existiert nichtFelderFelder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen Benutzer-Formularen zugeordnet werden!DateiDatei-ArrayDatei-IDDatei-URLDateinameDateigrösseDie Dateigrösse muss mindestens %s sein.Die Dateigrösse darf %s nicht überschreiten.Der Dateityp muss %s sein.Nach Post Types filternNach Taxonomien filternFiltere nach BenutzerrollenFilterAktuelle Position findenFlexible InhalteFlexibler Inhalt benötigt mindestens ein LayoutFür eine bessere Darstellung, kannst Du auch einen Wert und dazu dessen Beschriftung definieren:Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, anstatt nur JS zu verwenden.FormatFormulareFrisches UIStartseiteVolle GrösseGaleriePHP generierenMacht's gut Add-ons&hellip; Hallo PROGoogle MapsGruppeGruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Felds an)GruppenfeldHat beliebigen WertHat keinen WertHöheVersteckenNach dem Titel vor dem InhaltHorizontalSind für einen Bearbeiten-Dialog mehrere Felder-Gruppen definiert, werden die Optionen der ersten Felder-Gruppe angewendet (die mit der niedrigsten Nummer für die Reihenfolge).BildBild-ArrayBild-IDBild-URLDie Höhe des Bildes muss mindestens %dpx sein.Die Höhe des Bild darf %dpx nicht überschreiten.Die Breite des Bildes muss mindestens %dpx sein.Die Breite des Bildes darf %dpx nicht überschreiten.Feld-Gruppen importierenDatei importierenDie importierte Datei ist leerEine Feldgruppe importiert%s Feldgruppen importiertVerbesserte DatenstrukturVerbessertes DesignVerbesserte BenutzerfreundlichkeitInaktivInaktiv <span class="count">(%s)</span>Inaktiv <span class="count">(%s)</span>Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern signifikant verbessert.Falscher DateitypInfoEinfügenInstalliertPlatzierung der HinweiseAnweisungenAnweisungen für Autoren werden in der Bearbeitungs-Ansicht angezeigtWir dürfen vorstellen&hellip; ACF PROEs wird dringend dazu angeraten, dass Du Deine Datenbank sicherst, bevor Du fortfährst. Bist Du sicher, dass Du die Aktualisierung jetzt durchführen willst?Feld-SchlüsselNamePlatzierung BeschriftungBezeichnungen werden angezeigt als %sGrossAktuellste VersionLayoutEin leeres Eingabefeld bedeutet keine BegrenzungLinks neben dem FeldLängeMedienübersichtLizenzinformationenLizenzschlüsselBeschränkt die Auswahl in der MedienübersichtLinkLink ArrayLink FeldLink URLEinträge ladenDen Wert von den Einträgen des Beitrags ladenLadeLokales JSONPositionIst angemeldetViele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das nagelneue oEmbed-Feld!MaxMaximumMaximum LayoutsMaximum der EinträgeMaximale AuswahlMaximalwertMax. Anzahl der BeiträgeMaximum der Einträge mit ({max} Reihen) erreichtMaximale Auswahl erreichtMaximum der Einträge mit ({max} Einträge) erreichtMittelMenüMenüelementMenüpositionenMenüsNachrichtMinMinimumMinimum LayoutsMinimum der EinträgeMinimale AuswahlMindestwertMin. Anzahl der BeiträgeMinimum der Einträge mit ({min} Reihen) erreichtMehr AJAXWeitere AnpassungenMehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von Seiten deutlich verringert.VerschiebenVerschieben erfolgreich abgeschlossen.Benutzerdefiniertes Feld verschiebenFeld verschiebenFeld in eine andere Gruppe verschiebenWirklich in den Papierkorb verschieben?Verschiebbare FelderAuswahlmenüMulti-expandierenMehrere WerteFeld-NameTextNeue FeaturesNeues FeldNeue Feld-GruppeNeue Positionen für FormulareNeue ZeilenNeue PHP (und JS)-Aktionen und Filter wurden hinzugefügt, um mehr Anpassungen zu ermöglichen.Neue EinstellungenDer neue automatische Export in JSON verbessert die Geschwindigkeit und ermöglicht eine Synchronisierung.Die neue Feld-Gruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen und übergeordneten Gruppen frei zu verschieben.NeinKeine Feld-Gruppen für die Options-Seite gefunden. <a href="%s">Erstelle eine Feld-Gruppe</a>Keine Feld-Gruppen gefundenKeine Feld-Gruppen im Papierkorb gefundenKeine Felder gefundenKeine Feld-Gruppen im Papierkorb gefundenKeine FormatierungKeine Feld-Gruppe ausgewähltEs sind noch keine Felder angelegt. Klicke den <strong>+ Feld hinzufügen-Button</strong> und erstelle Dein erstes Feld.Keine Datei ausgewähltKein Bild ausgewähltKeine Übereinstimmung gefundenKeine Options-Seiten vorhandenKeine %sEs liegen keine Auswahl-Feld-Typen vorKeine Aktualisierungen verfügbar.Nach dem Inhalt (Standard)NullNumerischWenn inaktivWenn aktivOffenÖffnet in einem neuen Fenster/TabOptionenOptions-SeiteOptionen aktualisiertReihenfolgeSortiernr.SonstigeSeiteSeiten-AttributeSeiten-LinkÜbergeordnete SeiteSeiten-TemplateSeitentypElternÜbergeordnete Seite (mit Unterseiten)PasswortPermalinkPlatzhalter-TextPlatzierung TabsStelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) vorab auf die neueste Version aktualisiert wurden.Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit freizuschaltenBitte wählen Sie mindestens eine Seite aus, um ein Upgrade durchzuführen.In welche Feld-Gruppe solle dieses Feld verschoben werdenPositionBeitragBeitrags-KategorieBeitrags-FormatBeitrags-IDBeitrags-ObjektBeitrags-StatusBeitrags-TaxonomieBeitrags-VorlageBeitrags-TypBeitrag aktualisiertBeitrags-SeiteLeistungsstarke FunktionenPräfix für Feld BezeichnungenPräfix für Feld NamenVoranstellenHänge eine zusätzliche Checkbox an mit der man alle Optionen auswählen kannVor Beginn einfügenMasse der VorschauProVeröffentlichenRadio-ButtonRadio ButtonRangeLies mehr über die <a href="%s">ACF PRO Funktionen</a>.Lese anstehende Aufgaben für die Aktualisierung...Die Neugestaltung der Datenarchitektur erlaubt es, dass Felder unabhängig von ihren übergeordneten Feldern existieren können. Dies ermöglicht, dass Felder per Drag-and-Drop, in und aus ihren übergeordneten Feldern verschoben werden können!RegistrierenRelationalBeziehungEntfernenLayout entfernenEintrag löschenSortierenLayout sortierenWiederholungErforderlich?Dokumentation (engl.)Erlaubt nur das Hochladen von Dateien die die angegebenen Eigenschaften erfüllenErlaubt nur das Hochladen von Bildern, die die angegebenen Eigenschaften erfüllenEingeschränktRückgabewertRückgabewertAktuelle Sortierung umkehrenÜbersicht Seiten & AktualisierungenRevisionenReiheZeilenanzahlRegelnSichere benutzerdefinierte Werte zu den Auswahlmöglichkeiten des FeldesFüge 'Sonstige'-Werte zu den Auswahl Optionen hinzuBenutzerdefinierte Werte sichernFormat sichern'Sonstige' speichernEinträge speichernÜbergangslos ohne MetaboxNahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)SuchenFeld-Gruppen suchenFelder suchenNach der Adresse suchen...Suchen...Sieh dir die Neuerungen in <a href="%s">Version%s</a> an.%s auswählenFarbe auswählenFelder-Gruppen auswählenDatei auswählenBild auswählenLink auswählenWähle welches der Wiederholungsfelder im zugeklappten Zustand angezeigt werden sollMehrere Werte auswählbar?Wähle eines oder mehrere Felder aus, das/die du klonen willstBeitrag-Typ auswählenTaxonomie auswählenWähle die Advanced Custom Fields JSON-Datei aus, welche Du importieren möchtest. Nach dem Klicken des Importieren-Buttons wird ACF die Felder-Gruppen hinzufügen.Wähle das Aussehen für dieses FeldEntscheide zuerst welche Felder-Gruppen Du exportieren möchtest und wähle im Anschluss das Format in das exportiert werden soll. Klicke den "JSON-Datei exportieren"-Button, um eine JSON-Datei zu erhalten, welche Du dann in einer anderen ACF-Installation importieren kannst. Wähle den "Erstelle PHP-Code"-Button, um PHP-Code zu erhalten, den Du im Anschluss in der functions.php Deines Themes einfügen kannst.Wähle die Taxonomie, welche angezeigt werden sollBitte ein Zeichen löschenBitte %d Zeichen löschenBitte eins oder mehrere Zeichen eingebenBitte %d mehr Zeichen eingebenFehler beim LadenLade weitere Resultate&hellip;Keine Übereinstimmungen gefundenEin Resultat gefunden, mit Enter auswählen.%d Resultate gefunden, benutze die Pfeiltasten um zu navigieren.Suche&hellip;Du kannst du ein Resultat wählenDu kannst nur %d Resultate auswählenDie ausgewählten Elemente werden in jedem Ergebnis mit angezeigtDie Auswahl ist grösser alsAuswahl ist geringer alsSende TrackbacksTrennelementLegt die Zoomstufe der Karte festDefiniert die Höhe des TextfeldsEinstellungenButton zum Hochladen von Medien anzeigen?Zeige diese Felder, wennZeige dieses Feld, wennWird in der Feld-Gruppen-Liste angezeigtLegt fest welche Masse die Vorschau in der Bearbeitungs-Ansicht hatSeitlich neben dem InhaltEinzelne WerteNur ein Wort ohne Leerzeichen; es sind nur Unterstriche und Bindestriche als Sonderzeichen erlaubtSeiteSeite ist aktuellDie Seite erfordert eine Datenbank-Aktualisierung von %s auf %sKurzlinkDieser Browser unterstützt keine Geo-LokationSortiere nach Änderungs-DatumSortiere nach Upload-DatumSortiere nach TitelSpam erkanntLegt den Rückgabewert für das Front-End festGib an, wie die geklonten Felder ausgegeben werden sollenGib an, wie die ausgewählten Felder angezeigt werden sollenRückgabewert festlegenGib an, wo neue Anhänge eingefügt werden sollenWP-Metabox (Standard)StatusSchrittweiteStilModernes AuswahlfeldWiederholungsfelderSuper-AdminHilfeSynchronisierenSynchronisierung verfügbarSynchronisiere Feld-GruppeTabTabelleTabsSchlagworteTaxonomieBegriffs-IDBegriffs-ObjektText einzeiligText mehrzeiligNur TextAngezeigter Text im aktiven ZustandAngezeigter Text im inaktiven ZustandDanke für die Verwendung von <a href="%s">ACF</a>.Danke für die Aktualisierung auf %s v%s!Danke fürs Aktualisieren! ACF %s ist besser denn je. Wir hoffen es wird Dir genauso gut gefallen wie uns.Das Feld "%s" wurde in die %s Feld-Gruppe verschobenDas Gruppenfeld bietet eine einfache Möglichkeit, eine Gruppe von Feldern zu schaffen.Das Link-Feld bietet eine einfache Möglichkeit, einen Link auszuwählen oder zu definieren (URL, Titel, Ziel).Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wirdDas Klon-Feld ermöglicht es Ihnen, bestehende Felder auszuwählen und anzuzeigen.Ein Design-Refresh für das gesamte Plugin, inklusive neue Feldtypen, Einstellungen und Design wurde eingeführt!Der nachfolgende Code kann dazu verwendet werden eine lokale Version der ausgewählten Feld-Gruppe(n) zu registrieren. Eine lokale Feld-Gruppe bietet viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische Felder und Einstellungen. Kopiere einfach folgenden Code und füge ihn in die functions.php oder eine externe Datei in Deinem Theme ein.Die folgenden Seiten ben&ouml;tigen ein DB Upgrade. W&auml;hle jene aus, die du aktualisieren willst und klicke dann %s.Das Datums-Format für die Anzeige in der Bearbeitungs-AnsichtDas Datums-Format für die Ausgabe in den Template-FunktionenDas verwendete Format, wenn der Wert gesichert wirdDas oEmbed-Feld ermöglicht eine einfache Möglichkeit, Videos, Bilder, Tweets, Audio und andere Inhalte einzubetten.Der Feldname darf nicht mit "field_" beginnenDiese Feld kann nicht verschoben werden, bevor es gesichert wurdeDieses Feld erlaubt höchstens {max} {label} {identifier}Dieses Feld erfordert mindestens {min} {label} {identifier}Dieser Name wird in der Bearbeitungs-Ansicht eines Beitrags angezeigtDiese Version enthält Verbesserungen an Ihrer Datenbank und erfordert ein Upgrade.MiniaturbildUhrzeitTinyMCE wird nicht initialisiert bis das Feld geklickt wirdTitelBitte gib auf der Seite <a href="%s">Aktualisierungen</a> deinen Lizenzschlüssel ein, um Updates zu aktivieren. Solltest du keinen Lizenzschlüssel haben, findest du hier <a href="%s" target="_blank">Details & Preise</a>.Bitte gib unten deinen Lizenzschlüssel ein, um Updates freizuschalten. Solltest du keinen Lizenzschlüssel haben, findest du hier <a href="%s" target="_blank">Details & Preise</a>.AuswählenAlle auswählenWerkzeugleisteWerkzeugeSeite ohne übergeordnete SeitenÜber dem FeldJa/NeinTypUnbekanntUnbekanntes FeldUnbekannte Feld-GruppeAktualisierenAktualisierung verfügbarDatei aktualisierenBild aktualisierenAktualisierungsinformationenPlugin aktualisierenAktualisierungenAktualisiere DatenbankAktualisierungs-HinweisSeiten aktualisierenUpgrade abgeschlossenUpgrade gescheitert.Aktualisiere Daten auf Version %sDie Aktualisierung auf ACF PRO ist einfach. Kaufen Sie einfach eine Lizenz online und laden Sie das Plugin herunter!Für den Beitrag hochgeladenZu diesem Beitrag hochgeladenURLAJAX zum Laden der Einträge aktivieren?BenutzerBenutzer-ArrayBenutzer-FormularBenutzer IDBenutzer-ObjektBenutzerrolleDer Benutzer kann keine neue %s hinzufügenE-Mail bestätigenÜberprüfung fehlgeschlagenÜberprüfung erfolgreichWertWert enthältWert entsprichtWert ist grösser alsWert ist geringer alsWert entspricht nichtWert entspricht regulärem AusdruckWert muss eine Zahl seinBitte eine gültige URL eingebenWert muss grösser oder gleich %d seinWert muss kleiner oder gleich %d seinWerte werden gespeichert als %sVertikalFeld anzeigenFeld-Gruppe anzeigenIst im Back-EndIst im Front-EndVisuellVisuell & TextNur VisuellUm möglichen Fragen vorzubeugen haben wir haben eine <a href="%s"> Anleitung für den Aktualisierungs-Prozess (Engl.)</a> verfasst. Sollten dennoch Fragen aufgeworfen werden, kontaktiere bitte unser <a href="%s"> Support-Team </a>.Wir glauben Du wirst die Änderungen in %s lieben.Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung gestellt wird geändert - das "wie" dürfte Dich begeistern!WebseiteDie Woche beginnt amWillkommen bei Advanced Custom FieldsWas gibt es NeuesWidgetBreiteWrapper-AttributeWYSIWYG-EditorJaZoomacf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen inklusive vieler neuer Einstellungsmöglichkeiten.undKlassekopierenhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/IDist gleichist ungleichjQueryLayoutLayoutsEinträgeKlonenAuswahlmenüoEmbedoEmbed Feldoderrot : RotBearbeitenAuswählenAktualisierenBreite{available} {label} {identifier} möglich (max {max}){required} {label} {identifier} erforderlich (min {min})PK�
�[�P�~��lang/acf-he_IL.monu�[������|��()6)):`)�)
�)�)0�))�)="*0`*"�*��*;Y+�+�+M�+-�+
),4,	=,G,\,
d,r,�,�,
�,�,�,�,�,�,�,-�-��-
z.�.�.�.�.�. �.//!/'/
0/;/B/_/|/c�/�/�/00,0>0U0[0h0u0
�0�0�0	�0�0�0�0�0�0�01191P1V1b1o1�1�1�1�1�1�1#�1[�1G2
W2Ee2�2�2�2�2�23
3$3
+393F3
R3]3e3
t3�3�3�3	�3�3�3�3�34

44	)4
34
>4I4R4
X4	c4 m4&�4&�4�4�4�455'5B5Q5W5c5
p5{5
�5
�5�5�5�5�5�56R-6�6�6�6�61�6737A:7|7
�7�7�7�7�7�7�7�7�7+8C.8?r8�8�8
�8	�8�8�8�8
999-9
@9K9Q9]9	f9p9.w9�9�9/�9
�9
::-:Q6:��:*;>;	C;M;c;4p;�;y�;3<7<=<M<S<b<i<�<�<�<�<�<�<
�<�<�<��<�=�=�=�=
�=
�=!�=>'>2B>u>|>�>�>�>�>
�>!�>	�><�>.?3?B?
T?_?{?
�?�?�?�?	�?�?	�?�?	�?J@M@/Z@N�@.�@QAQZA�A`�AB&BEBUB
nB!|B�BT�BCC/C@CWCrC�C�C�C�C�C�C�C�C	�C�C�C�C	D
D
D	$D.D
IDWD	`DjD	{D5�D,�D�D�D
�DEEE$E
0E	>EHE
UE`ErEzE�E�E�E
�E2�E�E��E�F
�F�F�F�F
�F
�F�F�F
G	G	 G
*G8GEG[G	rG|G�G�G*�G
�G�G�G�G
�GH	H. H	OHYHfHzH�H�H�H�H��H\I2kJ�J�J�J�J�JKK2KLKeKtKyK6�K�K�K0�K
L L
6L'DLlL�L	�L�L�L
�L�L�L�L�L�L�LM	MMMM
"M0M8MDM	IM	SM1]M!�MZ�M3NE@NA�N(�O*�O6P@SPr�P<Q,DQ/qQ7�Q3�Q	
RRkR
�R�R�R�R�R�R�R�R�R�R�RS
S!S)S:SISfSwS�SQ�S�ST	T	TT-TCTZT(tT'�T�T
�T�T�T
�T�T�U'�U�U�U!�U
VV"V5VDVHV2MV�V�V�V�V�V�V�V�V�V�V�V�V	�V�V�V6�V4.W-cWM�ZS�Z3[F[Z[An[E�[R�[,I\4v\��\g�]^"^U+^Y�^�^�^_"_@_R_'k_'�_�_�_�_ `#`;`H`-_`�`�`��a�b�b"�b�bc c0=cnc�c�c�c�c�c+�c-�c
#d�.d�d�d%
e 3e"Te'we�e�e�e�e�e
f&f5fBfafwf'�f
�f�f�f�fV�f?gHgXgjg�g
�g
�g�g�g�g?�gzh�h�hg�h&i.Ciri �i�i �i�i
�ij'j
9jDj
MjXjnj�j�j)�j�j�jk%kEk
Uk`ktk�k�k�k�k�k�kl6lEQl>�l"�l�l
mm(m$Gmlm�m�m�m�m�m
�m
�m!�m,n&Fn#mn!�n'�ng�n!Co(eo)�o"�oJ�o&pDpdMp�p�p�p)�p$
q$2qWqwq$�q�q=�qYr]]r
�r�r�r�r
�r�r)sCsSs\s ps
�s
�s�s%�s+�s
tGt bt�tD�t�tuu
5u_Cu��u�v�v
�v�v�vJ�v.w�Fw�w
�wxx$x:xCNx�x�x
�x�x3�xy
y y
)y�4y'z6zRzlz�z�zF�z&{D){Sn{�{
�{�{�{||9|FO|�|q�|}*} E}f}'v}*�}�}�}�}~
~)~F~\~p~u�~�~E{ZP��'����+�o0�(��/Ɂ���2�AD�(�����5�L�g�#��2��#ۃ���%�,�5�F�`�����������„
؄���1
�
<�J�
S�^�
r�q}�<�
,�7�@�\� p�������ن����1�:�N�
U�`�t�A��#̇��
݈�
�����)�;�O�l�	|���������&Ή��
�
�
!�8,�e�#w�
����Ŋي
�+�
,�:�L�k�{�#����Ћ��v��<#�`�+x�*��ώ,܎3	�=�+]�%������Əc֏:�+N�Zz�%Ր%��!�2<�2o�����
�� Ƒ�
��
��)�8� N�o�|���
������̒�����-'�*U���O�DP����1��>��F�M:����Y,�6��8��:��'1�Y�
s��~�7�:�L�U�k�{���
����Śך���-�L�%b��������țYP�
����ɜߜ ��%�6<�Bs�@�����!�7�+F� r����@��͟ԟ@�4�@�O�g����P��ܠ
�
������(�
/�:�G�\�a�q���G��Bۡ�$��!�?�{bp�J�H��"��{�G+0f��y�4;&�����T��
��G�#����t��5���9b���[6IgM��8�/:�D��=1������|��g���/F�a~����3Kf>P�w����*��Fs^,1N�������oR��#�DS:�w8��M���Z.��nL�|�����ci�E+a���'��7��[�V�����C_�)3%�qs�x}��d�\?�kY`;�A�&m�����X�<R�=��EP^��_�-�.uZ��� �>p�iVk�O}��S�vBA�~�@
B���d����Y��oy�C�h	��u���v�x�K��)	��l�]����H0�q���5���,��c6T$'��%n��Q`z��W(��"������j ��e��4
�!�@U��
<���UerXQ������r2j�-����N�2����7���z��(�lW\L�*���h��9������]I��O�mt��J%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s value is required(no title)+ Add Field<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>Add 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll user rolesAllow Null?Appears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendApplyArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk ActionsBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDate PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldElementsEmailEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.ExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFilter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalImageImage ArrayImage IDImage URLImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense KeyLimit the media library choiceLoadingLocal JSONLocatingLocationMany 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!MaxMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPreview SizeProPublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OtherSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 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.Selected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!Toggle AllToolbarToolsTop alignedTrue / FalseTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?UserUser FormUser RoleValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyidis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?width{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-10-23 11:00+0300
PO-Revision-Date: 
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Ahrale | Atar4U.com <contact@atar4u.com>
Language: he_IL
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%s קבוצת השדה שוכפלה.%s קבוצות השדות שוכפלו.%s קבוצת השדות סונכרנה.%s קבוצות השדות סונכרנו.ערך %s נדרש(אין כותרת)+ הוספת שדה‏<b>שגיאה</b>. החיבור לשרת העדכון נכשל‏<b>שגיאה</b>. טעינת רשימת ההרחבות נכשלה<b>בחרו</b> פריטים שיהיו <b>נסתרים</b> במסך העריכה.נוסף שדה חדש להטמעת תוכןחווית שדות מיוחדים חלקה יותר‏ACF PRO כולל תכונות עצמתיות כמו מידע שחוזר על עצמו, פריסות תוכן גמישות, שדה גלריה יפה ואת היכולת ליצור דפי אפשרויות נוספים בממשק הניהול!‏ACF עכשיו שומר את הגדרות השדות שלו כאובייקטי פוסט בודדיםהפעל את הרשיוןפעילפעיל <span class="count">(%s)</span>פעילים <span class="count">(%s)</span>הוספת האפשרות 'אחר' כדי לאפשר ערכים מותאמים אישיתהוספה / עריכההוספת קובץהוספת תמונההוספת תמונה לגלריההוספת חדשהוספת שדה חדשהוספת קבוצת שדות חדשההוספת פריסת תוכן חדשההוספת שורה חדשההוספת פריסההוספת שורההוספת קבוצת כלליםהוספה לגלריהתוספיםAdvanced Custom Fieldsשדות מיוחדים מתקדמים פרוהכלכל ארבעת הרחבות הפרימיום אוחדו לתוך <a href="%s">גרסת הפרו החדשה של ACF</a>. עם הרשיונות הזמינים לשימוש אישי ולמפתחים, יכולות הפרימיום זולות יותר ונגישות יותר מאי פעם.כל השדות שאחרי "שדה הלשונית" הזה (או עד להגדרת שדה לשונית נוסף) יהיו מקובצים יחד, כשהתווית של שדה זה תופיע ככותרת הלשונית.כל פריטי המדיהכל סוגי הפוסטיםכל תפקידי המשתמשיםלאפשר שדה ריק?מופיע לאחר השדהמופיע לפני השדהמופיע כאשר יוצרים פוסט חדשמופיע בתוך השדהאחריהחלארכיוניםקובץ מצורףמחברהוספה אוטומטית של &lt;br&gt;הוספה אוטומטית של פסקאותבסיסילפני שאתם מתחילים להשתמש בתכונות המדהימות החדשות, בבקשה עדכנו את מאגר הנתונים שלכם לגרסה העדכנית.מתחת לשדותמתחת לתוויותטפסי צד קדמי משופריםדף אפשרויות משופראימות נתונים משופרבקרת גרסאות טובה יותרבלוקעריכה קבוצתיתעריכה קבוצתיתתווית כפתורקטגוריותמרכוזמירכוז המפה הראשוניתגרסאותהגבלת מספר תוויםבדיקה חוזרתתיבת סימוןעמוד בן (יש לו עמוד אב)בחירהבחירותנקהניקוי מיקוםלחצו על כפתור "%s" שלמטה כדי להתחיל ביצירת הפריסהסגורסגור שדהסגור חלוןלהסתיר פרטיםדוגם צבעתגובההערותתנאי לוגיתוכןעורך תוכןשליטה על אופן ההצגה של שורות חדשות יצירת מערכת כללים כדי לקבוע באילו מסכי עריכה יופיעו השדות המיוחדיםגרסה נוכחיתשדות מיוחדיםשדרגו את וורדפרס עם שדות מיוחדים באופן מקצועי, יעל ומהיר.התאמת גובה המפהחובה לשדרג את מסד הנתוניםבחירת תאריךביטול הפעלת רשיוןברירת המחדלתבנית ברירת המחדלערך ברירת המחדלמחיקהמחיקת פריסת תוכןמחיקת שדהתיאורדיוןתצוגהפורמט תצוגההוראות הפעלההורדה והתקנההורדת קובץ ייצואגרור ושחרר לסידור מחדששיכפולשכפול פריסת תוכןשכפול שדהשכפל את הפריט הזהשדרוג קלעריכהעריכת השדהעריכת קבוצת שדותעריכת קובץעריכת תמונהעריכת שדהאלמנטיםאימיילגודל ההטמעה הקלד כתובת URLיש להקליד כל בחירה בשורה חדשה.יש להקליד כל ערך ברירת מחדל בשורה חדשהשגיאה בהעלאת הקובץ. בבקשה נסה שניתשגיאה בבקשת האימותשגיאה.מובאהפרטים נוספיםיצוא קבוצות שדותיצוא קבוצות שדות לphpתמונה ראשיתשדהקבוצת שדותקבוצות שדותמפתחות שדהתווית השדהשם השדהסוג שדהקבוצת השדות נמחקה.טיוטת קבוצת שדות עודכנה.קבוצת השדות שוכפלה. %sקבוצת השדות פורסמה.קבוצת השדות נשמרה.קבוצת השדות מתוכננת להגדרות קבוצות שדות נוספה למיקום התוויות ולמיקום ההוראותקבוצת השדות נשלחה.קבוצת השדות סונכרנה. %sכותרת קבוצת שדות - חובהקבוצת השדות עודכנהקבוצות שדות עם מיקום נמוך יופיעו ראשונותסוג השדה לא נמצאשדותניתן כעת למפות שדות לתגובות, ווידג׳טים וכל טפסי המשתמש!קובץמערך קבציםמזהה הקובץכתובת אינטרנט של הקובץסינון על פי סוג פוסטסינון לפי טקסונומיהסינון על פי תפקידמסננים (Filters)מציאת המיקום הנוכחיתוכן גמישדרושה לפחות פריסה אחת לתוכן הגמישלשליטה רבה יותר, אפשר לציין את הערך ואת התווית כך:אימות טפסים נעשה עכשיו עם PHP ו-AJAX במקום להשתמש רק ב-JSפורמטשדותעמוד ראשיגודל מלאגלריהיצירת קוד ייצואלהתראות הרחבות. שלום PROמפת גוגלגובההסתרה במסךגבוה (אחרי הכותרת)אופקיתמונהמערך תמונותמזהה ייחודי של תמונהכתובת אינטרנט של התמונהייבואייבוא / ייצוא משתמש עכשיו ב-JSON במקום ב-XMLייבוא קבוצות שדותקובץ הייבוא ריקקבוצת שדות 1 יובאה%s קבוצות שדות יובאונתונים משופריםעיצוב משופרשימושיות משופרתלא פעיללא פעיל <span class="count">(%s)</span>לא פעילים <span class="count">(%s)</span>הוספה של הספרייה הפופולרית Select2 שיפרה גם את השימושיות ואת המהירות בכמה סוגי שדות, כולל: אובייקט פוסט, קישור דף, טקסונומיה ובחירה.סוג קובץ לא תקיןמידעמותקןמיקום הוראותהוראותהוראות למחברים. מוצג למעדכני התכנים באתרהכירו את ACF PROמומלץ בחום לגבות את מאגר הנתונים לפני שממשיכים. האם אתם בטוחים שאתם רוצים להריץ את העדכון כעת?מפתחתוויתמיקום תוויתגדולגרסה אחרונהפריסת תוכןהשאירו את השדה ריק אם אין מגבלת תוויםמיושר לשמאלאורךספריהמפתח רשיוןהגבלת אפשרויות ספריית המדיהטוען‏JSON מקומימאתרמיקוםהרבה שדות עברו רענון ויזואלי כדי לגרום ל-ACF להיראות טוב מאי פעם! ניתן לראות שינויים בולטים בשדה הגלריה, שדה היחסים, ובשדה ההטמעה (החדש)!מקסימוםמקסימום פריסותמקסימום שורותמקסימום בחירהערך מקסימוםמספר פוסטים מרביהגעתם למקסימום שורות האפשרי ({max} שורות)הגעתם למקסימום בחירההגעתם לערך המקסימלי האפשרי ( ערכי {max} )הגעתם לערך המקסימלי של {label} האפשרי ({max} {identifier})בינוניהודעהמינימוםמינימום פריסותמינימום שורותמינימום בחירהערך מינימוםהגעתם למינימום שורות האפשרי ({min} שורות)עוד AJAXיותר שדות משתמשים בחיפוש מבוסס AJAX כדי לשפר את מהירות טעינת הדףשינוי מיקוםההעברה הושלמה.הזזת שדות מיוחדיםהזזת שדההעברת שדה לקבוצה אחרתמועבר לפח. האם אתה בטוח?שינוי מיקום שדותבחירה מרובהערכים מרוביםשםשדה חדשקבוצת שדות חדשהטפסים חדשיםגלריה חדשהשורות חדשותהגדרת שדה יחסים חדשה בשביל ׳סינונים׳ (חיפוש, סוג פוסט, טקסונומיה)הגדרות חדשותקבוצת ארכיון חדשה בשדה הבחירה של page_linkתכונת חדש לייצוא אוטומטי ל-JSON מאפשר להגדרות השדות להיות מבוקרי גרסהתכונת ייצוא אוטומטי חדש ל-JSON משפר את המהירותפונקציונליות קבוצות שדות חדשה מאפשרת לכם להעביר שדה בין קבוצות והוריםפונקציות חדשות לדף האפשרויות נותנות לכם ליצור דפי תפריט ראשיים ומשנייםלאאף קבוצת שדות לא נמצאה בפח. <a href="%s">יצירת קבוצת שדות מיוחדים</a>אף קבוצת שדות לא נמצאהאף קבוצת שדות לא נמצאה בפחלא נמצאו שדותלא נמצאו שדות בפחללא עיצובלא נמצא קוד הטמעה לכתובת ה-URL הנתונה.אף קבוצת שדות לא נבחרהאין שדות. לחצו על כפתור <strong>+ הוספת שדה</strong> כדי ליצור את השדה הראשון שלכם.לא נבחר קובץלא נבחרה תמונהלא נמצאו התאמותלא קיים דף אפשרויותאין שדות תיבות סימון זמיניםאין עזכונים זמינים.ללארגיל (אחרי התוכן)ריקמספראפשרויותעמוד אפשרויותהאפשרויות עודכנוסדרמיקום (order)אחרעמודמאפייני עמודקישור לעמודעמוד אבתבנית עמודסוג עמודעמוד אב (יש לו עמודים ילדים)שדות אבססמהקישורמציין טקסטמיקוםהקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכוניםבבקשה בחר במיקום החדש עבור שדה זהמיקוםפוסטקטגורית פוסטיםפורמט פוסטמזהה ייחודי לפוסטאובייקט פוסטסטטוס פוסטטקסונומית פוסטסוג פוסטהפוסט עודכןעמוד פוסטיםתכונות עצמתיותלפניגודל תצוגהפרופורסםכפתור רדיוכפתורי רדיוקרא עוד על <a href="%s">הפיצ׳רים של ACF PRO</a>קורא משימות שדרוג...עיצוב מחדש של ארכיטקטורת המידע איפשר לשדות משנה להיות נפרדים מההורים שלהם. דבר זה מאפשר לכם לגרור ולשחרר שדות לתוך ומחוץ לשדות אב.הרשמהיחסייחסיםשדה יחסיםהסרהסרת פריסההסרת שורהסידור מחדששינוי סדר פריסהשדה חזרהחובה?עזרהפורמט חוזרערך חוזרהפוך סדר נוכחיסקירת אתרים ושדרוגיםגרסאות עריכהשורהשורותכלליםשמירת ערכי 'אחר' לאפשרויות השדהשמירת אחרחלק (ללא תיבת תיאור)חיפושחיפוש קבוצת שדותחיפוש שדותחיפוש כתובת...חיפוש...מה חדש ב<a href="%s">גרסה %s</a>.בחירה %sבחירת צבעבחירת קבוצת שדותבחר קובץבחירת תמונהבחירת ערכים מרובים?בחירת סוג פוסטבחירת טקסונומיהבחרו בקובץ השדות המיוחדים מסוג JSON שברצונכם לייבא. כשתלחצו על כפתור הייבוא שמתחת, ACF ייבא את קבוצות השדות.בחרו בקבוצות השדות שברצונכם לייצא ואז בחרו במתודת הייצוא. השתמש בכפתור ההורדה כדי לייצא קובץ json אותו תוכלו לייבא להתקנת ACF אחרת. השתמשו בכפתור היצירה כדי לייצא קוד php אותו תוכלו להכניס לתוך ערכת העיצוב שלכם.האלמנטים הנבחרים יוצגו בכל תוצאהשלח טראקבקיםהגדרת רמת הזום הראשוניתקובע את גובה אזור הטקסטהגדרותלהציג כפתורי העלאת מדיה?הצגת קבוצת השדות הזו בתנאי שהצגת השדה בתנאי שמוצג ברשימת קבוצת השדותמוצג בעת הזנת נתוניםשדות אחיםצדערך יחידמילה אחת, ללא רווחים. אפשר להשתמש במקף תחתי ובמקף אמצעימזהה הפוסטהגדרות חכמות יותר לשדותמצטערים, דפדפן זה אינו תומך בזיהוי מיקום גיאוגרפימיון לפי תאריך שינוימיון לפי תאריך העלאהמיון לפי כותרתהגדרת הערך המוחזר בצד הקדמירגיל (תיבת תיאור של וורדפרס)מצבגודל הצעדסגנוןממשק משתמש מסוגנןשדות משנהמנהל עלתמיכה‏JSON במקום XMLסינכרוןסנכרון זמיןסנכרון קבוצת שדותלשוניתטבלהלשוניותתגיותטקסונמיהמונח טקסונומיהמזהה הביטויאוביקט ביטויטקסטאזור טקסטטקסט בלבדתודה שיצרת עם <a href="%s">ACF</a>תודה שעדכנתם ל-%s גרסה %s!תודה שעידכנתם! ACF %s הוא גדול יותר וטוב יותר מאי פעם. מקווים שתאהבו אותו.אפשר עכשיו למצוא את שדה %s בתוך קבוצת השדות %sהשינויים שעשית יאבדו אם תעבור לדף אחרניתן להשתמש בקוד הבא כדי לרשום גרסה מקומית של קבוצות השדה הנבחרות. קבוצת שדות מקומית יכולה להביא לתועלות רבות כמו זמני טעינה מהירים יותר, בקרת גרסאות ושדות/הגדרות דינמיות. פשוט העתיקו והדביקו את הקוד הבא לקובץ functions‪.‬php שבערכת העיצוב שלכם או הוסיפו אותו דרך קובץ חיצוני.הפורמט המוצג בעריכתםה פוסטהפורמט המוחזר דרך פונקציות התבניתשדה הגלריה עבר מתיחת פנים חיונית ביותרלא ניתן להשתמש במחרוזת "field_" בתחילת שם השדהשדה הלשונית יוצג באופן שגוי כשמוסיפים אותו לשדה חזרה שמוצג כטבלה או לשדה פריסת תוכן גמישהאי אפשר להזיז את השדה עד לשמירת השינויים שנעשו בולשדה זה יש מגבלה של  {max} {identifier}לשדה זה דרושים לפחות {min} {identifier}שדה זה דורש לפחות {min} {label} {identifier}השם שיופיע בדף העריכהתמונה ממוזערתכותרתכדי להקל על השידרוג, <a href="%s">התחברו לחשבון שלכם</a> וקבלו חינם עותק של ACF PRO!החלפת מצב הבחירה של כל הקבוצותסרגל כליםכליםמיושר למעלהאמת / שקרסוגמתחת למכסה המנועעדכוןיש עדכון זמיןעדכן קובץעדכון תמונהמידע על העדכוןעדכון התוסףעדכוניםשדרוג מסד נתוניםהודעת שדרוגשדרוג נתונים לגרסה %sהועלה לפוסטמשוייך לפוסטכתובת ‏Urlהשתמשו בלשוניות כדי לארגן את ממשק העריכה טוב יותר באמצעות קיבוץ השדות יחד.להשתמש ב-AJAX כדי לטעון את האפשרויות לאחר שהדף עולהמשתמשטופס משתמשתפקיד משתמשהאימות נכשלהאימות עבר בהצלחההערך חייב להיות מספרהערך חייב להיות כתובת URL תקניתהערך חייב להיות שווה או גדול יותר מ-%dהערך חייב להיות שווה או קטן יותר מ-%dאנכיהצג את השדההצג את קבוצת השדותויזואליעורך ויזואלי ועורך טקסטעורך ויזואלי בלבדכתבנו גם <a href="%s">מדריך שידרוג</a> כדי לענות על כל השאלות, אך אם עדיין יש לכם שאלה, בבקשה צרו קשר עם צוות התמיכה שלנו דרך <a href="%s">מוקד התמיכה</a>אנחנו חושבים שתאהבו את השינויים ב%s.אתרהשבוע מתחיל ביוםברוכים הבאים לשדות מיוחדים מתקדמיםמה חדשווידג׳טמאפייני עוטףעורך ויזואליכןזום‏acf_form() יכול עכשיו ליצור פוסט חדש בעת השליחהוגםמסומןמחלקההעתקמזההשווה ללא שווה לjQueryפריסהפריסות‏שדה הטמעהאוred : אדום מחיקת {פריסה}?רוחב‏{available} {label} {identifier} זמינים (מקסימום {max})‏{required} {label} {identifier} נדרש (מינימום {min})PK�
�[�}�?�?�lang/acf-de_CH.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.7.10\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-01-15 11:15+1000\n"
"PO-Revision-Date: 2019-02-06 15:35+0100\n"
"Last-Translator: Werbelinie AG <hueni@werbelinie.ch>\n"
"Language-Team: Raphael Hüni <rafhun@gmail.com>\n"
"Language: de_CH\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.2\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

# @ acf
#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

# @ acf
#: acf.php:362 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Feld-Gruppen"

# @ acf
#: acf.php:363
msgid "Field Group"
msgstr "Feld-Gruppe"

# @ acf
#: acf.php:364 acf.php:396 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New"
msgstr "Erstellen"

# @ acf
#: acf.php:365
msgid "Add New Field Group"
msgstr "Neue Feld-Gruppe erstellen"

# @ acf
#: acf.php:366
msgid "Edit Field Group"
msgstr "Feld-Gruppe bearbeiten"

# @ acf
#: acf.php:367
msgid "New Field Group"
msgstr "Neue Feld-Gruppe"

# @ acf
#: acf.php:368
msgid "View Field Group"
msgstr "Feld-Gruppe anzeigen"

# @ acf
#: acf.php:369
msgid "Search Field Groups"
msgstr "Feld-Gruppen suchen"

# @ acf
#: acf.php:370
msgid "No Field Groups found"
msgstr "Keine Feld-Gruppen gefunden"

# @ acf
#: acf.php:371
msgid "No Field Groups found in Trash"
msgstr "Keine Feld-Gruppen im Papierkorb gefunden"

# @ acf
#: acf.php:394 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:529
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Felder"

# @ acf
#: acf.php:395
msgid "Field"
msgstr "Feld"

# @ acf
#: acf.php:397
msgid "Add New Field"
msgstr "Feld hinzufügen"

# @ acf
#: acf.php:398
msgid "Edit Field"
msgstr "Feld bearbeiten"

# @ acf
#: acf.php:399 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Neues Feld"

# @ acf
#: acf.php:400
msgid "View Field"
msgstr "Feld anzeigen"

# @ acf
#: acf.php:401
msgid "Search Fields"
msgstr "Felder suchen"

# @ acf
#: acf.php:402
msgid "No Fields found"
msgstr "Keine Felder gefunden"

# @ acf
#: acf.php:403
msgid "No Fields found in Trash"
msgstr "Keine Feld-Gruppen im Papierkorb gefunden"

#: acf.php:442 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:586
msgid "Inactive"
msgstr "Inaktiv"

#: acf.php:447
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inaktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inaktiv <span class=\"count\">(%s)</span>"

# @ acf
#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Feld-Gruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Feld-Gruppe gelöscht."

# @ acf
#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Feld-Gruppe veröffentlicht."

# @ acf
#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Feld-Gruppe gesichert."

# @ acf
#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Feld-Gruppe übertragen."

# @ acf
#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Feld-Gruppe geplant für."

# @ acf
#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Entwurf der Feld-Gruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Der Feldname darf nicht mit \"field_\" beginnen"

# @ acf
#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "Diese Feld kann nicht verschoben werden, bevor es gesichert wurde"

# @ acf
#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Es ist ein Titel für die Feld-Gruppe erforderlich"

# @ acf
#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Wirklich in den Papierkorb verschieben?"

# @ acf
#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Es liegen keine Auswahl-Feld-Typen vor"

# @ acf
#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Benutzerdefiniertes Feld verschieben"

# @ acf
#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Ausgewählt"

# @ acf
#: includes/admin/admin-field-group.php:178 includes/api/api-field.php:320
msgid "(no label)"
msgstr "(ohne Beschreibung)"

# @ acf
#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(Dieses Feld)"

# @ acf
#: includes/admin/admin-field-group.php:180
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopieren"

# @ acf
#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3998
msgid "or"
msgstr "oder"

# @ acf
#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Null"

# @ acf
#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Position"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Einstellungen"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Feldschlüssel"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktiviert"

# @ acf
#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "Verschieben erfolgreich abgeschlossen."

# @ acf
#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Das Feld \"%s\" wurde in die %s Feld-Gruppe verschoben"

# @ acf
#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "Schliessen"

# @ acf
#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "In welche Feld-Gruppe solle dieses Feld verschoben werden"

# @ acf
#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "Feld verschieben"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Veröffentlicht <span class=\"count\">(%s)</span>"
msgstr[1] "Veröffentlicht <span class=\"count\">(%s)</span>"

# @ acf
#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Feld-Gruppe dupliziert."
msgstr[1] "%s Feld-Gruppen dupliziert."

# @ acf
#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Feld-Gruppe synchronisiert."
msgstr[1] "%s Feld-Gruppen synchronisiert."

# @ acf
#: includes/admin/admin-field-groups.php:413
#: includes/admin/admin-field-groups.php:576
msgid "Sync available"
msgstr "Synchronisierung verfügbar"

# @ acf
#: includes/admin/admin-field-groups.php:526 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:372
msgid "Title"
msgstr "Titel"

# @ acf
#: includes/admin/admin-field-groups.php:527
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:399
msgid "Description"
msgstr "Beschreibung"

#: includes/admin/admin-field-groups.php:528
msgid "Status"
msgstr "Status"

# @ acf
#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"Passen Sie WordPress mit leistungsstarken, professionellen und intuitiven "
"Feldern an."

# @ acf
#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Versionshinweise"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Sieh dir die Neuerungen in <a href=\"%s\">Version%s</a> an."

# @ acf
#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Dokumentation (engl.)"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Webseite"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Dokumentation"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Hilfe"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Danke für die Verwendung von <a href=\"%s\">ACF</a>."

# @ acf
#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Dieses Element duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate"
msgstr "Duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Suchen"

# @ acf
#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "%s auswählen"

# @ acf
#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Synchronisiere Feld-Gruppe"

# @ acf
#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Synchronisieren"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Anwenden"

# @ acf
#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Massenverarbeitung"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Werkzeuge"

# @ acf
#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Aktualisiere Datenbank"

# @ acf
#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Übersicht Seiten & Aktualisierungen"

# @ acf
#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Eigene Felder"

# @ acf
#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

# @ acf
#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Was gibt es Neues"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Feld-Gruppen exportieren"

#: 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 "PHP generieren"

# @ acf
#: 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 "Keine Feld-Gruppe ausgewählt"

#: 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] "Eine Feldgruppe exportiert."
msgstr[1] "%s Feldgruppen exportiert."

# @ acf
#: 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 "Felder-Gruppen auswählen"

# @ acf
#: 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 ""
"Entscheide zuerst welche Felder-Gruppen Du exportieren möchtest und wähle im "
"Anschluss das Format in das exportiert werden soll. Klicke den \"JSON-Datei "
"exportieren\"-Button, um eine JSON-Datei zu erhalten, welche Du dann in "
"einer anderen ACF-Installation importieren kannst. Wähle den \"Erstelle PHP-"
"Code\"-Button, um PHP-Code zu erhalten, den Du im Anschluss in der functions."
"php Deines Themes einfügen kannst."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Datei exportieren"

# @ acf
#: 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 ""
"Der nachfolgende Code kann dazu verwendet werden eine lokale Version der "
"ausgewählten Feld-Gruppe(n) zu registrieren. Eine lokale Feld-Gruppe bietet "
"viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische "
"Felder und Einstellungen. Kopiere einfach folgenden Code und füge ihn in die "
"functions.php oder eine externe Datei in Deinem Theme ein."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "In Zwischenablage kopieren"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Kopiert"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Feld-Gruppen importieren"

# @ acf
#: 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 ""
"Wähle die Advanced Custom Fields JSON-Datei aus, welche Du importieren "
"möchtest. Nach dem Klicken des Importieren-Buttons wird ACF die Felder-"
"Gruppen hinzufügen."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Datei auswählen"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Datei importieren"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:99
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Keine Datei ausgewählt"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:109
msgid "Error uploading file. Please try again"
msgstr "Fehler beim Upload. Bitte erneut versuchen"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:115
msgid "Incorrect file type"
msgstr "Falscher Dateityp"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:129
msgid "Import file empty"
msgstr "Die importierte Datei ist leer"

#: includes/admin/tools/class-acf-admin-tool-import.php:235
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Eine Feldgruppe importiert"
msgstr[1] "%s Feldgruppen importiert"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Bedingungen für die Anzeige"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Zeige dieses Feld, wenn"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "und"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Regel-Gruppe hinzufügen"

# @ acf
#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:424
#: pro/fields/class-acf-field-repeater.php:294
msgid "Drag to reorder"
msgstr "Ziehen zum Sortieren"

# @ acf
#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Feld bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:359
msgid "Edit"
msgstr "Bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Feld duplizieren"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Feld in eine andere Gruppe verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Feld löschen"

# @ acf
#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete"
msgstr "Löschen"

# @ acf
#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Bezeichnung"

# @ acf
#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Dieser Name wird in der Bearbeitungs-Ansicht eines Beitrags angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Feld-Name"

# @ acf
#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Nur ein Wort ohne Leerzeichen; es sind nur Unterstriche und Bindestriche als "
"Sonderzeichen erlaubt"

# @ acf
#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Feld-Typ"

# @ acf
#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Anweisungen"

# @ acf
#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Anweisungen für Autoren werden in der Bearbeitungs-Ansicht angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Erforderlich?"

# @ acf
#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Wrapper-Attribute"

# @ acf
#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "Breite"

# @ acf
#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "Klasse"

# @ acf
#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "ID"

# @ acf
#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Feld schliessen"

# @ acf
#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Reihenfolge"

# @ 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:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Label"
msgstr "Name"

# @ acf
#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:610
msgid "Name"
msgstr "Feld-Name"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Feld-Schlüssel"

# @ acf
#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

# @ acf
#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Es sind noch keine Felder angelegt. Klicke den <strong>+ Feld hinzufügen-"
"Button</strong> und erstelle Dein erstes Feld."

# @ acf
#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Feld hinzufügen"

# @ acf
#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regeln"

# @ acf
#: 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 ""
"Erstelle ein Regelwerk das festlegt welche Bearbeitungs-Ansichten diese Feld-"
"Gruppe nutzen dürfen"

# @ acf
#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

# @ acf
#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "WP-Metabox (Standard)"

# @ acf
#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Übergangslos ohne Metabox"

# @ acf
#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

# @ acf
#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Nach dem Titel vor dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Nach dem Inhalt (Standard)"

# @ acf
#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Seitlich neben dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Platzierung Beschriftung"

# @ acf
#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Über dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Links neben dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Platzierung der Hinweise"

# @ acf
#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Unterhalb der Beschriftung"

# @ acf
#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Unterhalb der Felder"

# @ acf
#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Sortiernr."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Feld-Gruppen mit einem niedrigeren Wert werden zuerst angezeigt"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Wird in der Feld-Gruppen-Liste angezeigt"

# @ acf
#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Permalink"

# @ acf
#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Inhalts-Editor"

# @ acf
#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Kurzfassung"

# @ acf
#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Diskussion"

# @ acf
#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Kommentare"

# @ acf
#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revisionen"

# @ acf
#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Kurzlink"

# @ acf
#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

# @ acf
#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

# @ acf
#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Seiten-Attribute"

# @ acf
#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Beitragsbild"

# @ acf
#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategorien"

# @ acf
#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Schlagworte"

# @ acf
#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Sende Trackbacks"

# @ acf
#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Verstecken"

# @ acf
#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<strong>Ausgewählte</strong> Elemente werden <strong>versteckt</strong>."

# @ acf
#: includes/admin/views/field-group-options.php:129
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 ""
"Sind für einen Bearbeiten-Dialog mehrere Felder-Gruppen definiert, werden "
"die Optionen der ersten Felder-Gruppe angewendet (die mit der niedrigsten "
"Nummer für die Reihenfolge)."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Die folgenden Seiten ben&ouml;tigen ein DB Upgrade. W&auml;hle jene aus, die "
"du aktualisieren willst und klicke dann %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Seiten aktualisieren"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Seite"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Die Seite erfordert eine Datenbank-Aktualisierung von %s auf %s"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Seite ist aktuell"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Datenbank-Aktualisierung fertiggestellt. <a href=\"%s\">Zum Netzwerk "
"Dashboard</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr ""
"Bitte wählen Sie mindestens eine Seite aus, um ein Upgrade durchzuführen."

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Es wird dringend dazu angeraten, dass Du Deine Datenbank sicherst, bevor Du "
"fortfährst. Bist Du sicher, dass Du die Aktualisierung jetzt durchführen "
"willst?"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Aktualisiere Daten auf Version %s"

# @ default
#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Upgrade abgeschlossen"

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Upgrade gescheitert."

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Lese anstehende Aufgaben für die Aktualisierung..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "Datenbank-Upgrade abgeschlossen. <a href=\"%s\">Schau was neu ist</a>"

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "Keine Aktualisierungen verfügbar."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Zurück zu allen Werkzeugen"

# @ acf
#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Zeige diese Felder, wenn"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Wiederholung"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Flexible Inhalte"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Options-Seite"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Es ist eine Datenbank-Aktualisierung notwendig"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Danke für die Aktualisierung auf %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Diese Version enthält Verbesserungen an Ihrer Datenbank und erfordert ein "
"Upgrade."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) vorab auf die "
"neueste Version aktualisiert wurden."

# @ acf
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Zusatz-Module"

# @ acf
#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Download & Installieren"

# @ acf
#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installiert"

# @ acf
#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Willkommen bei Advanced Custom Fields"

# @ acf
#: 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 ""
"Danke fürs Aktualisieren! ACF %s ist besser denn je. Wir hoffen es wird Dir "
"genauso gut gefallen wie uns."

# @ acf
#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Eine reibungslosere Erfahrung"

# @ acf
#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Verbesserte Benutzerfreundlichkeit"

# @ acf
#: includes/admin/views/settings-info.php:20
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 ""
"Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die "
"Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie "
"Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern "
"signifikant verbessert."

# @ acf
#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Verbessertes Design"

# @ acf
#: includes/admin/views/settings-info.php:25
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 ""
"Viele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! "
"Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das "
"nagelneue oEmbed-Feld!"

# @ acf
#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Verbesserte Datenstruktur"

# @ acf
#: includes/admin/views/settings-info.php:30
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 ""
"Die Neugestaltung der Datenarchitektur erlaubt es, dass Felder unabhängig "
"von ihren übergeordneten Feldern existieren können. Dies ermöglicht, dass "
"Felder per Drag-and-Drop, in und aus ihren übergeordneten Feldern verschoben "
"werden können!"

# @ acf
#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Macht's gut Add-ons&hellip; Hallo PRO"

# @ acf
#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Wir dürfen vorstellen&hellip; ACF PRO"

# @ acf
#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung "
"gestellt wird geändert - das \"wie\" dürfte Dich begeistern!"

# @ acf
#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Alle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen "
"<a href=\"%s\">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-"
"Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, "
"ist somit erschwinglicher denn je!"

# @ acf
#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Leistungsstarke Funktionen"

# @ acf
#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible "
"Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit "
"zusätzliche Options-Seiten im Admin-Bereich anzulegen!"

# @ acf
#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lies mehr über die <a href=\"%s\">ACF PRO Funktionen</a>."

# @ acf
#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Kinderleichte Aktualisierung"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"Die Aktualisierung auf ACF PRO ist einfach. Kaufen Sie einfach eine Lizenz "
"online und laden Sie das Plugin herunter!"

# @ acf
#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Um möglichen Fragen vorzubeugen haben wir haben eine <a href=\"%s\"> "
"Anleitung für den Aktualisierungs-Prozess (Engl.)</a> verfasst. Sollten "
"dennoch Fragen aufgeworfen werden, kontaktiere bitte unser <a href=\"%s\"> "
"Support-Team </a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Neue Features"

# @ acf
#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Link Feld"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Das Link-Feld bietet eine einfache Möglichkeit, einen Link auszuwählen oder "
"zu definieren (URL, Titel, Ziel)."

# @ acf
#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Gruppenfeld"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""
"Das Gruppenfeld bietet eine einfache Möglichkeit, eine Gruppe von Feldern zu "
"schaffen."

# @ acf
#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "oEmbed Feld"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Das oEmbed-Feld ermöglicht eine einfache Möglichkeit, Videos, Bilder, "
"Tweets, Audio und andere Inhalte einzubetten."

# @ acf
#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Klonen Feld"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"Das Klon-Feld ermöglicht es Ihnen, bestehende Felder auszuwählen und "
"anzuzeigen."

# @ acf
#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Mehr AJAX"

# @ acf
#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Mehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von "
"Seiten deutlich verringert."

# @ acf
#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Lokales JSON"

# @ acf
#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Der neue automatische Export in JSON verbessert die Geschwindigkeit und "
"ermöglicht eine Synchronisierung."

# @ acf
#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Einfacher Import / Export"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Sowohl der Import als auch der Export können einfach über eine neue "
"Werkzeugseite erfolgen."

# @ acf
#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Neue Positionen für Formulare"

# @ acf
#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Felder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen "
"Benutzer-Formularen zugeordnet werden!"

# @ acf
#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Weitere Anpassungen"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Neue PHP (und JS)-Aktionen und Filter wurden hinzugefügt, um mehr "
"Anpassungen zu ermöglichen."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Frisches UI"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Ein Design-Refresh für das gesamte Plugin, inklusive neue Feldtypen, "
"Einstellungen und Design wurde eingeführt!"

# @ acf
#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Neue Einstellungen"

# @ acf
#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Die Feldgruppen wurden um die Einstellungen für das Aktivieren und "
"Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen "
"sowie eine Beschreibung erweitert."

# @ acf
#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Verbesserte Front-End-Formulare"

# @ acf
#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen "
"inklusive vieler neuer Einstellungsmöglichkeiten."

# @ acf
#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Bessere Validierung"

# @ acf
#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, anstatt "
"nur JS zu verwenden."

# @ acf
#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Verschiebbare Felder"

# @ acf
#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Die neue Feld-Gruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen "
"und übergeordneten Gruppen frei zu verschieben."

# @ acf
#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Wir glauben Du wirst die Änderungen in %s lieben."

# @ acf
#: includes/api/api-helpers.php:1011
msgid "Thumbnail"
msgstr "Miniaturbild"

# @ acf
#: includes/api/api-helpers.php:1012
msgid "Medium"
msgstr "Mittel"

# @ acf
#: includes/api/api-helpers.php:1013
msgid "Large"
msgstr "Gross"

# @ acf
#: includes/api/api-helpers.php:1062
msgid "Full Size"
msgstr "Volle Grösse"

# @ acf
#: includes/api/api-helpers.php:1831 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(ohne Titel)"

# @ acf
#: includes/api/api-helpers.php:3919
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Die Breite des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3924
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Die Breite des Bildes darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3940
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Die Höhe des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3945
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Die Höhe des Bild darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3963
#, php-format
msgid "File size must be at least %s."
msgstr "Die Dateigrösse muss mindestens %s sein."

# @ acf
#: includes/api/api-helpers.php:3968
#, php-format
msgid "File size must must not exceed %s."
msgstr "Die Dateigrösse darf %s nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:4002
#, php-format
msgid "File type must be %s."
msgstr "Der Dateityp muss %s sein."

# @ acf
#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wird"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Auswählen"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Bearbeiten"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Zu diesem Beitrag hochgeladen"

# @ acf
#: includes/assets.php:175
msgid "Expand Details"
msgstr "Details einblenden"

# @ acf
#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Details ausblenden"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Eingeschränkt"

# @ acf
#: includes/assets.php:178 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Alle Bilder"

# @ acf
#: includes/assets.php:181
msgid "Validation successful"
msgstr "Überprüfung erfolgreich"

# @ acf
#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Überprüfung fehlgeschlagen"

# @ acf
#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "Für 1 Feld ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "Für %d Felder ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Sind Sie sicher?"

# @ acf
#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Ja"

# @ acf
#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Nein"

# @ acf
#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:360
#: pro/fields/class-acf-field-gallery.php:549
msgid "Remove"
msgstr "Entfernen"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Abbrechen"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Hat beliebigen Wert"

#: includes/assets.php:195
msgid "Has no value"
msgstr "Hat keinen Wert"

# @ acf
#: includes/assets.php:196
msgid "Value is equal to"
msgstr "Wert entspricht"

# @ acf
#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "Wert entspricht nicht"

# @ acf
#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "Wert entspricht regulärem Ausdruck"

#: includes/assets.php:199
msgid "Value contains"
msgstr "Wert enthält"

# @ acf
#: includes/assets.php:200
msgid "Value is greater than"
msgstr "Wert ist grösser als"

# @ acf
#: includes/assets.php:201
msgid "Value is less than"
msgstr "Wert ist geringer als"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "Die Auswahl ist grösser als"

# @ acf
#: includes/assets.php:203
msgid "Selection is less than"
msgstr "Auswahl ist geringer als"

# @ acf
#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Feld-Gruppen bearbeiten"

# @ acf
#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Feld-Typ existiert nicht"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Unbekannt"

# @ acf
#: includes/fields.php:349
msgid "Basic"
msgstr "Grundlage"

# @ acf
#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Inhalt"

# @ acf
#: includes/fields.php:351
msgid "Choice"
msgstr "Auswahl"

# @ acf
#: includes/fields.php:352
msgid "Relational"
msgstr "Relational"

# @ acf
#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

# @ acf
#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:567
#: pro/fields/class-acf-field-flexible-content.php:616
#: pro/fields/class-acf-field-repeater.php:443
msgid "Layout"
msgstr "Layout"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Akkordeon"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Offen"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Zeigen Sie dieses Akkordeon geöffnet an, wenn die Seite lädt."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Multi-expandieren"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Lassen Sie dieses Akkordeon öffnen, ohne andere zu schliessen."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Endpunkt"

#: 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 ""
"Definieren Sie einen Endpunkt für das bisherige Akkordeon zu stoppen. Dieses "
"Akkordeon wird nicht zu sehen sein."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Button Gruppe"

# @ 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:364
msgid "Choices"
msgstr "Auswahlmöglichkeiten"

# @ acf
#: 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:365
msgid "Enter each choice on a new line."
msgstr "Jede Auswahlmöglichkeit in separater Zeile eingeben."

# @ acf
#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Für eine bessere Darstellung, kannst Du auch einen Wert und dazu dessen "
"Beschriftung definieren:"

# @ acf
#: 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:365
msgid "red : Red"
msgstr "rot : Rot"

# @ 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "NULL-Werte zulassen?"

# @ acf
#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: 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:381
msgid "Default Value"
msgstr "Standardwert"

# @ acf
#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Erscheint bei der Erstellung eines neuen Beitrags"

# @ acf
#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertikal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Rückgabewert"

# @ acf
#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Legt den Rückgabewert für das Front-End fest"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Wert"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Beide (Array)"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Checkbox"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Alle auswählen"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Neue Auswahlmöglichkeit hinzufügen"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Erlaube benutzerdefinierte Felder"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Erlaube das Hinzufügen benutzerdefinierter Werte"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Benutzerdefinierte Werte sichern"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""
"Sichere benutzerdefinierte Werte zu den Auswahlmöglichkeiten des Feldes"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Jeden Standardwert in einer neuen Zeile eingeben"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Auswählen"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"Hänge eine zusätzliche Checkbox an mit der man alle Optionen auswählen kann"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Farbe"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Leeren"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Standard"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Farbe auswählen"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Aktuelle Farbe"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Datum"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Schliessen"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Heute"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Weiter"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Zurück"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "KW"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Darstellungs-Format"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Das Datums-Format für die Anzeige in der Bearbeitungs-Ansicht"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Benutzerdefiniert:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Format sichern"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Das verwendete Format, wenn der Wert gesichert wird"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
msgid "Return Format"
msgstr "Rückgabewert"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Das Datums-Format für die Ausgabe in den Template-Funktionen"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Die Woche beginnt am"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Datum/Uhrzeit"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Zeit setzen"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Zeit"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Stunde"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minute"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunde"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisekunde"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunde"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Zeitzone"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Jetzt"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Schliessen"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Auswählen"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

# @ acf
#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-Mail"

# @ acf
#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Platzhalter-Text"

# @ acf
#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Platzhalter-Text solange keine Eingabe im Feld vorgenommen wurde"

# @ acf
#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Voranstellen"

# @ acf
#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Wird dem Eingabefeld vorangestellt"

# @ acf
#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Anhängen"

# @ acf
#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Wird dem Eingabefeld hinten angestellt"

# @ acf
#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Datei"

# @ acf
#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Datei bearbeiten"

# @ acf
#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Datei aktualisieren"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Dateiname"

# @ acf
#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:708
#: pro/fields/class-acf-field-gallery.php:737
msgid "File size"
msgstr "Dateigrösse"

# @ acf
#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Datei hinzufügen"

# @ acf
#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Datei-Array"

# @ acf
#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Datei-URL"

# @ acf
#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "Datei-ID"

# @ acf
#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:673
msgid "Library"
msgstr "Medienübersicht"

# @ acf
#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:674
msgid "Limit the media library choice"
msgstr "Beschränkt die Auswahl in der Medienübersicht"

# @ acf
#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:679
msgid "All"
msgstr "Alle"

# @ acf
#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:680
msgid "Uploaded to post"
msgstr "Für den Beitrag hochgeladen"

# @ acf
#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:687
msgid "Minimum"
msgstr "Minimum"

# @ acf
#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr ""
"Erlaubt nur das Hochladen von Dateien die die angegebenen Eigenschaften "
"erfüllen"

# @ acf
#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:716
msgid "Maximum"
msgstr "Maximum"

# @ acf
#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:745
msgid "Allowed file types"
msgstr "Erlaubte Datei-Formate"

# @ acf
#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:746
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Komma separierte Liste; ein leeres Feld bedeutet alle Dateiformate sind "
"erlaubt"

# @ acf
#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Maps"

# @ acf
#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Dieser Browser unterstützt keine Geo-Lokation"

# @ acf
#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Position löschen"

# @ acf
#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Aktuelle Position finden"

# @ acf
#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Nach der Adresse suchen..."

# @ acf
#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Kartenmittelpunkt"

# @ acf
#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Der Mittelpunkt der Ausgangskarte"

# @ acf
#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Zoom"

# @ acf
#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Legt die Zoomstufe der Karte fest"

# @ acf
#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:699
#: pro/fields/class-acf-field-gallery.php:728
msgid "Height"
msgstr "Höhe"

# @ acf
#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Passt die Höhe der Karte an"

# @ acf
#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Gruppe"

# @ acf
#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:379
msgid "Sub Fields"
msgstr "Wiederholungsfelder"

#: 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 "Gib an, wie die ausgewählten Felder angezeigt werden sollen"

# @ acf
#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:627
#: pro/fields/class-acf-field-repeater.php:451
msgid "Block"
msgstr "Block"

# @ acf
#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:626
#: pro/fields/class-acf-field-repeater.php:450
msgid "Table"
msgstr "Tabelle"

# @ acf
#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:452
msgid "Row"
msgstr "Reihe"

# @ acf
#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Bild"

# @ acf
#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Bild auswählen"

# @ acf
#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Bild bearbeiten"

# @ acf
#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Bild aktualisieren"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Kein Bild ausgewählt"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Bild hinzufügen"

# @ acf
#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Bild-Array"

# @ acf
#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Bild-URL"

# @ acf
#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "Bild-ID"

# @ acf
#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Masse der Vorschau"

# @ acf
#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Legt fest welche Masse die Vorschau in der Bearbeitungs-Ansicht hat"

# @ acf
#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Restrict which images can be uploaded"
msgstr ""
"Erlaubt nur das Hochladen von Bildern, die die angegebenen Eigenschaften "
"erfüllen"

# @ acf
#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:691
#: pro/fields/class-acf-field-gallery.php:720
msgid "Width"
msgstr "Breite"

# @ acf
#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

# @ acf
#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Link auswählen"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Öffnet in einem neuen Fenster/Tab"

# @ acf
#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Link Array"

# @ acf
#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Link URL"

# @ acf
#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Nachricht"

# @ acf
#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Neue Zeilen"

# @ acf
#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Legt fest wie Zeilenumbrüche gehandhabt werden"

# @ acf
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Absätze automatisch hinzufügen"

# @ acf
#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Zeilenumbrüche ( &lt;br&gt; ) automatisch hinzufügen"

# @ acf
#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Keine Formatierung"

# @ acf
#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "HTML enkodieren"

# @ acf
#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Bei aktiver Option wird HTML Code als solcher angezeigt und nicht "
"interpretiert"

# @ acf
#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Numerisch"

# @ acf
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Mindestwert"

# @ acf
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Maximalwert"

# @ acf
#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Schrittweite"

# @ acf
#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Wert muss eine Zahl sein"

# @ acf
#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Wert muss grösser oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Wert muss kleiner oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

# @ acf
#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "URL eingeben"

# @ acf
#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Masse"

# @ acf
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Seiten-Link"

# @ acf
#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archive"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Eltern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Nach Post Types filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Alle verfügbaren Post Types"

# @ acf
#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Nach Taxonomien filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Alle Taxonomien"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Archiv URLs erlauben"

# @ acf
#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Mehrere Werte auswählbar?"

# @ acf
#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Passwort"

# @ acf
#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Beitrags-Objekt"

# @ acf
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "Beitrags-ID"

# @ acf
#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radio-Button"

# @ acf
#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Sonstige"

# @ acf
#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""
"Fügt die Option 'Sonstige' hinzu, welche erlaubt, benutzerdefinierte Werte "
"hinzuzufügen"

# @ acf
#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "'Sonstige' speichern"

# @ acf
#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Füge 'Sonstige'-Werte zu den Auswahl Optionen hinzu"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Range"

# @ acf
#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Beziehung"

# @ acf
#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Maximum der Einträge mit ({max} Einträge) erreicht"

# @ acf
#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Lade"

# @ acf
#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Keine Übereinstimmung gefunden"

# @ acf
#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Beitrag-Typ auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Taxonomie auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Suchen..."

# @ acf
#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filter"

# @ acf
#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Beitrags-Typ"

# @ acf
#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

# @ acf
#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elemente"

# @ acf
#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Die ausgewählten Elemente werden in jedem Ergebnis mit angezeigt"

# @ acf
#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Min. Anzahl der Beiträge"

# @ acf
#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Max. Anzahl der Beiträge"

# @ acf
#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:818
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s benötigt mindestens %s Selektion"
msgstr[1] "%s benötigt mindestens %s Selektionen"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Auswahlmenü"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Ein Resultat gefunden, mit Enter auswählen."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d Resultate gefunden, benutze die Pfeiltasten um zu navigieren."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Keine Übereinstimmungen gefunden"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Bitte eins oder mehrere Zeichen eingeben"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Bitte %d mehr Zeichen eingeben"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Bitte ein Zeichen löschen"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Bitte %d Zeichen löschen"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Du kannst du ein Resultat wählen"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Du kannst nur %d Resultate auswählen"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Lade weitere Resultate&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Suche&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Fehler beim Laden"

# @ acf
#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Modernes Auswahlfeld"

# @ acf
#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "AJAX zum Laden der Einträge aktivieren?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Rückgabewert festlegen"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Trennelement"

# @ acf
#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Tab"

# @ acf
#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Platzierung Tabs"

#: 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 ""
"Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der "
"Startpunkt für eine neue Gruppe an Tabs."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Keine %s"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Wähle die Taxonomie, welche angezeigt werden soll"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Anzeige"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Wähle das Aussehen für dieses Feld"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Mehrere Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Auswahlmenü"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Einzelne Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Radio Button"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Neue Einträge erlauben"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Erlaube das Erstellen neuer Einträge beim Editieren"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Einträge speichern"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Speichert die ausgewählten Einträge auch im Beitrag"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Einträge laden"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Den Wert von den Einträgen des Beitrags laden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Begriffs-Objekt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "Begriffs-ID"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Der Benutzer kann keine neue %s hinzufügen"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s ist bereits vorhanden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s hinzugefügt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Hinzufügen"

# @ acf
#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text einzeilig"

# @ acf
#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Zeichenbegrenzung"

# @ acf
#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Ein leeres Eingabefeld bedeutet keine Begrenzung"

# @ acf
#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Text mehrzeilig"

# @ acf
#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Zeilenanzahl"

# @ acf
#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Definiert die Höhe des Textfelds"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Uhrzeit"

# @ acf
#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Ja/Nein"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Zeigt Text neben der Checkbox"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Wenn aktiv"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Angezeigter Text im aktiven Zustand"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Wenn inaktiv"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Angezeigter Text im inaktiven Zustand"

# @ acf
#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

# @ acf
#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Bitte eine gültige URL eingeben"

# @ acf
#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Benutzer"

# @ acf
#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Filtere nach Benutzerrollen"

# @ acf
#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Alle Benutzerrollen"

# @ acf
#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Benutzer-Array"

# @ acf
#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Benutzer-Objekt"

# @ acf
#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "Benutzer ID"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "WYSIWYG-Editor"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Klicken um TinyMCE zu initialisieren"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Tabs"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visuell & Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Nur Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Nur Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Werkzeugleiste"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Button zum Hochladen von Medien anzeigen?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Initialisierung verzögern?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE wird nicht initialisiert bis das Feld geklickt wird"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "E-Mail bestätigen"

# @ acf
#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:591
#: pro/options-page.php:81
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Beitrag aktualisiert"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam erkannt"

# @ acf
#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Beitrag"

# @ acf
#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Seite"

# @ acf
#: includes/locations.php:96
msgid "Forms"
msgstr "Formulare"

# @ acf
#: includes/locations.php:243
msgid "is equal to"
msgstr "ist gleich"

# @ acf
#: includes/locations.php:244
msgid "is not equal to"
msgstr "ist ungleich"

# @ acf
#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Dateianhang"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Alle %s Formate"

# @ acf
#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentar"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Aktuelle Benutzer-Rolle"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super-Admin"

# @ acf
#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Aktueller Benutzer"

# @ acf
#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Ist angemeldet"

# @ acf
#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Ist im Front-End"

# @ acf
#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Ist im Back-End"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menüelement"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menü"

# @ acf
#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Menüpositionen"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menüs"

# @ acf
#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Übergeordnete Seite"

# @ acf
#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Seiten-Template"

# @ acf
#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Standard-Template"

# @ acf
#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Seitentyp"

# @ acf
#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Startseite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Beitrags-Seite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Seite ohne übergeordnete Seiten"

# @ acf
#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Übergeordnete Seite (mit Unterseiten)"

# @ acf
#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Unterseite (mit übergeordneter Seite)"

# @ acf
#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Beitrags-Kategorie"

# @ acf
#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Beitrags-Format"

# @ acf
#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Beitrags-Status"

# @ acf
#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Beitrags-Taxonomie"

# @ acf
#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Beitrags-Vorlage"

# @ acf
#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Benutzer-Formular"

# @ acf
#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Hinzufügen / Bearbeiten"

# @ acf
#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registrieren"

# @ acf
#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Benutzerrolle"

# @ acf
#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

# @ acf
#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s Wert ist notwendig"

# @ acf
#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

# @ acf
#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Veröffentlichen"

# @ acf
#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Keine Feld-Gruppen für die Options-Seite gefunden. <a href=\"%s\">Erstelle "
"eine Feld-Gruppe</a>"

# @ acf
#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr ""
"<b>Fehler</b>. Verbindung zum Update-Server konnte nicht hergestellt werden"

# @ acf
#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aktualisierungen"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Fehler</b>. Konnte das Update-Paket nicht authentifizieren. Bitte "
"überprüfen Sie noch einmal oder reaktivieren Sie Ihre ACF PRO-Lizenz."

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Lizenz deaktivieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Lizenz aktivieren"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Lizenzinformationen"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Bitte gib unten deinen Lizenzschlüssel ein, um Updates freizuschalten. "
"Solltest du keinen Lizenzschlüssel haben, findest du hier <a href=\"%s\" "
"target=\"_blank\">Details & Preise</a>."

# @ acf
#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Lizenzschlüssel"

# @ acf
#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Aktualisierungsinformationen"

# @ acf
#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Installierte Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Aktuellste Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Aktualisierung verfügbar"

# @ acf
#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Plugin aktualisieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Bitte gib oben Deinen Lizenzschlüssel ein um die Update-Fähigkeit "
"freizuschalten"

# @ acf
#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Erneut suchen"

# @ acf
#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Aktualisierungs-Hinweis"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klonen"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Wähle eines oder mehrere Felder aus, das/die du klonen willst"

# @ acf
#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Anzeige"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Gib an, wie die geklonten Felder ausgegeben werden sollen"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Felds "
"an)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Bezeichnungen werden angezeigt als %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Präfix für Feld Bezeichnungen"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Werte werden gespeichert als %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Präfix für Feld Namen"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Unbekanntes Feld"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Unbekannte Feld-Gruppe"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Alle Felder der %s Feld-Gruppe"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:463
msgid "Add Row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:938
#: pro/fields/class-acf-field-flexible-content.php:1020
msgid "layout"
msgid_plural "layouts"
msgstr[0] "Layout"
msgstr[1] "Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "Einträge"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:937
#: pro/fields/class-acf-field-flexible-content.php:1019
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Dieses Feld erfordert mindestens {min} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Dieses Feld erlaubt höchstens {max} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} möglich (max {max})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} erforderlich (min {min})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibler Inhalt benötigt mindestens ein Layout"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:302
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klicke \"%s\" zum Erstellen des Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:427
msgid "Add layout"
msgstr "Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:428
msgid "Remove layout"
msgstr "Layout entfernen"

#: pro/fields/class-acf-field-flexible-content.php:429
#: pro/fields/class-acf-field-repeater.php:296
msgid "Click to toggle"
msgstr "Zum Auswählen anklicken"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder Layout"
msgstr "Layout sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder"
msgstr "Sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete Layout"
msgstr "Layout löschen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate Layout"
msgstr "Layout duplizieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New Layout"
msgstr "Neues Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Min"
msgstr "Min"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:656
msgid "Max"
msgstr "Max"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:683
#: pro/fields/class-acf-field-repeater.php:459
msgid "Button Label"
msgstr "Button-Beschriftung"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:692
msgid "Minimum Layouts"
msgstr "Minimum Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:701
msgid "Maximum Layouts"
msgstr "Maximum Layouts"

# @ acf
#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Bild zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Maximale Auswahl erreicht"

# @ acf
#: pro/fields/class-acf-field-gallery.php:338
msgid "Length"
msgstr "Länge"

#: pro/fields/class-acf-field-gallery.php:381
msgid "Caption"
msgstr "Beschriftung"

#: pro/fields/class-acf-field-gallery.php:390
msgid "Alt Text"
msgstr "Alt Text"

# @ acf
#: pro/fields/class-acf-field-gallery.php:562
msgid "Add to gallery"
msgstr "Zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:566
msgid "Bulk actions"
msgstr "Massenverarbeitung"

# @ acf
#: pro/fields/class-acf-field-gallery.php:567
msgid "Sort by date uploaded"
msgstr "Sortiere nach Upload-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:568
msgid "Sort by date modified"
msgstr "Sortiere nach Änderungs-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:569
msgid "Sort by title"
msgstr "Sortiere nach Titel"

# @ acf
#: pro/fields/class-acf-field-gallery.php:570
msgid "Reverse current order"
msgstr "Aktuelle Sortierung umkehren"

# @ acf
#: pro/fields/class-acf-field-gallery.php:588
msgid "Close"
msgstr "Schliessen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum Selection"
msgstr "Minimale Auswahl"

# @ acf
#: pro/fields/class-acf-field-gallery.php:651
msgid "Maximum Selection"
msgstr "Maximale Auswahl"

#: pro/fields/class-acf-field-gallery.php:660
msgid "Insert"
msgstr "Einfügen"

#: pro/fields/class-acf-field-gallery.php:661
msgid "Specify where new attachments are added"
msgstr "Gib an, wo neue Anhänge eingefügt werden sollen"

#: pro/fields/class-acf-field-gallery.php:665
msgid "Append to the end"
msgstr "Am Schluss anhängen"

#: pro/fields/class-acf-field-gallery.php:666
msgid "Prepend to the beginning"
msgstr "Vor Beginn einfügen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:656
msgid "Minimum rows reached ({min} rows)"
msgstr "Minimum der Einträge mit ({min} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximum der Einträge mit ({max} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:333
msgid "Add row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:334
msgid "Remove row"
msgstr "Eintrag löschen"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Collapsed"
msgstr "Zugeklappt"

#: pro/fields/class-acf-field-repeater.php:413
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Wähle welches der Wiederholungsfelder im zugeklappten Zustand angezeigt "
"werden soll"

# @ acf
#: pro/fields/class-acf-field-repeater.php:423
msgid "Minimum Rows"
msgstr "Minimum der Einträge"

# @ acf
#: pro/fields/class-acf-field-repeater.php:433
msgid "Maximum Rows"
msgstr "Maximum der Einträge"

# @ acf
#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Keine Options-Seiten vorhanden"

# @ acf
#: pro/options-page.php:51
msgid "Options"
msgstr "Optionen"

# @ acf
#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Optionen aktualisiert"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Bitte gib auf der Seite <a href=\"%s\">Aktualisierungen</a> deinen "
"Lizenzschlüssel ein, um Updates zu aktivieren. Solltest du keinen "
"Lizenzschlüssel haben, findest du hier <a href=\"%s\" target=\"_blank"
"\">Details & Preise</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

# @ acf
#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

# @ acf
#~ msgid "Parent fields"
#~ msgstr "Übergeordnete Felder"

# @ acf
#~ msgid "Sibling fields"
#~ msgstr "Geschwister-Felder"

# @ acf
#~ msgid "%s field group duplicated."
#~ msgid_plural "%s field groups duplicated."
#~ msgstr[0] "%s Feld-Gruppe dupliziert."
#~ msgstr[1] "%s Feld-Gruppen dupliziert."

# @ acf
#~ msgid "%s field group synchronised."
#~ msgid_plural "%s field groups synchronised."
#~ msgstr[0] "%s Feld-Gruppe synchronisiert."
#~ msgstr[1] "%s Feld-Gruppen synchronisiert."

#~ msgid "Error validating request"
#~ msgstr "Fehler beim Überprüfen der Anfrage"

# @ acf
#~ msgid "<b>Error</b>. Could not load add-ons list"
#~ msgstr ""
#~ "<b>Fehler</b>. Die Liste der Zusatz-Module kann nicht geladen werden"

# @ acf
#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Advanced Custom Fields Datenbank Aktualisierung"

# @ acf
#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Bevor Du die tollen neuen Funktionen nutzen kannst muss die Datenbank "
#~ "aktualisiert werden."

# @ acf
#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Wir haben den Aktualisierungsprozess so einfach wie möglich gehalten; <a "
#~ "href=\"%s\">melde  Dich mit Deinem Store-Account an</a> und fordere ein "
#~ "Gratisexemplar von ACF PRO an!"

# @ acf
#~ msgid "Under the Hood"
#~ msgstr "Unter der Haube"

# @ acf
#~ msgid "Smarter field settings"
#~ msgstr "Intelligentere Feld-Einstellungen"

# @ acf
#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr ""
#~ "ACF speichert nun die Feld-Einstellungen als individuelle Beitrags-Objekte"

# @ acf
#~ msgid "Better version control"
#~ msgstr "Verbesserte Versionskontrolle"

# @ acf
#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Die neue JSON Export Funktionalität erlaubt die Versionskontrolle von "
#~ "Feld-Einstellungen"

# @ acf
#~ msgid "Swapped XML for JSON"
#~ msgstr "JSON ersetzt XML"

# @ acf
#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "Das Import- und Export-Modul nutzt nun JSON anstelle XML"

# @ acf
#~ msgid "New Forms"
#~ msgstr "Neue Formulare"

# @ acf
#~ msgid "A new field for embedding content has been added"
#~ msgstr "Ein neues Feld für das Einbetten von Inhalten wurde hinzugefügt"

# @ acf
#~ msgid "New Gallery"
#~ msgstr "Neue Galerie"

# @ acf
#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr ""
#~ "Das Galerie-Feld wurde einem längst überfälligen Face-Lifting unterzogen"

# @ acf
#~ msgid "Relationship Field"
#~ msgstr "Beziehungs-Feld"

# @ acf
#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr ""
#~ "Neue Einstellungen innerhalb des Beziehungs-Feldes um nach Suche, "
#~ "Beitrags-Typ und oder Taxonomie filtern zu können"

# @ acf
#~ msgid "New archives group in page_link field selection"
#~ msgstr ""
#~ "Im neuen Seitenlink-Feld werden alle Archiv-URL's der verfügbaren Custom "
#~ "Post Types in einer Options-Gruppe zusammengefasst"

# @ acf
#~ msgid "Better Options Pages"
#~ msgstr "Verbesserte Options-Seiten"

# @ acf
#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Neue Funktionen für die Options-Seite erlauben die Erstellung von Menüs "
#~ "für übergeordnete Seiten sowie Unterseiten"

# @ acf
#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportieren der Feld-Gruppen nach PHP"

# @ acf
#~ msgid "Download export file"
#~ msgstr "JSON-Datei exportieren"

# @ acf
#~ msgid "Generate export code"
#~ msgstr "Erstelle PHP-Code"

# @ acf
#~ msgid "Import"
#~ msgstr "Importieren"

# @ acf
#~ msgid "Locating"
#~ msgstr "Lokalisiere"

#~ msgid "Error."
#~ msgstr "Fehler."

# @ acf
#~ msgid "No embed found for the given URL."
#~ msgstr "Keine Inhalte für die eingegebene URL gefunden."

# @ acf
#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Minimum der Einträge mit ({min} Einträge) erreicht"

# @ acf
#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Ein Tab-Feld wird nicht korrekt dargestellt, wenn es zu einem "
#~ "Wiederholung- oder Flexible-Inhalte-Feld im Tabellen-Layout eingebunden "
#~ "ist"

# @ acf
#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Mit \"Tab Feldern\" können Felder für eine bessere Struktur im Editor in "
#~ "Tabs zusammengefasst werden."

# @ acf
#~ 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 ""
#~ "Alle Felder, die auf dieses \"Tab Feld\" folgen (oder bis ein weiteres "
#~ "\"Tab Feld\" definiert ist), werden in einem Tab mit dem Namen dieses "
#~ "Felds zusammengefasst."

# @ acf
#~ msgid "None"
#~ msgstr "Nur Text"

# @ acf
#~ msgid "Taxonomy Term"
#~ msgstr "Taxonomie"

# @ acf
#~ msgid "remove {layout}?"
#~ msgstr "{layout} löschen?"

# @ acf
#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Dieses Feld erfordert mindestens {min} {identifier}"

# @ acf
#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Maximale {label}-Anzahl erreicht ({max} {identifier})"

# @ acf
#~ msgid "Getting Started"
#~ msgstr "Erste Schritte"

# @ acf
#~ msgid "Field Types"
#~ msgstr "Feld-Typen"

# @ acf
#~ msgid "Functions"
#~ msgstr "Funktionen"

# @ acf
#~ msgid "Actions"
#~ msgstr "Aktionen"

#~ msgid "How to"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Tutorials"
#~ msgstr "Tutorials"

#~ msgid "FAQ"
#~ msgstr "FAQ"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Begriff Meta-Upgrade nicht möglich (termmeta Tabelle nicht existiert)"

# @ acf
#~ msgid "Error"
#~ msgstr "Fehler"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "Für 1 Feld ist eine Aktualisierung notwendig"
#~ msgstr[1] "Für %d Felder ist eine Aktualisierung notwendig"

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Fehler bei der Validierung der ACF PRO Lizenz URL (Webseite stimmt nicht "
#~ "überein). Bitte Lizenz reaktivieren"

#~ msgid "Disabled"
#~ msgstr "Deaktiviert"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Deaktiviert <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Deaktiviert <span class=\"count\">(%s)</span>"

# @ acf
#~ msgid "'How to' guides"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Created by"
#~ msgstr "Erstellt von"

#~ msgid "Error loading update"
#~ msgstr "Fehler beim Laden des Update"

# @ acf
#~ msgid "See what's new"
#~ msgstr "Was ist neu"

# @ acf
#~ msgid "eg. Show extra content"
#~ msgstr "z.B. Zeige zusätzliche Inhalte"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Fehler bei der Überprüfung der Lizenz URL (Webseite stimmt nicht "
#~ "überein). Bitte reaktiviere deine Lizenz"

# @ acf
#~ msgid "Select"
#~ msgstr "Auswählen"

# @ acf
#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr ""
#~ "<b>Verbindungsfehler</b>. Entschuldige, versuche es bitte später noch "
#~ "einmal"

# @ acf
#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Erfolgreich</b>. Der Import hat %s Feld-Gruppen hinzugefügt: %s"

# @ acf
#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Warnung</b>. Der Import hat %s Feld-Gruppen erkannt, die schon "
#~ "vorhanden sind und diese ignoriert: %s"

# @ acf
#~ msgid "Upgrade ACF"
#~ msgstr "Aktualisiere ACF"

# @ acf
#~ msgid "Upgrade"
#~ msgstr "Aktualisieren"

# @ acf
#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Die folgenden Seiten erfordern eine Datenbank-Aktualisierung. Markiere "
#~ "die gewünschten Seiten und klicke \\\"Aktualisiere Datenbank\\\"."

# @ acf
#~ msgid "Done"
#~ msgstr "Fertig"

# @ acf
#~ msgid "Today"
#~ msgstr "Heute"

# @ acf
#~ msgid "Show a different month"
#~ msgstr "Zeige einen anderen Monat"

# @ acf
#~ msgid "See what's new in"
#~ msgstr "Neuerungen in"

# @ acf
#~ msgid "version"
#~ msgstr "Version"

#~ msgid "Upgrading data to"
#~ msgstr "Aktualisiere Daten auf"

# @ acf
#~ msgid "Return format"
#~ msgstr "Rückgabe-Format"

# @ acf
#~ msgid "uploaded to this post"
#~ msgstr "zu diesem Beitrag hochgeladen"

# @ acf
#~ msgid "File Name"
#~ msgstr "Dateiname"

# @ acf
#~ msgid "File Size"
#~ msgstr "Dateigrösse"

# @ acf
#~ msgid "No File selected"
#~ msgstr "Keine Datei ausgewählt"

# @ acf
#~ msgid "Save Options"
#~ msgstr "Optionen speichern"

# @ acf
#~ msgid "License"
#~ msgstr "Lizenz"

# @ acf
#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Um die Aktualisierungs-Fähigkeit freizuschalten, trage bitte Deinen "
#~ "Lizenzschlüssel im darunterliegenden Feld ein. Solltest Du noch keinen "
#~ "Lizenzschlüssel besitzen, informiere Dich bitte hier über die"

# @ acf
#~ msgid "details & pricing"
#~ msgstr "Details und Preise."

# @ acf
#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Um die Aktualisierungen freizuschalten, trage bitte Deinen "
#~ "Lizenzschlüssel auf der <a href=\"%s\">Aktualisierungen</a>-Seite ein. "
#~ "Solltest Du noch keinen Lizenzschlüssel besitzen, informiere Dich bitte "
#~ "hier über die <a href=\"%s\">Details und Preise</a>"

# @ acf
#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

# @ acf
#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

# @ acf
#~ msgid "elliot condon"
#~ msgstr "elliot condon"

# @ acf
#~ msgid "Drag and drop to reorder"
#~ msgstr "Mittels Drag-and-Drop die Reihenfolge ändern"

# @ acf
#~ msgid "Add new %s "
#~ msgstr "Neue %s "

#~ msgid "Sync Available"
#~ msgstr "Synchronisierung verfügbar"

# @ acf
#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Bitte beachte, dass der gesamte Text zuerst durch eine WordPress Funktion "
#~ "gefiltert wird. Siehe: "

# @ acf
#~ msgid "Warning"
#~ msgstr "Warnung"

# @ acf
#~ msgid "Show Field Keys"
#~ msgstr "Zeige Feld-Schlüssel"

# @ acf
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "Felder-Gruppen werden nach diesem Wert sortiert, vom niedrigsten zum "
#~ "höchsten Wert."

# @ acf
#~ msgid "Hide / Show All"
#~ msgstr "Alle Verstecken"

# @ acf
#~ msgid "5.2.6"
#~ msgstr "5.2.6"

# @ acf
#~ msgid "Sync Terms"
#~ msgstr "Einträge synchronisieren"
PK�
�[	l$����lang/acf-pl_PL.ponu�[���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: 2018-09-06 12:21+1000\n"
"PO-Revision-Date: 2019-07-29 14:31+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Dariusz Zielonka <dariusz@zielonka.pro>\n"
"Language: pl_PL\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-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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 "
"|| n%100>=20) ? 1 : 2);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:385 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Grupy pól"

#: acf.php:386
msgid "Field Group"
msgstr "Grupa pól"

#: acf.php:387 acf.php:419 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New"
msgstr "Dodaj nową"

#: acf.php:388
msgid "Add New Field Group"
msgstr "Dodaj nową grupę pól"

#: acf.php:389
msgid "Edit Field Group"
msgstr "Edytuj grupę pól"

#: acf.php:390
msgid "New Field Group"
msgstr "Nowa grupa pól"

#: acf.php:391
msgid "View Field Group"
msgstr "Zobacz grupę pól"

#: acf.php:392
msgid "Search Field Groups"
msgstr "Szukaj grup pól"

#: acf.php:393
msgid "No Field Groups found"
msgstr "Nie znaleziono grupy pól"

#: acf.php:394
msgid "No Field Groups found in Trash"
msgstr "Brak grup pól w koszu"

#: acf.php:417 includes/admin/admin-field-group.php:202
#: includes/admin/admin-field-groups.php:510
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Pola"

#: acf.php:418
msgid "Field"
msgstr "Pole"

#: acf.php:420
msgid "Add New Field"
msgstr "Dodaj nowe pole"

#: acf.php:421
msgid "Edit Field"
msgstr "Edytuj pole"

#: acf.php:422 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Nowe pole"

#: acf.php:423
msgid "View Field"
msgstr "Zobacz pole"

#: acf.php:424
msgid "Search Fields"
msgstr "Szukaj pól"

#: acf.php:425
msgid "No Fields found"
msgstr "Nie znaleziono pól"

#: acf.php:426
msgid "No Fields found in Trash"
msgstr "Nie znaleziono pól w koszu"

#: acf.php:465 includes/admin/admin-field-group.php:384
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Nieaktywne"

#: acf.php:470
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Nieaktywne <span class=\"count\">(%s)</span>"
msgstr[1] "Nieaktywne <span class=\"count\">(%s)</span>"
msgstr[2] "Nieaktywnych <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Grupa pól została zaktualizowana."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Grupa pól została usunięta."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Grupa pól została opublikowana."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Grupa pól została zapisana."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Grupa pól została dodana."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Grupa pól została zaplanowana na."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Szkic grupy pól został zaktualizowany."

#: includes/admin/admin-field-group.php:153
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Ciąg znaków \"field_\" nie może zostać użyty na początku nazwy pola"

#: includes/admin/admin-field-group.php:154
msgid "This field cannot be moved until its changes have been saved"
msgstr "To pole nie może zostać przeniesione zanim zmiany nie zostaną zapisane"

#: includes/admin/admin-field-group.php:155
msgid "Field group title is required"
msgstr "Tytuł grupy pól jest wymagany"

#: includes/admin/admin-field-group.php:156
msgid "Move to trash. Are you sure?"
msgstr "Przenieś do kosza. Jesteś pewny?"

#: includes/admin/admin-field-group.php:157
msgid "No toggle fields available"
msgstr "Pola przełączania niedostępne"

#: includes/admin/admin-field-group.php:158
msgid "Move Custom Field"
msgstr "Przenieś pole"

#: includes/admin/admin-field-group.php:159
msgid "Checked"
msgstr "Zaznaczone"

#: includes/admin/admin-field-group.php:160 includes/api/api-field.php:289
msgid "(no label)"
msgstr "(brak etykiety)"

#: includes/admin/admin-field-group.php:161
msgid "(this field)"
msgstr "(to pole)"

#: includes/admin/admin-field-group.php:162
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopia"

#: includes/admin/admin-field-group.php:163
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:4073
msgid "or"
msgstr "lub"

#: includes/admin/admin-field-group.php:164
msgid "Null"
msgstr "Null"

#: includes/admin/admin-field-group.php:203
msgid "Location"
msgstr "Lokacja"

#: includes/admin/admin-field-group.php:204
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Ustawienia"

#: includes/admin/admin-field-group.php:354
msgid "Field Keys"
msgstr "Klucze pola"

#: includes/admin/admin-field-group.php:384
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktywne"

#: includes/admin/admin-field-group.php:746
msgid "Move Complete."
msgstr "Przenoszenie zakończone."

#: includes/admin/admin-field-group.php:747
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Pole %s znajduje się teraz w grupie pól %s"

#: includes/admin/admin-field-group.php:748
msgid "Close Window"
msgstr "Zamknij okno"

#: includes/admin/admin-field-group.php:789
msgid "Please select the destination for this field"
msgstr "Proszę wybrać miejsce przeznaczenia dla tego pola"

#: includes/admin/admin-field-group.php:796
msgid "Move Field"
msgstr "Przenieś pole"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktywny <span class=\"count\">(%s)</span>"
msgstr[1] "Aktywne <span class=\"count\">(%s)</span>"
msgstr[2] "Aktywnych <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Grupa pól została zduplikowana. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Grupa pól %s została zduplikowana."
msgstr[1] "Grupy pól %s zostały zduplikowane."
msgstr[2] "Grup pól %s zostały zduplikowane."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Grupa pól została zsynchronizowana. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s grupa pól została zsynchronizowana."
msgstr[1] "%s grupy pól zostały zsynchronizowane."
msgstr[2] "%s grup pól zostało zsynchronizowanych."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synchronizacja możliwa"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Tytuł"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Opis"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Dostosuj WordPressa korzystając z potężnych, profesjonalnych i intuicyjnych "
"pól."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Dziennik zmian"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Zobacz co nowego w <a href=\"%s\">wersji %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Zasoby"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Witryna"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentacja"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Pomoc"

#: includes/admin/admin-field-groups.php:623
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Dziękujemy za tworzenie z <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Duplikuj to pole"

#: includes/admin/admin-field-groups.php:667
#: includes/admin/admin-field-groups.php:683
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate"
msgstr "Duplikuj"

#: includes/admin/admin-field-groups.php:700
#: includes/fields/class-acf-field-google-map.php:164
#: includes/fields/class-acf-field-relationship.php:674
msgid "Search"
msgstr "Szukaj"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Wybierz %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Synchronizuj grupę pól"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Synchronizacja"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Zastosuj"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Akcje na wielu"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Narzędzia"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Aktualizuj bazę danych"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Strona opinii i aktualizacji"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Własne pola"

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Dodatki"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Błąd</b>. Nie można załadować listy dodatków"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informacja"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Co nowego"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Eksportuj grupy pól"

#: 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 "Utwórz PHP"

#: 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 "Nie zaznaczono żadnej grupy pól"

#: 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] "Wyeksportowano 1 grupę pól."
msgstr[1] "Wyeksportowano %s grupy pól."
msgstr[2] "Wyeksportowano %s grup pól."

#: 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 "Wybierz grupy pól"

#: 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 ""
"Wybierz grupy pól, które chcesz wyeksportować, a następnie wybierz metodę "
"eksportu. Użyj przycisku pobierania aby wyeksportować do pliku .json, który "
"można następnie zaimportować do innej instalacji ACF. Użyj przycisku generuj "
"do wyeksportowania ustawień do kodu PHP, który można umieścić w motywie."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Plik eksportu"

#: 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 ""
"Poniższy kod może być użyty do rejestracji lokalnej wersji wybranej grupy "
"lub grup pól. Lokalna grupa pól może dostarczyć wiele korzyści takich jak "
"szybszy czas ładowania, możliwość wersjonowania i dynamiczne pola/"
"ustawienia. Wystarczy skopiować i wkleić poniższy kod do pliku functions.php "
"Twojego motywu lub dołączyć go do zewnętrznego pliku."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Skopiuj do schowka"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Skopiowano"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importuj grupy pól"

#: 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 ""
"Wybierz plik JSON Advanced Custom Fields, który chcesz zaimportować. Gdy "
"klikniesz przycisk importu poniżej, ACF zaimportuje grupy pól."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Wybierz plik"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Plik importu"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Nie zaznaczono żadnego pliku"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Błąd przesyłania pliku. Proszę spróbować ponownie"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Błędny typ pliku"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Importowany plik jest pusty"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Zaimportowano 1 grupę pól"
msgstr[1] "Zaimportowano %s grupy pól"
msgstr[2] "Zaimportowano %s grup pól"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Wyświetlaj pola warunkowo"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Pokaż to pole jeśli"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "oraz"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Dodaj grupę warunków"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:424
#: pro/fields/class-acf-field-repeater.php:294
msgid "Drag to reorder"
msgstr "Przeciągnij aby zmienić kolejność"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Edytuj pole"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Edytuj"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Duplikuj to pole"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Przenieś pole do innej grupy"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Przenieś"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Usuń pole"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete"
msgstr "Usuń"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Etykieta pola"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Ta nazwa będzie widoczna na stronie edycji"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nazwa pola"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Pojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślniki"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Typ pola"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instrukcje"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instrukcje dla autorów. Będą widoczne w trakcie wprowadzania danych"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Wymagane?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Atrybuty kontenera"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "szerokość"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "class"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Zamknij to pole"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Kolejność"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:428
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Label"
msgstr "Etykieta"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:610
msgid "Name"
msgstr "Nazwa"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Klucz"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Brak pól. Kliknij przycisk <strong>+ Dodaj pole</strong> aby utworzyć "
"pierwsze pole."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Dodaj pole"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Warunki"

#: 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 ""
"Utwórz zestaw warunków, które określą w których miejscach będą wykorzystane "
"zdefiniowane tutaj własne pola"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Styl"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standardowy (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Bezpodziałowy (brak metaboxa)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Pozycja"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Wysoka (pod tytułem)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normalna (pod edytorem)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Boczna"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Umieszczenie etykiet"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Wyrównanie do góry"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Wyrównanie do lewej"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Umieszczenie instrukcji"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Pod etykietami"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Pod polami"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Nr w kolejności."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Grupy pól z niższym numerem pojawią się pierwsze"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Wyświetlany na liście grupy pól"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Odnośnik bezpośredni"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Edytor treści"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Wypis"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Dyskusja"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Komentarze"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Wersje"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Atrybuty strony"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:688
msgid "Featured Image"
msgstr "Obrazek wyróżniający"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategorie"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Tagi"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Wyślij trackbacki"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Ukryj na stronie edycji"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Wybierz</b> elementy, które chcesz <b>ukryć</b> na stronie edycji."

#: includes/admin/views/field-group-options.php:129
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 ""
"Jeśli na stronie edycji znajduje się kilka grup pól, zostaną zastosowane "
"ustawienia pierwszej z nich. (pierwsza grupa pól to ta, która ma najniższy "
"numer w kolejności)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Następujące witryny wymagają aktualizacji bazy danych. Zaznacz te, które "
"chcesz zaktualizować i kliknij %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Aktualizacja witryn"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Witryna"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Witryna wymaga aktualizacji bazy danych z %s na %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Ta witryna jest aktualna"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Aktualizacja bazy danych zakończona. <a href=\"%s\">Wróć do kokpitu sieci</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Proszę wybrać co najmniej jedną witrynę do uaktualnienia."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Zdecydowanie zaleca się wykonanie kopii zapasowej bazy danych przed "
"kontynuowaniem. Czy na pewno chcesz uruchomić aktualizacje teraz?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Aktualizowanie danych do wersji %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Aktualizacja zakończona."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Aktualizacja nie powiodła się."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Czytam zadania aktualizacji..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Aktualizacja bazy danych zakończona. <a href=\"%s\">Zobacz co nowego</a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "Brak dostępnych aktualizacji."

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Pokaż tą grupę pól jeśli"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Pole powtarzalne"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Elastyczne treść"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galeria"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Strona opcji"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Wymagana jest aktualizacja bazy danych"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Dziękujemy za aktualizacje do %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr "Ta wersja zawiera ulepszenia bazy danych i wymaga uaktualnienia."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also ensure any premium add-ons (%s) have first been updated to the "
"latest version."
msgstr ""
"Upewnij się także, że wszystkie dodatki premium (%s) zostały wcześniej "
"zaktualizowane do najnowszych wersji."

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Pobierz i instaluj"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Zainstalowano"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Witamy w Advanced Custom Fields"

#: 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 ""
"Dziękujemy za aktualizację! ACF %s jest większy i lepszy niż kiedykolwiek "
"wcześniej. Mamy nadzieję, że go polubisz."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Lepsze odczucia w użytkowaniu"

#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Zwiększona użyteczność"

#: includes/admin/views/settings-info.php:20
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 ""
"Użycie popularnej biblioteki Select2 poprawiło zarówno użyteczność jak i "
"szybkość wielu typów pól wliczając obiekty wpisów, odnośniki stron, "
"taksonomie i pola wyboru."

#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Ulepszony wygląd"

#: includes/admin/views/settings-info.php:25
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 ""
"Wiele pól przeszło graficzne odświeżenie, aby ACF wyglądał lepiej niż "
"kiedykolwiek! Zmiany warte uwagi są widoczne w galerii, polach relacji i "
"polach oEmbed (nowość)!"

#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Ulepszona struktura danych"

#: includes/admin/views/settings-info.php:30
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 ""
"Przeprojektowanie architektury danych pozwoliła polom podrzędnym być "
"niezależnymi od swoich rodziców. Pozwala to na przeciąganie i upuszczanie "
"pól pomiędzy rodzicami!"

#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Do widzenia Dodatki. Dzień dobry PRO"

#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Przedstawiamy ACF PRO"

#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Zmieniliśmy sposób funkcjonowania wersji premium - teraz jest dostarczana w "
"ekscytujący sposób!"

#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Wszystkie 4 dodatki premium zostały połączone w nową <a href=\"%s\">wersję "
"Pro ACF</a>. W obu licencjach, osobistej i deweloperskiej, funkcjonalność "
"premium jest bardziej przystępna niż kiedykolwiek wcześniej!"

#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Potężne funkcje"

#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO zawiera zaawansowane funkcje, takie jak powtarzalne dane, elastyczne "
"układy treści, piękne galerie i możliwość tworzenia dodatkowych stron opcji "
"administracyjnych!"

#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Przeczytaj więcej o <a href=\"%s\">możliwościach ACF PRO</a>."

#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Łatwa aktualizacja"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"Ulepszenie wersji do ACF PRO jest łatwe. Wystarczy zakupić licencję online i "
"pobrać wtyczkę!"

#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Napisaliśmy również <a href=\"%s\">przewodnik aktualizacji</a> wyjaśniający "
"wiele zagadnień, jednak jeśli masz jakieś pytanie skontaktuj się z nami na "
"stronie <a href=\"%s\">wsparcia technicznego</a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Nowe funkcje"

#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Pole linku"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Pole linku zapewnia prosty sposób wybrać lub określić łącze (adres URL, "
"atrybut 'title', atrybut 'target')."

#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Pole grupy"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr "Pole grupy zapewnia prosty sposób tworzenia grupy pól."

#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "Pole oEmbed"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Pole oEmbed pozwala w łatwy sposób osadzać filmy, obrazy, tweety, audio i "
"inne treści."

#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Pole klonowania"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr "Pole klonowania umożliwia zaznaczanie i wyświetlanie istniejących pól."

#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Więcej technologii AJAX"

#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr "Więcej pól korzysta z AJAX, aby przyspieszyć ładowanie stron."

#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Lokalny JSON"

#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Nowy zautomatyzowany eksport do JSON ma poprawioną szybkość i pozwala na "
"synchronizację."

#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Łatwy Import / Eksport"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Zarówno import, jak i eksport można łatwo wykonać za pomocą nowej strony "
"narzędzi."

#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Nowe lokalizacje formularzy"

#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Pola można teraz mapować na menu, pozycji menu, komentarzy, widżetów i "
"wszystkich formularzy użytkowników!"

#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Więcej dostosowywania"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Dodano nowe akcje i filtry PHP (i JS), aby poszerzyć zakres personalizacji."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Fresh UI"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Cała wtyczka została odświeżone, dodano nowe typy pól, ustawienia i wygląd!"

#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Nowe ustawienia"

#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Zostały dodane ustawienia grup pól dotyczące, Aktywności, Pozycji etykiet "
"oraz Pozycji instrukcji i Opisu."

#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Lepszy wygląd formularzy (Front End Forms)"

#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() może teraz utworzyć nowy wpis po przesłaniu i zawiera wiele "
"nowych ustawień."

#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Lepsza walidacja"

#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr "Walidacja pól jest wykonana w PHP + AJAX a nie tylko w JS."

#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Przenoszenie pól"

#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Nowa funkcjonalność pozwala na przenoszenie pól pomiędzy grupami i rodzicami."

#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Uważamy, że pokochasz zmiany wprowadzone w wersji %s."

#: includes/api/api-helpers.php:1046
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:1047
msgid "Medium"
msgstr "Średni"

#: includes/api/api-helpers.php:1048
msgid "Large"
msgstr "Duży"

#: includes/api/api-helpers.php:1097
msgid "Full Size"
msgstr "Pełny rozmiar"

#: includes/api/api-helpers.php:1339 includes/api/api-helpers.php:1912
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(brak tytułu)"

#: includes/api/api-helpers.php:3994
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Szerokość obrazu musi mieć co najmniej %dpx."

#: includes/api/api-helpers.php:3999
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Szerokość obrazu nie może przekraczać %dpx."

#: includes/api/api-helpers.php:4015
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Wysokość obrazu musi mieć co najmniej %dpx."

#: includes/api/api-helpers.php:4020
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Wysokość obrazu nie może przekraczać %dpx."

#: includes/api/api-helpers.php:4038
#, php-format
msgid "File size must be at least %s."
msgstr "Rozmiar pliku musi wynosić co najmniej %s."

#: includes/api/api-helpers.php:4043
#, php-format
msgid "File size must must not exceed %s."
msgstr "Rozmiar pliku nie może przekraczać %s."

#: includes/api/api-helpers.php:4077
#, php-format
msgid "File type must be %s."
msgstr "Plik musi spełniać kryteria typu %s."

#: includes/assets.php:172
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Wprowadzone przez Ciebie zmiany przepadną jeśli przejdziesz do innej strony"

#: includes/assets.php:175 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Wybierz"

#: includes/assets.php:176
msgctxt "verb"
msgid "Edit"
msgstr "Edytuj"

#: includes/assets.php:177
msgctxt "verb"
msgid "Update"
msgstr "Aktualizuj"

#: includes/assets.php:178
msgid "Uploaded to this post"
msgstr "Przesłane do tego wpisu"

#: includes/assets.php:179
msgid "Expand Details"
msgstr "Rozwiń szczegóły"

#: includes/assets.php:180
msgid "Collapse Details"
msgstr "Zwiń szczegóły"

#: includes/assets.php:181
msgid "Restricted"
msgstr "Ograniczone"

#: includes/assets.php:182 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Wszystkie obrazy"

#: includes/assets.php:185
msgid "Validation successful"
msgstr "Walidacja zakończona sukcesem"

#: includes/assets.php:186 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Walidacja nie powiodła się"

#: includes/assets.php:187
msgid "1 field requires attention"
msgstr "1 pole wymaga uwagi"

#: includes/assets.php:188
#, php-format
msgid "%d fields require attention"
msgstr "%d pól wymaga uwagi"

#: includes/assets.php:191
msgid "Are you sure?"
msgstr "Czy na pewno?"

#: includes/assets.php:192 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Tak"

#: includes/assets.php:193 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Nie"

#: includes/assets.php:194 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Usuń"

#: includes/assets.php:195
msgid "Cancel"
msgstr "Anuluj"

#: includes/assets.php:198
msgid "Has any value"
msgstr "Ma dowolną wartość"

#: includes/assets.php:199
msgid "Has no value"
msgstr "Nie ma wartości"

#: includes/assets.php:200
msgid "Value is equal to"
msgstr "Wartość jest równa"

#: includes/assets.php:201
msgid "Value is not equal to"
msgstr "Wartość nie jest równa"

#: includes/assets.php:202
msgid "Value matches pattern"
msgstr "Wartość musi pasować do wzoru"

#: includes/assets.php:203
msgid "Value contains"
msgstr "Wartość zawiera"

#: includes/assets.php:204
msgid "Value is greater than"
msgstr "Wartość jest większa niż"

#: includes/assets.php:205
msgid "Value is less than"
msgstr "Wartość jest mniejsza niż"

#: includes/assets.php:206
msgid "Selection is greater than"
msgstr "Wybór jest większy niż"

#: includes/assets.php:207
msgid "Selection is less than"
msgstr "Wybór jest mniejszy niż"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Typ pola nie istnieje"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Nieznane"

#: includes/fields.php:349
msgid "Basic"
msgstr "Podstawowe"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Treść"

#: includes/fields.php:351
msgid "Choice"
msgstr "Wybór"

#: includes/fields.php:352
msgid "Relational"
msgstr "Relacyjne"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354
#: includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:567
#: pro/fields/class-acf-field-flexible-content.php:616
#: pro/fields/class-acf-field-repeater.php:443
msgid "Layout"
msgstr "Układ"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Zwijane panele"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Otwarte"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Pokaż ten zwijany panel jako otwarty po załadowaniu strony."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Multi-expand"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Zezwól, aby ten zwijany panel otwierał się bez zamykania innych."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Punkt końcowy"

#: 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 ""
"Zdefiniuj punkt końcowy dla zatrzymania poprzedniego panelu zwijanego. Ten "
"panel zwijany nie będzie widoczny."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Grupa przycisków"

#: 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:359
msgid "Choices"
msgstr "Wybory"

#: 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:360
msgid "Enter each choice on a new line."
msgstr "Wpisz każdy z wyborów w osobnej linii."

#: 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:360
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Aby uzyskać większą kontrolę, można określić zarówno wartość i etykietę w "
"niniejszy sposób:"

#: 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:360
msgid "red : Red"
msgstr "czerwony : Czerwony"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:377
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:409
msgid "Allow Null?"
msgstr "Zezwolić na pustą wartość Null?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:368
#: 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:381
msgid "Default Value"
msgstr "Domyślna wartość"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Wyświetlane podczas tworzenia nowego wpisu"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Poziomy"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Pionowy"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Zwracana wartość"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Określ zwracaną wartość na stronie (front-end)"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:427
msgid "Value"
msgstr "Wartość"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:429
msgid "Both (Array)"
msgstr "Oba (Array)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Wybór (checkbox)"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Przełącz wszystko"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Dodaj nowy wybór"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Zezwól na niestandardowe"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Zezwalaj na dodawanie \"niestandardowych\" wartości"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Zapisz niestandardowe"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Zapisz \"niestandardowe\" wartości tego pola wyboru"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:369
msgid "Enter each default value on a new line"
msgstr "Wpisz każdą domyślną wartość w osobnej linii"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Przełącznik (Toggle)"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"Dołącz dodatkowe pole wyboru, aby grupowo włączać/wyłączać wszystkie pola "
"wyboru"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Wybór koloru"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Wyczyść"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Domyślna wartość"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Wybierz kolor"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Bieżący Kolor"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Wybór daty"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Gotowe"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Dzisiaj"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Dalej"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Wstecz"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Tydz"

#: includes/fields/class-acf-field-date_picker.php:180
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Format wyświetlania"

#: includes/fields/class-acf-field-date_picker.php:181
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Wyświetlany format przy edycji wpisu"

#: includes/fields/class-acf-field-date_picker.php:189
#: includes/fields/class-acf-field-date_picker.php:220
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Niestandardowe:"

#: includes/fields/class-acf-field-date_picker.php:199
msgid "Save Format"
msgstr "Zapisz format"

#: includes/fields/class-acf-field-date_picker.php:200
msgid "The format used when saving a value"
msgstr "Format używany podczas zapisywania wartości"

#: includes/fields/class-acf-field-date_picker.php:210
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:715
#: includes/fields/class-acf-field-select.php:422
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:428
msgid "Return Format"
msgstr "Zwracany format"

#: includes/fields/class-acf-field-date_picker.php:211
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Wartość zwracana przez funkcje w szablonie"

#: includes/fields/class-acf-field-date_picker.php:229
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Tydzień zaczyna się od"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Wybieranie daty i godziny"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Wybierz czas"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Czas"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Godzina"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuta"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunda"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisekunda"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunda"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Strefa czasu"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Teraz"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Gotowe"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Wybierz"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-mail"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Placeholder (tekst zastępczy)"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Pojawia się w polu formularza"

#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Przed polem (prefiks)"

#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Pojawia się przed polem formularza"

#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Za polem (sufiks)"

#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Pojawia się za polem formularza"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Plik"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Edytuj plik"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Aktualizuj plik"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Nazwa pliku"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Wielkość pliku"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Dodaj plik"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Tablica pliku (Array)"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Adres URL pliku"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID pliku"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Biblioteka"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Ograniczenie wyborów z biblioteki"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Wszystkie"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Przesłane do wpisu"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Minimum"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Określ jakie pliki mogą być przesyłane"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Maksimum"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Dozwolone typy plików"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Lista rozdzielana przecinkami. Pozostaw puste dla wszystkich typów"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Mapa Google"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Przepraszamy, ta przeglądarka nie obsługuje geolokalizacji"

#: includes/fields/class-acf-field-google-map.php:165
msgid "Clear location"
msgstr "Wyczyść lokalizację"

#: includes/fields/class-acf-field-google-map.php:166
msgid "Find current location"
msgstr "Znajdź aktualną lokalizację"

#: includes/fields/class-acf-field-google-map.php:169
msgid "Search for address..."
msgstr "Szukaj adresu..."

#: includes/fields/class-acf-field-google-map.php:199
#: includes/fields/class-acf-field-google-map.php:210
msgid "Center"
msgstr "Wyśrodkuj"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center the initial map"
msgstr "Wyśrodkuj początkową mapę"

#: includes/fields/class-acf-field-google-map.php:222
msgid "Zoom"
msgstr "Zbliżenie"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Set the initial zoom level"
msgstr "Ustaw początkowe zbliżenie"

#: includes/fields/class-acf-field-google-map.php:232
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Wysokość"

#: includes/fields/class-acf-field-google-map.php:233
msgid "Customise the map height"
msgstr "Dostosuj wysokość mapy"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Grupa"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:379
msgid "Sub Fields"
msgstr "Pola podrzędne"

#: 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 "Określ style stosowane to renderowania wybranych pól"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:627
#: pro/fields/class-acf-field-repeater.php:451
msgid "Block"
msgstr "Blok"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:626
#: pro/fields/class-acf-field-repeater.php:450
msgid "Table"
msgstr "Tabela"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:452
msgid "Row"
msgstr "Wiersz"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Obraz"

#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Wybierz obraz"

#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Edytuj obraz"

#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Aktualizuj obraz"

#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Nie wybrano obrazu"

#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Dodaj obraz"

#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Tablica obrazów (Array)"

#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Adres URL obrazu"

#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "ID obrazu"

#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Rozmiar podglądu"

#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Widoczny podczas wprowadzania danych"

#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Określ jakie obrazy mogą być przesyłane"

#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Szerokość"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Wybierz link"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Otwiera się w nowym oknie/karcie"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Tablica linków (Array)"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Adres URL linku"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Wiadomość"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Nowe linie"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Kontroluje jak nowe linie są renderowane"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Automatycznie dodaj akapity"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Automatycznie dodaj &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Brak formatowania"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Dodawaj znaki ucieczki do HTML (escape HTML)"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Zezwól aby znaczniki HTML były wyświetlane jako widoczny tekst, a nie "
"renderowane"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Liczba"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Minimalna wartość"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Maksymalna wartość"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Wielkość kroku"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Wartość musi być liczbą"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Wartość musi być równa lub wyższa od %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Wartość musi być równa lub niższa od %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Wprowadź adres URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Rozmiar osadzenia"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Link do strony"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archiwa"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Rodzic"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:641
msgid "Filter by Post Type"
msgstr "Filtruj wg typu wpisu"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:649
msgid "All post types"
msgstr "Wszystkie typy wpisów"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:655
msgid "Filter by Taxonomy"
msgstr "Filtruj wg taksonomii"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:663
msgid "All taxonomies"
msgstr "Wszystkie taksonomie"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Pozwól na adresy URL archiwów"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:387
#: includes/fields/class-acf-field-user.php:419
msgid "Select multiple values?"
msgstr "Możliwość wyboru wielu wartości?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Hasło"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:720
msgid "Post Object"
msgstr "Obiekt wpisu"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:721
msgid "Post ID"
msgstr "ID wpisu"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Przycisk opcji (radio)"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Inne"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""
"Dodaj pole \"inne\" aby zezwolić na wartości definiowane przez użytkownika"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Zapisz inne"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Dopisz zapisaną wartość pola \"inne\" do wyborów tego pola"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Zakres"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relacja"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Maksymalna liczba wartości została przekroczona ( {max} wartości )"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Ładowanie"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Nie znaleziono pasujących wyników"

#: includes/fields/class-acf-field-relationship.php:441
msgid "Select post type"
msgstr "Wybierz typ wpisu"

#: includes/fields/class-acf-field-relationship.php:467
msgid "Select taxonomy"
msgstr "Wybierz taksonomię"

#: includes/fields/class-acf-field-relationship.php:557
msgid "Search..."
msgstr "Szukaj..."

#: includes/fields/class-acf-field-relationship.php:669
msgid "Filters"
msgstr "Filtry"

#: includes/fields/class-acf-field-relationship.php:675
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Typ wpisu"

#: includes/fields/class-acf-field-relationship.php:676
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taksonomia"

#: includes/fields/class-acf-field-relationship.php:683
msgid "Elements"
msgstr "Elementy"

#: includes/fields/class-acf-field-relationship.php:684
msgid "Selected elements will be displayed in each result"
msgstr "Wybrane elementy będą wyświetlone przy każdym wyniku"

#: includes/fields/class-acf-field-relationship.php:695
msgid "Minimum posts"
msgstr "Minimum wpisów"

#: includes/fields/class-acf-field-relationship.php:704
msgid "Maximum posts"
msgstr "Maksimum wpisów"

#: includes/fields/class-acf-field-relationship.php:808
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s wymaga dokonania przynajmniej %s wyboru"
msgstr[1] "%s wymaga dokonania przynajmniej %s wyborów"
msgstr[2] "%s wymaga dokonania przynajmniej %s wyborów"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Wybór"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Dostępny jest jeden wynik. Aby go wybrać, wciśnij klawisz enter."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "Dostępnych wyników - %d. Użyj strzałek w górę i w dół, aby nawigować."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nie znaleziono wyników"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Wpisz 1 lub więcej znaków"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Wpisz %d lub więcej znaków"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Proszę usunąć 1 znak"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Proszę usunąć %d znaki/ów"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Możesz wybrać tylko 1 element"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Możesz wybrać tylko %d elementy/ów"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Ładuję więcej wyników&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Szukam&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Ładowanie zakończone niepowodzeniem"

#: includes/fields/class-acf-field-select.php:397
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Ostylowany interfejs użytkownika"

#: includes/fields/class-acf-field-select.php:407
msgid "Use AJAX to lazy load choices?"
msgstr "Użyć technologii AJAX do wczytywania wyników?"

#: includes/fields/class-acf-field-select.php:423
msgid "Specify the value returned"
msgstr "Określ zwracaną wartość"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Separator"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Zakładka"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Położenie"

#: 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 "Użyj tego pola jako punkt końcowy i zacznij nową grupę zakładek."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Brak %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Wybierz taksonomię do wyświetlenia"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Wygląd"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Określ wygląd tego pola"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Wiele wartości"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Wybór wielokrotny"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Pojedyncza wartość"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Przycisk opcji (radio)"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Tworzenie terminów taksonomii"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Pozwól na tworzenie nowych terminów taksonomii podczas edycji"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Zapisz terminy taksonomii"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Przypisz wybrane terminy taksonomii do wpisu"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Wczytaj terminy taksonomii"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Wczytaj wartości z terminów taksonomii z wpisu"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Obiekt terminu (WP_Term)"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID terminu"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Użytkownik nie może dodać nowych %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s już istnieje"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "Dodano %s"

#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Dodaj"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limit znaków"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Pozostaw puste w przypadku braku limitu"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Obszar tekstowy"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Wiersze"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Określa wysokość obszaru tekstowego"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Wybieranie daty i godziny"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Prawda / Fałsz"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Wyświetla tekst obok pola wyboru (checkbox)"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Tekst, gdy włączone"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Tekst wyświetlany, gdy jest aktywne"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Tekst, gdy wyłączone"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Tekst wyświetlany, gdy jest nieaktywne"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Wartość musi być poprawnym adresem URL"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Użytkownik"

#: includes/fields/class-acf-field-user.php:394
msgid "Filter by role"
msgstr "Filtruj wg roli"

#: includes/fields/class-acf-field-user.php:402
msgid "All user roles"
msgstr "Wszystkie role użytkownika"

#: includes/fields/class-acf-field-user.php:433
msgid "User Array"
msgstr "Tablica użytkowników (Array)"

#: includes/fields/class-acf-field-user.php:434
msgid "User Object"
msgstr "Obiekt użytkownika"

#: includes/fields/class-acf-field-user.php:435
msgid "User ID"
msgstr "ID użytkownika"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Edytor WYSIWYG"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Wizualny"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Tekstowy"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Kliknij, aby zainicjować TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Zakładki"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Wizualna i Tekstowa"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Tylko wizualna"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Tylko tekstowa"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Pasek narzędzi"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Wyświetlić przyciski Dodawania mediów?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Opóźnić inicjowanie?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE nie zostanie zainicjowane do momentu kliknięcia pola"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:301
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Edytuj grupę pól"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Waliduj E-mail"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Aktualizuj"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Wpis zaktualizowany"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Wykryto Spam"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Wpis"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Strona"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formularze"

#: includes/locations.php:243
msgid "is equal to"
msgstr "jest równe"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "jest inne niż"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Załącznik"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Wszystkie formaty %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Komentarz"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rola bieżącego użytkownika"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Administrator"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Bieżący użytkownik"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Zalogowany"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Wyświetla stronę (front-end)"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Wyświetla kokpit (back-end)"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Element menu"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Pozycje menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Wiele menu"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Rodzic strony"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Szablon strony"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Domyślny szablon"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Typ strony"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Strona główna"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Strona wpisów"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Strona najwyższego poziomu (brak rodzica)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Strona będąca rodzicem (posiada potomne)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Strona będąca potomną (ma rodziców)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Kategoria wpisu"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Format wpisu"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Status wpisu"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taksonomia wpisu"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Szablon wpisu"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Formularz użytkownika"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Dodaj / Edytuj"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Zarejestruj"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Rola użytkownika"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widżet"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s wartość jest wymagana"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Opublikuj"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Żadna grupa pól nie została dodana do tej strony opcji. <a href=\"%s"
"\">Utwórz grupę własnych pól</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Błąd</b>. Nie można połączyć z serwerem aktualizacji"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aktualizacje"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Deaktywuj licencję"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Aktywuj licencję"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informacje o licencji"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Żeby odblokować aktualizacje proszę podać swój klucz licencyjny poniżej. "
"Jeśli nie posiadasz klucza prosimy zapoznać się ze <a href=\"%s\" target="
"\"_blank\">szczegółami i cennikiem</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Klucz licencyjny"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informacje o aktualizacji"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Zainstalowana wersja"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Najnowsza wersja"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Dostępna aktualizacja"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Aktualizuj wtyczkę"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Proszę wpisać swój klucz licencyjny powyżej aby odblokować aktualizacje"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Sprawdź ponownie"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Informacje o aktualizacji"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klon"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Wybierz jedno lub więcej pól które chcesz sklonować"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Wyświetl"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Określ styl wykorzystywany do stosowania w klonowanych polach"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grupuj (wyświetla wybrane pola w grupie)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Ujednolicenie (zastępuje to pole wybranymi polami)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Etykiety będą wyświetlane jako %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Prefiks Etykiet Pól"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Wartości będą zapisane jako %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Prefiks Nazw Pól"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Nieznane pole"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Nieznana grupa pól"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Wszystkie pola z grupy pola %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:463
msgid "Add Row"
msgstr "Dodaj wiersz"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:938
#: pro/fields/class-acf-field-flexible-content.php:1020
msgid "layout"
msgid_plural "layouts"
msgstr[0] "układ"
msgstr[1] "układy"
msgstr[2] "układów"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "układy"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:937
#: pro/fields/class-acf-field-flexible-content.php:1019
msgid "This field requires at least {min} {label} {identifier}"
msgstr "To pole wymaga przynajmniej {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "To pole ma ograniczenie {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} dostępne (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} wymagane (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Elastyczne pole wymaga przynajmniej 1 układu"

#: pro/fields/class-acf-field-flexible-content.php:302
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Kliknij przycisk \"%s\" poniżej, aby zacząć tworzyć nowy układ"

#: pro/fields/class-acf-field-flexible-content.php:427
msgid "Add layout"
msgstr "Dodaj układ"

#: pro/fields/class-acf-field-flexible-content.php:428
msgid "Remove layout"
msgstr "Usuń układ"

#: pro/fields/class-acf-field-flexible-content.php:429
#: pro/fields/class-acf-field-repeater.php:296
msgid "Click to toggle"
msgstr "Kliknij, aby przełączyć"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder Layout"
msgstr "Zmień kolejność układów"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder"
msgstr "Zmień kolejność"

#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete Layout"
msgstr "Usuń układ"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate Layout"
msgstr "Duplikuj układ"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New Layout"
msgstr "Dodaj nowy układ"

#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:656
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:683
#: pro/fields/class-acf-field-repeater.php:459
msgid "Button Label"
msgstr "Etykieta przycisku"

#: pro/fields/class-acf-field-flexible-content.php:692
msgid "Minimum Layouts"
msgstr "Minimalna liczba układów"

#: pro/fields/class-acf-field-flexible-content.php:701
msgid "Maximum Layouts"
msgstr "Maksymalna liczba układów"

#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Dodaj obraz do galerii"

#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Maksimum ilości wyborów osiągnięte"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Długość"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Etykieta"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Tekst alternatywny"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Dodaj do galerii"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Działania na wielu"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Sortuj po dacie przesłania"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Sortuj po dacie modyfikacji"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Sortuj po tytule"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Odwróć aktualną kolejność"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Zamknij"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Minimalna liczba wybranych elementów"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Maksymalna liczba wybranych elementów"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Wstaw"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Określ gdzie są dodawane nowe załączniki"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Dodaj na końcu"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Dodaj do początku"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:656
msgid "Minimum rows reached ({min} rows)"
msgstr "Osiągnięto minimum liczby wierszy ( {min} wierszy )"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Osiągnięto maksimum liczby wierszy ( {max} wierszy )"

#: pro/fields/class-acf-field-repeater.php:333
msgid "Add row"
msgstr "Dodaj wiersz"

#: pro/fields/class-acf-field-repeater.php:334
msgid "Remove row"
msgstr "Usuń wiersz"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Collapsed"
msgstr "Zwinięty"

#: pro/fields/class-acf-field-repeater.php:413
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Wybierz pole podrzędne, które mają być pokazane kiedy wiersz jest zwinięty"

#: pro/fields/class-acf-field-repeater.php:423
msgid "Minimum Rows"
msgstr "Minimalna liczba wierszy"

#: pro/fields/class-acf-field-repeater.php:433
msgid "Maximum Rows"
msgstr "Maksymalna liczba wierszy"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Strona opcji nie istnieje"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opcje"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Ustawienia zostały zaktualizowane"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Żeby włączyć aktualizacje, proszę podać swój klucz licencyjny na stronie <a "
"href=\"%s\">Aktualizacji</a>. Jeśli nie posiadasz klucza, prosimy zapoznać "
"się ze <a href=\"%s\">szczegółami i cennikiem</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Error validating request"
#~ msgstr "Błąd podczas walidacji żądania"

#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Aktualizacja bazy danych Advanced Custom Fields"

#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Zanim zaczniesz korzystać z niesamowitych funkcji prosimy o "
#~ "zaktualizowanie bazy danych do najnowszej wersji."

#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Aby aktualizacja była łatwa, <a href=\"%s\">zaloguj się do swojego konta</"
#~ "a> i pobierz darmową kopię ACF PRO!"

#~ msgid "Under the Hood"
#~ msgstr "Pod maską"

#~ msgid "Smarter field settings"
#~ msgstr "Sprytniejsze ustawienia pól"

#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr "ACF teraz zapisuje ustawienia pól jako osobny obiekt wpisu"

#~ msgid "Better version control"
#~ msgstr "Lepsza kontrola wersji"

#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Nowy zautomatyzowany eksport do JSON pozwala na wersjonowanie ustawień pól"

#~ msgid "Swapped XML for JSON"
#~ msgstr "Zmiana XML na JSON"

#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "Import / Eksport teraz korzysta z JSON zamiast XML"

#~ msgid "New Forms"
#~ msgstr "Nowe formularze"

#~ msgid "A new field for embedding content has been added"
#~ msgstr "Dodano nowe pole do osadzania zawartości"

#~ msgid "New Gallery"
#~ msgstr "Nowa galeria"

#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr "Pola galerii przeszły niezbędny facelifting"

#~ msgid "Relationship Field"
#~ msgstr "Pole relacji"

#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr ""
#~ "Nowe ustawienia pola relacji dla \"Filtrów\" (Wyszukiwarka, Typ Wpisu, "
#~ "Taksonomia)"

#~ msgid "New archives group in page_link field selection"
#~ msgstr "Nowe grupy archiwów do wyboru dla pola page_link"

#~ msgid "Better Options Pages"
#~ msgstr "Lepsze strony opcji"

#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Nowe funkcje dla strony opcji pozwalają tworzyć strony w menu będące "
#~ "rodzicami oraz potomnymi."

#~ msgid "Parent fields"
#~ msgstr "Pola nadrzędne"

#~ msgid "Sibling fields"
#~ msgstr "Pola tego samego poziomu"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Eksportuj grupy pól do PHP"

#~ msgid "Download export file"
#~ msgstr "Pobierz plik eksportu"

#~ msgid "Generate export code"
#~ msgstr "Generuj kod eksportu"

#~ msgid "Import"
#~ msgstr "Import"

#~ msgid "Locating"
#~ msgstr "Lokalizacja"

#~ msgid "Error."
#~ msgstr "Błąd."

#~ msgid "No embed found for the given URL."
#~ msgstr "Nie znaleziono osadzenia dla podanego URLa."

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Minimalna wartość została przekroczona ( {min} )"

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Pole zakładki będzie wyświetlane nieprawidłowo jeśli zostanie dodano do "
#~ "pola powtarzalnego wyświetlanego jako tabela lub do elastycznego pola"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr "Użyj \"Pola zakładki\" aby uporządkować ekran edycji grupując pola."

#~ 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 ""
#~ "Wszystkie pola po tym \"polu zakładki\" (lub przed następnym \"polem "
#~ "zakładki\") zostaną zgrupowane razem używając etykiety tego pola jako "
#~ "nagłówka."

#~ msgid "None"
#~ msgstr "Brak"

#~ msgid "Taxonomy Term"
#~ msgstr "Termin taksonomii"

#~ msgid "remove {layout}?"
#~ msgstr "usunąć {layout}?"

#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "To pole wymaga przynamniej {min} {identifier}"

#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Maksimum {label} limit osiągnięty ({max} {identifier})"

#~ msgid "Disabled"
#~ msgstr "Wyłączone"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Wyłączony: <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Wyłączonych: <span class=\"count\">(%s)</span>"
#~ msgstr[2] "Wyłączonych: <span class=\"count\">(%s)</span>"

#~ msgid "Getting Started"
#~ msgstr "Pierwsze kroki"

#~ msgid "Field Types"
#~ msgstr "Rodzaje pól"

#~ msgid "Functions"
#~ msgstr "Funkcje"

#~ msgid "Actions"
#~ msgstr "Akcje"

#~ msgid "'How to' guides"
#~ msgstr "Wskazówki 'how-to'"

#~ msgid "Tutorials"
#~ msgstr "Poradniki"

#~ msgid "FAQ"
#~ msgstr "Najczęściej zadawane pytania (FAQ)"

#~ msgid "Created by"
#~ msgstr "Stworzone przez"

#~ msgid "Error loading update"
#~ msgstr "Błąd ładowania aktualizacji"

#~ msgid "Error"
#~ msgstr "Błąd"

#~ msgid "See what's new"
#~ msgstr "Zobacz co nowego"

#~ msgid "eg. Show extra content"
#~ msgstr "np. Wyświetl dodatkową treść"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 pole wymaga uwagi."
#~ msgstr[1] "%d pola wymagają uwagi."
#~ msgstr[2] "%d pól wymaga uwagi."

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Sukces</b>. Narzędzie importu dodało %s grup pól: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Ostrzeżenie</b>. Narzędzie importu wykryło %s już istniejących grup "
#~ "pól i je pominęło: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Aktualizuj ACF"

#~ msgid "Upgrade"
#~ msgstr "Aktualizacja"

#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Następujące strony wymagają aktualizacji bazy danych. Zaznacz te które "
#~ "chcesz aktualizować i kliknij 'Aktualizuj bazę danych\"."

#~ msgid "Select"
#~ msgstr "Wybór (select)"

#~ msgid "Done"
#~ msgstr "Gotowe"

#~ msgid "Today"
#~ msgstr "Dzisiaj"

#~ msgid "Show a different month"
#~ msgstr "Pokaż inny miesiąc"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Błąd połączenia</b>. Przepraszamy, spróbuj ponownie"

#~ msgid "See what's new in"
#~ msgstr "Zobacz co słychać nowego w"

#~ msgid "version"
#~ msgstr "wersja"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Przeciągnij i zmień kolejność"

#~ msgid "Upgrading data to"
#~ msgstr "Aktualizacja danych do"

#~ msgid "Return format"
#~ msgstr "Zwracany format"

#~ msgid "uploaded to this post"
#~ msgstr "przesłane do tego wpisu"

#~ msgid "File Name"
#~ msgstr "Nazwa pliku"

#~ msgid "File Size"
#~ msgstr "Rozmiar pliku"

#~ msgid "No File selected"
#~ msgstr "Nie wybrano pliku"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Proszę pamiętać, że wszystkie teksty najpierw przepuszczane są przez "
#~ "funkcje WP"

#~ msgid "Warning"
#~ msgstr "Ostrzeżenie"

#~ msgid "Add new %s "
#~ msgstr "Dodaj nowe %s"

#~ msgid "Save Options"
#~ msgstr "Zapisz opcje"

#~ msgid "License"
#~ msgstr "Licencja"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "W celu odblokowania aktualizacji proszę wpisać swój numer licencji "
#~ "poniżej. Jeśli nie masz klucza proszę zobacz"

#~ msgid "details & pricing"
#~ msgstr "szczegóły i ceny"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Aby włączyć aktualizację proszę wpisać swój klucz licencji na stronie <a "
#~ "href=\"%s\">Aktualizacje</a>. Jeśli nie posiadasz klucza proszę zobaczyć "
#~ "<a href=\"%s\">szczegóły i ceny</a>"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

#~ msgid "elliot condon"
#~ msgstr "elliot condon"

#, fuzzy
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "Grupy pól są tworzone w kolejności <br />od najniższej do najwyższej."

#, fuzzy
#~ msgid "ACF PRO Required"
#~ msgstr "Wymagane?"

#, fuzzy
#~ msgid "Update Database"
#~ msgstr "Aktualizuj bazę danych"

#, fuzzy
#~ msgid "Data Upgrade"
#~ msgstr "Aktualizacja"

#, fuzzy
#~ msgid "image"
#~ msgstr "Obrazek"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "Relacja"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "Grupa pól została opublikowana."

#, fuzzy
#~ msgid "move_field"
#~ msgstr "Zapisz pole"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "Elastyczna treść"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "Galeria"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "Pole powtarzalne"

#~ msgid "Custom field updated."
#~ msgstr "Włąsne pole zostało zaktualizowane."

#~ msgid "Custom field deleted."
#~ msgstr "Własne pole zostało usunięte."

#, fuzzy
#~ msgid "Import/Export"
#~ msgstr "Import / Eksport"

#, fuzzy
#~ msgid "Attachment Details"
#~ msgstr "ID załącznika"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "Walidacja nie powiodła się. Jedno lub więcej pól jest wymaganych."

#~ msgid "Field group restored to revision from %s"
#~ msgstr "Grupa pól została przywróćona z wersji %s"

#~ msgid "No ACF groups selected"
#~ msgstr "Nie zaznaczono żadnej grupy pól"

#~ msgid "Add Fields to Edit Screens"
#~ msgstr "Dodaj pola do stron edycji"

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr ""
#~ "Przeczytaj dokumentację, naucz się funkcji i poznaj parę tricków, które "
#~ "mogą przydać Ci się w Twoim kolejnym projekcie."

#~ msgid "View the ACF website"
#~ msgstr "Odwiedź stronę wtyczki"

#~ msgid "Vote"
#~ msgstr "Głosuj"

#~ msgid "Follow"
#~ msgstr "Śledź"

#~ msgid "Add File to Field"
#~ msgstr "Dodaj plik do pola"

#~ msgid "Add Image to Field"
#~ msgstr "Dodaj zdjęcie do pola"

#~ msgid "Repeater field deactivated"
#~ msgstr "Pole powtarzalne zostało deaktywowane"

#~ msgid "Gallery field deactivated"
#~ msgstr "Galeria została deaktywowana"

#~ msgid "Repeater field activated"
#~ msgstr "Pole powtarzalne zostało aktywowane"

#~ msgid "Options page activated"
#~ msgstr "Strona opcji została aktywowana"

#~ msgid "Flexible Content field activated"
#~ msgstr "Pole z elastyczną zawartością zostało aktywowane"

#~ msgid "Gallery field activated"
#~ msgstr "Galeria została aktywowana"

#~ msgid "License key unrecognised"
#~ msgstr "Klucz licencji nie został rozpoznany"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "Ustawienia zaawansowanych własnych pól"

#~ msgid "Activation Code"
#~ msgstr "Kod aktywacyjny"

#~ msgid "Repeater Field"
#~ msgstr "Pole powtarzalne"

#~ msgid "Flexible Content Field"
#~ msgstr "Pole z elastyczną zawartością"

#~ msgid "Gallery Field"
#~ msgstr "Galeria"

#~ msgid ""
#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used "
#~ "on multiple sites."
#~ msgstr ""
#~ "Dodatki można odblokować kupując kod aktywacyjny. Każdy kod aktywacyjny "
#~ "może być wykorzystywany na dowolnej liczbie stron."

#~ msgid "Export Field Groups to XML"
#~ msgstr "Eksportuj Grupy pól do XML"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr ""
#~ "Wtyczka utworzy plik eksportu .xml, który jest kompatybilny z domyślną "
#~ "wtyczką importu plików."

#~ msgid "Export XML"
#~ msgstr "Eksportuj XML"

#~ msgid "Navigate to the"
#~ msgstr "Przejdź do"

#~ msgid "and select WordPress"
#~ msgstr "i wybierz Wordpress"

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "Zainstaluj wtyczkę importu WP, jeśli zostaniesz o to poproszony"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "Wgraj i zaimportuj wyeksportowany wcześniej plik .xml"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "Wybierz użytkownika i ignoruj Importowanie załączników"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "Gotowe!"

#~ msgid "ACF will create the PHP code to include in your theme"
#~ msgstr "ACF wygeneruje kod PHP, który możesz wkleić do swego szablonu"

#~ msgid "Register Field Groups with PHP"
#~ msgstr "Utwórz grupę pól z PHP"

#~ msgid "Copy the PHP code generated"
#~ msgstr "Skopij wygenerowany kod PHP"

#~ msgid "Paste into your functions.php file"
#~ msgstr "Wklej do pliku functions.php"

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr ""
#~ "Aby aktywować dodatki, edytuj i użyj kodu w pierwszych kilku liniach."

#~ msgid "Back to settings"
#~ msgstr "Wróć do ustawień"

#~ 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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * Aktywuj dodatki\n"
#~ " * Możesz tu wpisać kody aktywacyjne uruchamiające dodatkowe funkcje. \n"
#~ " * W związku z tym, że kody są na dowolną ilość licencji, możesz je "
#~ "stosować także w płatnych szablonach. \n"
#~ " * Użyj kodu aby zaktualizować bazę danych. \n"
#~ " * Możesz umieścić ten kod w funkcjach if, które uruchamiają się np. przy "
#~ "aktywacji szablonu.\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"
#~ " * This code must run every time the functions.php file is read\n"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * Zarejestruj grupy pól\n"
#~ " * Funkcja register_field_group akceptuje 1 ciąg zmiennych, która zawiera "
#~ "wszystkie dane służące rejestracji grupy\n"
#~ " * Możesz edytować tę zmienną i dopasowywać ją do swoich potrzeb. Ale "
#~ "może to też powodować błąd jeśli ta zmienna nie jest kompatybilna z ACF\n"
#~ " * Kod musi być uruchamiany każdorazowo w pliku functions.php\n"
#~ " */"

#~ msgid "requires a database upgrade"
#~ msgstr "wymagana jest aktualizacja bazy danych"

#~ msgid "why?"
#~ msgstr "dlaczego?"

#~ msgid "Please"
#~ msgstr "Proszę"

#~ msgid "backup your database"
#~ msgstr "zrobić kopię zapasową bazy danych"

#~ msgid "then click"
#~ msgstr "a następnie kliknąć"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "Modyfikacje opcji grupy pól 'pokaż na stronie'"

#~ msgid "No choices to choose from"
#~ msgstr "Brak możliwościi wyboru"

#~ msgid "Red"
#~ msgstr "Czerwony"

#~ msgid "Blue"
#~ msgstr "Niebieski"

#~ msgid "blue : Blue"
#~ msgstr "niebieski : Niebieski"

#~ msgid "File Updated."
#~ msgstr "Plik został zaktualizowany."

#~ msgid "Media attachment updated."
#~ msgstr "Załącznik został zaktualizowany."

#~ msgid "Add Selected Files"
#~ msgstr "Dodaj zaznaczone pliki"

#~ msgid "+ Add Row"
#~ msgstr "+ Dodaj rząd"

#~ msgid "Field Order"
#~ msgstr "Kolejność pola"

#~ msgid ""
#~ "No fields. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."
#~ msgstr ""
#~ "Brak pól. Kliknij przycisk \"+ Dodaj pole podrzędne\" aby utworzyć "
#~ "pierwsze własne pole."

#~ msgid "Docs"
#~ msgstr "Dokumentacja"

#~ msgid "Close Sub Field"
#~ msgstr "Zamknij pole"

#~ msgid "+ Add Sub Field"
#~ msgstr "+ Dodaj pole podrzędne"

#~ msgid "Alternate Text"
#~ msgstr "Tekst alternatywny"

#~ msgid "Thumbnail is advised"
#~ msgstr "Zalecana jest miniatura."

#~ msgid "Image Updated"
#~ msgstr "Zdjęcie zostało zaktualizowane."

#~ msgid "Grid"
#~ msgstr "Siatka"

#~ msgid "List"
#~ msgstr "Lista"

#~ msgid "Image already exists in gallery"
#~ msgstr "To zdjęcie już jest w galerii."

#~ msgid "Image Updated."
#~ msgstr "Zdjęcie zostało zaktualizowane."

#~ msgid "No images selected"
#~ msgstr "Nie wybrano obrazków"

#~ msgid "Add selected Images"
#~ msgstr "Dodaj zaznaczone obrazki"

#~ msgid ""
#~ "Filter posts by selecting a post type<br />\n"
#~ "\t\t\t\tTip: deselect all post types to show all post type's posts"
#~ msgstr ""
#~ "Filtruj wpisy wybierając typ wpisu<br />\n"
#~ "\t\t\t\tPodpowiedź: nie zaznaczenie żadnego typu wpisów spowoduje "
#~ "wyświetlenie wszystkich"

#~ msgid "Set to -1 for infinite"
#~ msgstr "Wpisanie -1 oznacza nieskończoność"

#~ msgid "Repeater Fields"
#~ msgstr "Pola powtarzalne"

#~ msgid "Table (default)"
#~ msgstr "Tabela (domyślne)"

#~ msgid "Define how to render html tags"
#~ msgstr "Określ jak traktować znaczniki HTML"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Określ jak traktować znaczniki HTML / nowe wiersze"

#~ msgid "eg. dd/mm/yy. read more about"
#~ msgstr "np. dd/mm/rr. czytaj więcej"

#~ msgid "Page Specific"
#~ msgstr "Związane ze stronami"

#~ msgid "Post Specific"
#~ msgstr "Związane z typem wpisu"

#~ msgid "Taxonomy (Add / Edit)"
#~ msgstr "Taksonomia (Dodaj / Edytuj)"

#~ msgid "Media (Edit)"
#~ msgstr "Medium (Edytuj)"

#~ msgid "match"
#~ msgstr "pasuje"

#~ msgid "all"
#~ msgstr "wszystkie"

#~ msgid "of the above"
#~ msgstr "do pozostałych"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "Odblokuj dodatkowe opcje z kodem aktywacyjnym"

#~ msgid "Normal"
#~ msgstr "Normalna"

#~ msgid "No Metabox"
#~ msgstr "Bez metabox"

#~ msgid "Everything Fields deactivated"
#~ msgstr "Pola do wszystkiego zostały deaktywowane"

#~ msgid "Everything Fields activated"
#~ msgstr "Pola do wszystkiego zostały aktywowane"

#~ msgid "Row Limit"
#~ msgstr "Limit rzędów"

#~ msgid "required"
#~ msgstr "wymagane"

#~ msgid "Show on page"
#~ msgstr "Wyświetl na stronie"

#~ msgid ""
#~ "Watch tutorials, read documentation, learn the API code and find some "
#~ "tips &amp; tricks for your next web project."
#~ msgstr ""
#~ "Obejrzyj tutorial, przeczytaj dokumentację, naucz się API i poznaj parę "
#~ "tricków do przydatnych w Twoim kolejnym projekcie."

#~ msgid "View the plugins website"
#~ msgstr "Odwiedź witrynę wtyczki"

#~ msgid ""
#~ "Join the growing community over at the support forum to share ideas, "
#~ "report bugs and keep up to date with ACF"
#~ msgstr ""
#~ "Dołącz do rosnącej społeczności użytkowników i forum pomocy, aby dzielić "
#~ "się pomysłami, zgłąszać błedy i być na bierząco z tą wtyczką."

#~ msgid "View the Support Forum"
#~ msgstr "Zobacz forum pomocy"

#~ msgid "Developed by"
#~ msgstr "Opracowana przez"

#~ msgid "Vote for ACF"
#~ msgstr "Głosuj na tę wtyczkę"

#~ msgid "Twitter"
#~ msgstr "Twitter"

#~ msgid "Blog"
#~ msgstr "Blog"

#~ msgid "Unlock Special Fields."
#~ msgstr "Odblokuj pola specjalne"

#~ msgid ""
#~ "Special Fields can be unlocked by purchasing an activation code. Each "
#~ "activation code can be used on multiple sites."
#~ msgstr ""
#~ "Pola specjalne można odblokować kupując kod aktywacyjny. Każdy kod "
#~ "aktywacyjny może być wykorzystywany wielokrotnie."

#~ msgid "Visit the Plugin Store"
#~ msgstr "Odwiedź sklep wtyczki"

#~ msgid "Unlock Fields"
#~ msgstr "Odblokuj pola"

#~ msgid "Have an ACF export file? Import it here."
#~ msgstr "Wyeksportowałeś plik z polami? Możesz go zaimportować tutaj."

#~ msgid ""
#~ "Want to create an ACF export file? Just select the desired ACF's and hit "
#~ "Export"
#~ msgstr ""
#~ "Chcesz stworzyć i wyeksportować plik z polami? Wybierz pola i kliknij "
#~ "Eksport"

#~ msgid ""
#~ "No fields. Click the \"+ Add Field button\" to create your first field."
#~ msgstr ""
#~ "Brak pól. Kliknij przycisk \"+ Dodaj pole\" aby utworzyć pierwsze własne "
#~ "pole."

#~ msgid ""
#~ "Special Fields can be unlocked by purchasing a license key. Each key can "
#~ "be used on multiple sites."
#~ msgstr ""
#~ "Pola specjalne można odblokować kupując kod aktywacyjny. Każdy kod "
#~ "aktywacyjny może być wykorzystywany wielokrotnie."

#~ msgid "Select which ACF groups to export"
#~ msgstr "Wybierz, które grupy chcesz wyeksportować"

#~ msgid ""
#~ "Have an ACF export file? Import it here. Please note that v2 and v3 .xml "
#~ "files are not compatible."
#~ msgstr ""
#~ "Wyeksportowałeś plik z polami? Zaimportuj go tutaj. Zwróć uwagę, że "
#~ "wersje 2 i 3 plików .xml nie są ze sobą kompatybilne."

#~ msgid "Import your .xml file"
#~ msgstr "Zaimportuj plik .xml"

#~ msgid "Display your field group with or without a box"
#~ msgstr "Wyświetl grupę pól w ramce lub bez niej"

#~ msgid "Save"
#~ msgstr "Zapisz"

#~ msgid "No Options"
#~ msgstr "Brak opcji"

#~ msgid "Sorry, it seems there are no fields for this options page."
#~ msgstr "Przykro mi, ale ta strona opcji nie zawiera pól."

#~ msgid ""
#~ "Enter your choices one per line<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tRed<br />\n"
#~ "\t\t\t\tBlue<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tor<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tred : Red<br />\n"
#~ "\t\t\t\tblue : Blue"
#~ msgstr ""
#~ "Wpisz dostęne opcje, każdy w odrębnym rzędzie<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tCzerwony<br />\n"
#~ "\t\t\t\tNiebieski<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tor<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tczerwony : Czerwony<br />\n"
#~ "\t\t\t\tniebieski : Niebieski"

#~ msgid "continue editing ACF"
#~ msgstr "kontynuuj edycję"

#~ msgid "Adv Upgrade"
#~ msgstr "Zaawansowana aktualizacja"
PK�
�[�\�����lang/acf-pt_PT.ponu�[���# Copyright (C) 2014
# This file is distributed under the same license as the  package.
msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields PRO\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-10-22 08:28+0100\n"
"PO-Revision-Date: 2019-10-22 08:36+0100\n"
"Last-Translator: Pedro Mendonça <ped.gaspar@gmail.com>\n"
"Language-Team: Pedro Mendonça <ped.gaspar@gmail.com>\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.2.4\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;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:68
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:341 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Grupos de campos"

#: acf.php:342
msgid "Field Group"
msgstr "Grupo de campos"

#: acf.php:343 acf.php:375 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Adicionar novo"

#: acf.php:344
msgid "Add New Field Group"
msgstr "Adicionar novo grupo de campos"

#: acf.php:345
msgid "Edit Field Group"
msgstr "Editar grupo de campos"

#: acf.php:346
msgid "New Field Group"
msgstr "Novo grupo de campos"

#: acf.php:347
msgid "View Field Group"
msgstr "Ver grupo de campos"

#: acf.php:348
msgid "Search Field Groups"
msgstr "Pesquisar grupos de campos"

#: acf.php:349
msgid "No Field Groups found"
msgstr "Nenhum grupo de campos encontrado"

#: acf.php:350
msgid "No Field Groups found in Trash"
msgstr "Nenhum grupo de campos encontrado no lixo"

#: acf.php:373 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Campos"

#: acf.php:374
msgid "Field"
msgstr "Campo"

#: acf.php:376
msgid "Add New Field"
msgstr "Adicionar novo campo"

#: acf.php:377
msgid "Edit Field"
msgstr "Editar campo"

#: acf.php:378 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Novo campo"

#: acf.php:379
msgid "View Field"
msgstr "Ver campo"

#: acf.php:380
msgid "Search Fields"
msgstr "Pesquisar campos"

#: acf.php:381
msgid "No Fields found"
msgstr "Nenhum campo encontrado"

#: acf.php:382
msgid "No Fields found in Trash"
msgstr "Nenhum campo encontrado no lixo"

#: acf.php:417 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inactivo"

#: acf.php:422
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactivo <span class=\"count\">(%s)</span>"
msgstr[1] "Inactivos <span class=\"count\">(%s)</span>"

#: includes/acf-field-functions.php:831
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(sem legenda)"

#: includes/acf-field-group-functions.php:819
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "cópia"

#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Grupo de campos actualizado."

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Grupo de campos eliminado."

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Grupo de campos publicado."

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Grupo de campos guardado."

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Grupo de campos enviado."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Grupo de campos agendado."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Rascunho de grupo de campos actualizado."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "O prefixo \"field_\" não pode ser utilizado no início do nome do campo."

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "Este campo não pode ser movido até que as suas alterações sejam guardadas."

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "O título do grupo de campos é obrigatório"

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Mover para o lixo. Tem certeza?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Nenhum campo de opções disponível"

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Mover campo personalizado"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Seleccionado"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(este campo)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3649
msgid "or"
msgstr "ou"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Nulo"

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Localização"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Definições"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Chaves dos campos"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Activo"

#: includes/admin/admin-field-group.php:767
msgid "Move Complete."
msgstr "Movido com sucesso."

#: includes/admin/admin-field-group.php:768
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "O campo %s pode agora ser encontrado no grupo de campos %s"

#: includes/admin/admin-field-group.php:769
msgid "Close Window"
msgstr "Fechar janela"

#: includes/admin/admin-field-group.php:810
msgid "Please select the destination for this field"
msgstr "Por favor seleccione o destinho para este campo"

#: includes/admin/admin-field-group.php:817
msgid "Move Field"
msgstr "Mover campo"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Activo <span class=\"count\">(%s)</span>"
msgstr[1] "Activos <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Grupo de campos duplicado."
msgstr[1] "%s grupos de campos duplicados."

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Grupo de campos sincronizado."
msgstr[1] "%s grupos de campos sincronizados."

#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Sincronização disponível"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:353
msgid "Title"
msgstr "Título"

#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:380
msgid "Description"
msgstr "Descrição"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Estado"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr "Personalize o WordPress com campos intuitivos, poderosos e profissionais."

#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Registo de alterações"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Veja o que há de novo na <a href=\"%s\">versão %s</a>."

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Recursos"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Site"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Documentação"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Suporte"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:81
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Obrigado por criar com o <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Duplicar este item"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Duplicar"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:146
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Pesquisa"

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "Seleccionar %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Sincronizar grupo de campos"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Sincronizar"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Aplicar"

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Acções por lotes"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Ferramentas"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Actualizar base de dados"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Rever sites e actualizar"

#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Campos personalizados"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informações"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "O que há de novo"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Exportar grupos de campos"

#: 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 "Gerar PHP"

#: 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 "Nenhum grupo de campos seleccionado"

#: 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] "Foi exportado 1 grupo de campos."
msgstr[1] "Foram exportados %s grupos de campos."

#: 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 "Seleccione os grupos de campos"

#: 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 "Seleccione os grupos de campos que deseja exportar e seleccione o método de exportação. Utilize o botão Descarregar para exportar um ficheiro .json que poderá depois importar para outra instalação do ACF. Utilize o botão Gerar para exportar o código PHP que poderá incorporar no seu tema."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Exportar ficheiro"

#: 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 "O código abaixo pode ser usado para registar uma versão local do(s) grupo(s) de campos seleccionado(s). Um grupo de campos local tem alguns benefícios, tais como maior velocidade de carregamento, controlo de versão, definições e campos dinâmicos. Copie e cole o código abaixo no ficheiro functions.php do seu tema, ou inclua-o num ficheiro externo."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Copiar para a área de transferência"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Copiado"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importar grupos de campos"

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 "Seleccione o ficheiro JSON do Advanced Custom Fields que deseja importar. Ao clicar no botão Importar abaixo, o ACF irá importar os grupos de campos."

#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Seleccionar ficheiro"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Importar ficheiro"

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Nenhum ficheiro seleccionado"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Erro ao carregar ficheiro. Por favor tente de novo."

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Tipo de ficheiro incorrecto"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "Ficheiro de importação vazio"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Foi importado 1 grupo de campos."
msgstr[1] "Foram importados %s grupos de campos."

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Lógica condicional"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Mostrar este campo se"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "e"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Adicionar grupo de regras"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Arraste para reordenar"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Editar campo"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:337
msgid "Edit"
msgstr "Editar"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Duplicar campo"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Mover campo para outro grupo"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Mover"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Eliminar campo"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Eliminar"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Legenda do campo"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Este é o nome que será mostrado na página EDITAR."

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nome do campo"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Uma única palavra, sem espaços. São permitidos underscores (_) e traços (-)."

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Tipo de campo"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instruções"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instruções para os autores. São mostradas ao preencher e submeter dados."

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Obrigatório?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Atributos do wrapper"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "largura"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Fechar campo"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordem"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Legenda"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Nome"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Chave"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tipo"

#: includes/admin/views/field-group-fields.php:14
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr "Nenhum campo. Clique no botão <strong>+ Adicionar campo</strong> para criar seu primeiro campo."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Adicionar campo"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regras"

#: 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 "Crie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançados"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Estilo"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Predefinido (metabox do WP)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Simples (sem metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posição"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Acima (depois do título)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (depois do conteúdo)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Lateral"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Posição da legenda"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Alinhado acima"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Alinhado à esquerda"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Posição das instruções"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Abaixo das legendas"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Abaixo dos campos"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Nº. de ordem"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Serão mostrados primeiro os grupos de campos com menor número de ordem."

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Mostrado na lista de grupos de campos"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Ligação permanente"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Editor de conteúdo"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Excerto"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Discussão"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Comentários"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revisões"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Formato"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Atributos da página"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Imagem de destaque"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Categorias"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Etiquetas"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Enviar trackbacks"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Esconder no ecrã"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Seleccione</b> os itens a <b>esconder</b> do ecrã de edição."

#: includes/admin/views/field-group-options.php:129
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 "Se forem mostrados vários grupos de campos num ecrã de edição, serão utilizadas as opções do primeiro grupo de campos. (o que tiver menor número de ordem)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid "The following sites require a DB upgrade. Check the ones you want to update and then click %s."
msgstr "Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Actualizar sites"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Site"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "O site necessita de actualizar a base de dados de %s para %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "O site está actualizado"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "Actualização da base de dados concluída. <a href=\"%s\">Voltar ao painel da rede</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Por favor, seleccione pelo menos um site para actualizar."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid "It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?"
msgstr "É recomendável que faça uma cópia de segurança da sua base de dados antes de continuar. Tem a certeza que quer actualizar agora?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "A actualizar dados para a versão %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Actualização concluída."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Falhou ao actualizar."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "A ler tarefas de actualização..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "Actualização da base de dados concluída. <a href=\"%s\">Ver o que há de novo</a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr "Nenhuma actualização disponível."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Voltar para todas as ferramentas"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Mostrar este grupo de campos se"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Repetidor"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Conteúdo flexível"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galeria"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Página de opções"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Actualização da base de dados necessária"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Obrigado por actualizar para o %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid "This version contains improvements to your database and requires an upgrade."
msgstr "Esta versão inclui melhorias na base de dados e requer uma actualização."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid "Please also check all premium add-ons (%s) are updated to the latest version."
msgstr "Por favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão."

#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Add-ons"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Descarregar e instalar"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalado"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bem-vindo ao Advanced Custom Fields"

#: 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 "Obrigado por actualizar! O ACF %s está maior e melhor do que nunca. Esperamos que goste."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Uma experiência mais fácil"

#: includes/admin/views/settings-info.php:18
msgid "Improved Usability"
msgstr "Usabilidade melhorada"

#: includes/admin/views/settings-info.php:19
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 "A inclusão da popular biblioteca Select2 melhorou a usabilidade e a velocidade de tipos de campos como conteúdo, ligação de página, taxonomia e selecção."

#: includes/admin/views/settings-info.php:22
msgid "Improved Design"
msgstr "Design melhorado"

#: includes/admin/views/settings-info.php:23
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 "Muitos campos sofreram alterações visuais para que a aparência do ACF esteja melhor que nunca! Alterações notáveis nos campos de galeria, relação e oEmbed (novo)!"

#: includes/admin/views/settings-info.php:26
msgid "Improved Data"
msgstr "Dados melhorados"

#: includes/admin/views/settings-info.php:27
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 "A reformulação da arquitectura dos dados permite que os subcampos existam independentemente dos seus superiores. Isto permite-lhe arrastar e largar campos para dentro e para fora de campos superiores!"

#: includes/admin/views/settings-info.php:35
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Adeus add-ons. Olá PRO."

#: includes/admin/views/settings-info.php:38
msgid "Introducing ACF PRO"
msgstr "Introdução ao ACF PRO"

#: includes/admin/views/settings-info.php:39
msgid "We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Estamos a alterar o modo como as funcionalidades premium são distribuídas!"

#: includes/admin/views/settings-info.php:40
#, php-format
msgid "All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!"
msgstr "Todos os 4 add-ons premium foram combinados numa única <a href=\"%s\">versão Pro do ACF</a>. Com licenças pessoais e para programadores, as funcionalidades premium estão agora mais acessíveis que nunca!"

#: includes/admin/views/settings-info.php:44
msgid "Powerful Features"
msgstr "Funcionalidades poderosas"

#: includes/admin/views/settings-info.php:45
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 "O ACF PRO tem funcionalidades poderosas, tais como dados repetíveis, layouts de conteúdo flexível, um campo de galeria e a possibilidade de criar páginas de opções de administração adicionais!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Mais informações sobre as <a href=\"%s\">funcionalidades do ACF PRO</a>."

#: includes/admin/views/settings-info.php:50
msgid "Easy Upgrading"
msgstr "Actualização fácil"

#: includes/admin/views/settings-info.php:51
msgid "Upgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!"
msgstr "É fácil actualizar para o ACF PRO. Basta comprar uma licença online e descarregar o plugin!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href=\"%s\">help desk</a>."
msgstr "Escrevemos um <a href=\"%s\">guia de actualização</a> para responder a todas as dúvidas, se tiver alguma questão, por favor contacte a nossa equipa de suporte através da <a href=\"%s\">central de ajuda</a>."

#: includes/admin/views/settings-info.php:61
msgid "New Features"
msgstr "Novas funcionalidades"

#: includes/admin/views/settings-info.php:66
msgid "Link Field"
msgstr "Campo de ligação"

#: includes/admin/views/settings-info.php:67
msgid "The Link field provides a simple way to select or define a link (url, title, target)."
msgstr "O campo de ligação permite facilmente seleccionar ou definir uma ligação (URL, título, destino)."

#: includes/admin/views/settings-info.php:71
msgid "Group Field"
msgstr "Campo de grupo"

#: includes/admin/views/settings-info.php:72
msgid "The Group field provides a simple way to create a group of fields."
msgstr "O campo de grupo permite facilmente criar um grupo de campos."

#: includes/admin/views/settings-info.php:76
msgid "oEmbed Field"
msgstr "Campo de oEmbed"

#: includes/admin/views/settings-info.php:77
msgid "The oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content."
msgstr "O campo de oEmbed permite facilmente incorporar vídeos, imagens, tweets, áudio ou outros conteúdos."

#: includes/admin/views/settings-info.php:81
msgid "Clone Field"
msgstr "Campo de clone"

#: includes/admin/views/settings-info.php:82
msgid "The clone field allows you to select and display existing fields."
msgstr "O campo de clone permite seleccionar e mostrar campos existentes."

#: includes/admin/views/settings-info.php:86
msgid "More AJAX"
msgstr "Mais AJAX"

#: includes/admin/views/settings-info.php:87
msgid "More fields use AJAX powered search to speed up page loading."
msgstr "Mais campos utilizam pesquisa com AJAX para aumentar a velocidade de carregamento."

#: includes/admin/views/settings-info.php:91
msgid "Local JSON"
msgstr "JSON local"

#: includes/admin/views/settings-info.php:92
msgid "New auto export to JSON feature improves speed and allows for syncronisation."
msgstr "Nova funcionalidade de exportação automática para JSON melhora a velocidade e permite sincronização."

#: includes/admin/views/settings-info.php:96
msgid "Easy Import / Export"
msgstr "Fácil importação e exportação"

#: includes/admin/views/settings-info.php:97
msgid "Both import and export can easily be done through a new tools page."
msgstr "Pode facilmente importar e exportar a partir da nova página de ferramentas."

#: includes/admin/views/settings-info.php:101
msgid "New Form Locations"
msgstr "Novas localizações de formulários"

#: includes/admin/views/settings-info.php:102
msgid "Fields can now be mapped to menus, menu items, comments, widgets and all user forms!"
msgstr "Os campos agora podem ser mapeados para menus, itens de menu, comentários, widgets e formulários de utilizador!"

#: includes/admin/views/settings-info.php:106
msgid "More Customization"
msgstr "Maior personalização"

#: includes/admin/views/settings-info.php:107
msgid "New PHP (and JS) actions and filters have been added to allow for more customization."
msgstr "Foram adicionadas novas acções e filtros de PHP (e JS) para permitir maior personalização."

#: includes/admin/views/settings-info.php:111
msgid "Fresh UI"
msgstr "Nova interface"

#: includes/admin/views/settings-info.php:112
msgid "The entire plugin has had a design refresh including new field types, settings and design!"
msgstr "Toda a interface do plugin foi actualizada, incluindo novos tipos de campos, definições e design!"

#: includes/admin/views/settings-info.php:116
msgid "New Settings"
msgstr "Novas definições"

#: includes/admin/views/settings-info.php:117
msgid "Field group settings have been added for Active, Label Placement, Instructions Placement and Description."
msgstr "Foram adicionadas definições aos grupos de campos, tais como activação, posição da legenda, posição das instruções e descrição."

#: includes/admin/views/settings-info.php:121
msgid "Better Front End Forms"
msgstr "Melhores formulários para o seu site"

#: includes/admin/views/settings-info.php:122
msgid "acf_form() can now create a new post on submission with lots of new settings."
msgstr "Com acf_form() agora pode criar um novo conteúdo ao submeter, com muito mais definições."

#: includes/admin/views/settings-info.php:126
msgid "Better Validation"
msgstr "Melhor validação"

#: includes/admin/views/settings-info.php:127
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr "A validação de formulários agora é feita com PHP + AJAX em vez de apenas JS."

#: includes/admin/views/settings-info.php:131
msgid "Moving Fields"
msgstr "Mover campos"

#: includes/admin/views/settings-info.php:132
msgid "New field group functionality allows you to move a field between groups & parents."
msgstr "Nova funcionalidade de grupo de campos permite mover um campo entre grupos e superiores."

#: includes/admin/views/settings-info.php:143
#, php-format
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:827
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:828
msgid "Medium"
msgstr "Média"

#: includes/api/api-helpers.php:829
msgid "Large"
msgstr "Grande"

#: includes/api/api-helpers.php:878
msgid "Full Size"
msgstr "Tamanho original"

#: includes/api/api-helpers.php:1599 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(sem título)"

#: includes/api/api-helpers.php:3570
#, 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:3575
#, 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:3591
#, 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:3596
#, 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:3614
#, 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:3619
#, 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:3653
#, php-format
msgid "File type must be %s."
msgstr "O tipo de ficheiro deve ser %s."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "As alterações que fez serão ignoradas se navegar para fora desta página."

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Seleccionar"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Editar"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Actualizar"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Carregados neste artigo"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "Expandir detalhes"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Minimizar detalhes"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Restrito"

#: includes/assets.php:178 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr "Todas as imagens"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "Validação bem sucedida"

#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "A validação falhou"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "1 campo requer a sua atenção"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "%d campos requerem a sua atenção"

#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Tem a certeza?"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Sim"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Não"

#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:338
#: pro/fields/class-acf-field-gallery.php:478
msgid "Remove"
msgstr "Remover"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Cancelar"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Tem um valor qualquer"

#: includes/assets.php:195
msgid "Has no value"
msgstr "Não tem valor"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "O valor é igual a"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "O valor é diferente de"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "O valor corresponde ao padrão"

#: includes/assets.php:199
msgid "Value contains"
msgstr "O valor contém"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "O valor é maior do que"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "O valor é menor do que"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "A selecção é maior do que"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "A selecção é menor do que"

#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Editar grupo de campos"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Tipo de campo não existe"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Desconhecido"

#: includes/fields.php:349
msgid "Basic"
msgstr "Básico"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Conteúdo"

#: includes/fields.php:351
msgid "Choice"
msgstr "Opção"

#: includes/fields.php:352
msgid "Relational"
msgstr "Relacional"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Layout"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Acordeão"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Aberto"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Mostrar este item de acordeão aberto ao carregar a página."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Expandir múltiplos"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Permite abrir este item de acordeão sem fechar os restantes."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Fim"

#: 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 "Define o fim do acordeão anterior. Este item de acordeão não será visível."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Grupo de botões"

#: 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:364
msgid "Choices"
msgstr "Opções"

#: 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:365
msgid "Enter each choice on a new line."
msgstr "Insira cada opção numa linha separada."

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr "Para maior controlo, pode especificar tanto os valores como as legendas:"

#: 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:365
msgid "red : Red"
msgstr "vermelho : Vermelho"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "Permitir nulo?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
msgid "Default Value"
msgstr "Valor por omissão"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
msgid "Appears when creating a new post"
msgstr "Mostrado ao criar um novo conteúdo"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertical"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Valor devolvido"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Especifica o valor devolvido na frente do site."

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Valor"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Ambos (Array)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Caixa de selecção"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Seleccionar tudo"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Adicionar nova opção"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Permitir personalização"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Permite adicionar valores personalizados"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Guardar personalização"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Guarda valores personalizados nas opções do campo"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Insira cada valor por omissão numa linha separada"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Selecção"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Preceder com caixa de selecção adicional para seleccionar todas as opções"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Selecção de cor"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Limpar"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Por omissão"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Seleccionar cor"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Cor actual"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Selecção de data"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Concluído"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Hoje"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Seguinte"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Anterior"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Sem"

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Formato de visualização"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "O formato de visualização ao editar um conteúdo"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Personalizado:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Formato guardado"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "O formato usado ao guardar um valor"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:557
msgid "Return Format"
msgstr "Formato devolvido"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "O formato devolvido através das <em>template functions</em>"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Semana começa em"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Selecção de data e hora"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Escolha a hora"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuto"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Segundo"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milissegundo"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microsegundo"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fuso horário"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Agora"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Concluído"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Seleccionar"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Email"

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Texto predefinido"

#: 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:105
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Mostrado dentro do campo"

#: 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:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr "Preceder"

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr "Mostrado antes do campo"

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr "Suceder"

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr "Mostrado depois do campo"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Ficheiro"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Editar ficheiro"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Actualizar ficheiro"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Nome do ficheiro"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:642
#: pro/fields/class-acf-field-gallery.php:671
msgid "File size"
msgstr "Tamanho do ficheiro"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Adicionar ficheiro"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Array do ficheiro"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "URL do ficheiro"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID do ficheiro"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:592
msgid "Library"
msgstr "Biblioteca"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:593
msgid "Limit the media library choice"
msgstr "Limita a escolha da biblioteca de media."

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:72
#: includes/locations/class-acf-location-user-role.php:88
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:598
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Todos"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:599
msgid "Uploaded to post"
msgstr "Carregados no artigo"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:621
msgid "Minimum"
msgstr "Mínimo"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Restringe que ficheiros podem ser carregados."

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:650
msgid "Maximum"
msgstr "Máximo"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:678
msgid "Allowed file types"
msgstr "Tipos de ficheiros permitidos"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:679
msgid "Comma separated list. Leave blank for all types"
msgstr "Lista separada por vírgulas. Deixe em branco para permitir todos os tipos."

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Mapa do Google"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Desculpe, este navegador não suporta geolocalização."

#: includes/fields/class-acf-field-google-map.php:147
msgid "Clear location"
msgstr "Limpar localização"

#: includes/fields/class-acf-field-google-map.php:148
msgid "Find current location"
msgstr "Encontrar a localização actual"

#: includes/fields/class-acf-field-google-map.php:151
msgid "Search for address..."
msgstr "Pesquisar endereço..."

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-google-map.php:192
msgid "Center"
msgstr "Centrar"

#: includes/fields/class-acf-field-google-map.php:182
#: includes/fields/class-acf-field-google-map.php:193
msgid "Center the initial map"
msgstr "Centrar o mapa inicial"

#: includes/fields/class-acf-field-google-map.php:204
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:205
msgid "Set the initial zoom level"
msgstr "Definir o nível de zoom inicial"

#: includes/fields/class-acf-field-google-map.php:214
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:633
#: pro/fields/class-acf-field-gallery.php:662
msgid "Height"
msgstr "Altura"

#: includes/fields/class-acf-field-google-map.php:215
msgid "Customize the map height"
msgstr "Personalizar a altura do mapa"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Grupo"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Subcampos"

#: 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 "Especifica o estilo usado para mostrar os campos seleccionados."

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Bloco"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Tabela"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Linha"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Imagem"

#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr "Seleccionar imagem"

#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr "Editar imagem"

#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr "Actualizar imagem"

#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr "Nenhuma imagem seleccionada"

#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr "Adicionar imagem"

#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:563
msgid "Image Array"
msgstr "Array da imagem"

#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:564
msgid "Image URL"
msgstr "URL da imagem"

#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:565
msgid "Image ID"
msgstr "ID da imagem"

#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:571
msgid "Preview Size"
msgstr "Tamanho da pré-visualização"

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:622
#: pro/fields/class-acf-field-gallery.php:651
msgid "Restrict which images can be uploaded"
msgstr "Restringir que imagens que ser carregadas"

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:625
#: pro/fields/class-acf-field-gallery.php:654
msgid "Width"
msgstr "Largura"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Ligação"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Seleccionar ligação"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Abre numa nova janela/separador"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Array da ligação"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL da ligação"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mensagem"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Novas linhas"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Controla como serão visualizadas novas linhas."

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Adicionar parágrafos automaticamente"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Adicionar &lt;br&gt; automaticamente"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Sem formatação"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Mostrar HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Permite visualizar o código HTML como texto visível, em vez de o processar."

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Número"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Valor mínimo"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Valor máximo"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Valor dos passos"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "O valor deve ser um número"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "O valor deve ser igual ou superior a %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "O valor deve ser igual ou inferior a %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Insira o URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Tamanho da incorporação"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Ligação de página"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arquivo"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Superior"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Filtrar por tipo de conteúdo"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Todos os tipos de conteúdo"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Filtrar por taxonomia"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Todas as taxonomias"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Permitir URL do arquivo"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Seleccionar valores múltiplos?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Senha"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Conteúdo"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "ID do conteúdo"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Botão de opção"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Outro"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Adicionar opção 'outros' para permitir a inserção de valores personalizados"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Guardar outros"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Guardar 'outros' valores nas opções do campo"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Intervalo"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relação"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Valor máximo alcançado ( valor {max} )"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "A carregar"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Nenhuma correspondência encontrada"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Seleccione tipo de conteúdo"

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Seleccione taxonomia"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Pesquisar..."

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filtros"

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tipo de conteúdo"

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomia"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elementos"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Os elementos seleccionados serão mostrados em cada resultado."

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Mínimo de conteúdos"

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Máximo de conteúdos"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:779
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s requer pelo menos %s selecção"
msgstr[1] "%s requer pelo menos %s selecções"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Selecção"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Um resultado encontrado, prima Enter para seleccioná-lo."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d resultados encontrados, use as setas para cima ou baixo para navegar."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nenhuma correspondência encontrada"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Por favor insira 1 ou mais caracteres"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Por favor insira %d ou mais caracteres"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Por favor elimine 1 caractere"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Por favor elimine %d caracteres"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Só pode seleccionar 1 item"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Só pode seleccionar %d itens"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "A carregar mais resultados&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "A pesquisar&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Falhou ao carregar"

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Interface estilizada"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "Utilizar AJAX para carregar opções?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Especifica o valor devolvido."

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Divisória"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Separador"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Posição"

#: 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 "Define o fim dos separadores anteriores. Isto será o início de um novo grupo de separadores."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Sem %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Seleccione a taxonomia que será mostrada."

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Apresentação"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Seleccione a apresentação deste campo."

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Valores múltiplos"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Selecção múltipla"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Valor único"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Botões de opções"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Criar termos"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Permite a criação de novos termos durante a edição."

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Guardar termos"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Liga os termos seleccionados ao conteúdo."

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Carregar termos"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Carrega os termos a partir dos termos dos conteúdos."

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Termo"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID do termo"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "O utilizador não pôde adicionar novo(a) %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s já existe"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s adicionado(a)"

#: includes/fields/class-acf-field-taxonomy.php:973
#: includes/locations/class-acf-location-user-form.php:73
msgid "Add"
msgstr "Adicionar"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Texto"

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limite de caracteres"

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Deixe em branco para não limitar"

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr "O valor não deve exceder %d caracteres"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Área de texto"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Linhas"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Define a altura da área de texto"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Selecção de hora"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Verdadeiro / Falso"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Texto mostrado ao lado da caixa de selecção"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Texto ligado"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Texto mostrado quando activo"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Texto desligado"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Texto mostrado quando inactivo"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "O valor deve ser um URL válido"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Utilizador"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Filtrar por papel"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Todos os papéis de utilizador"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Array do utilizador"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Objecto do utilizador"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "ID do utilizador"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Editor wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visual"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "HTML"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Clique para inicializar o TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Separadores"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visual e HTML"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Apenas visual"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Apenas HTML"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Barra de ferramentas"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Mostrar botões de carregar multimédia?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Atrasar a inicialização?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initialized until field is clicked"
msgstr "O TinyMCE não será inicializado até que clique no campo"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Validar email"

#: includes/forms/form-front.php:104 pro/fields/class-acf-field-gallery.php:510
#: pro/options-page.php:81
msgid "Update"
msgstr "Actualizar"

#: includes/forms/form-front.php:105
msgid "Post updated"
msgstr "Artigo actualizado"

#: includes/forms/form-front.php:231
msgid "Spam Detected"
msgstr "Spam detectado"

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr "<strong>ERRO</strong>: %s"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Artigo"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Página"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formulários"

#: includes/locations.php:243
msgid "is equal to"
msgstr "é igual a"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "não é igual a"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Anexo"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Todos os formatos de %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Comentário"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Papel do utilizador actual"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Administrador"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Utilizador actual"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Sessão iniciada"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "A visualizar a frente do site"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "A visualizar a administração do site"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Item de menu"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Localizações do menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menus"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Página superior"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Modelo de página"

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Modelo por omissão"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipo de página"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Página inicial"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Página de artigos"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Página de topo (sem superior)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Página superior (tem dependentes)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Página dependente (tem superior)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoria de artigo"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formato de artigo"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Estado do conteúdo"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomia do artigo"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Modelo de conteúdo"

#: includes/locations/class-acf-location-user-form.php:22
msgid "User Form"
msgstr "Formulário de utilizador"

#: includes/locations/class-acf-location-user-form.php:74
msgid "Add / Edit"
msgstr "Adicionar / Editar"

#: includes/locations/class-acf-location-user-form.php:75
msgid "Register"
msgstr "Registar"

#: includes/locations/class-acf-location-user-role.php:22
msgid "User Role"
msgstr "Papel de utilizador"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "O valor %s é obrigatório"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Publicado"

#: pro/admin/admin-options-page.php:204
#, php-format
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr "Nenhum grupo de campos personalizado encontrado na página de opções. <a href=\"%s\">Criar um grupo de campos personalizado</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Erro</b>. Não foi possível ligar ao servidor de actualização"

#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Actualizações"

#: pro/admin/admin-updates.php:191
msgid "<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license."
msgstr "<b>Erro</b>. Não foi possível autenticar o pacote de actualização. Por favor verifique de novo, ou desactive e reactive a sua licença do ACF PRO."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Desactivar licença"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activar licença"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informações da licença"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</a>."
msgstr "Para desbloquear as actualizações, por favor insira a sua chave de licença. Se não tiver uma chave de licença, por favor consulte os <a href=\"%s\" target=\"_blank\">detalhes e preços</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Chave de licença"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informações de actualização"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Versão actual"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Última versão"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Actualização disponível"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Actualizar plugin"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Por favor, insira acima a sua chave de licença para desbloquear as actualizações"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Verificar de novo"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Informações sobre a actualização"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Mudar para o editor"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Mudar para pré-visualização"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clone"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Seleccione um ou mais campos que deseje clonar."

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Visualização"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Especifica o estilo usado para mostrar o campo de clone."

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grupo (mostra os campos seleccionados num grupo dentro deste campo)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Simples (substitui este campo pelos campos seleccionados)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "As legendas serão mostradas com %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Prefixo nas legendas dos campos"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Os valores serão guardados como %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Prefixos nos nomes dos campos"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Campo desconhecido"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Grupo de campos desconhecido"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Todos os campos do grupo de campos %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Adicionar linha"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "layout"
msgstr[1] "layouts"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "layouts"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Este campo requer pelo menos {min} {identifier} {label}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Este campo está limitado a {max} {identifier} {label}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {identifier} {label} disponível (máx {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {identifier} {label} em falta (mín {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "O conteúdo flexível requer pelo menos 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Clique no botão \"%s\" abaixo para começar a criar o seu layout"

#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Adicionar layout"

#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Remover layout"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Clique para alternar"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Reordenar layout"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Reordenar"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Eliminar layout"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Duplicar layout"

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Adicionar novo layout"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Mín"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Máx"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Legenda do botão"

#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Mínimo de layouts"

#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Máximo de layouts"

#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr "Adicionar imagem à galeria"

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr "Máximo de selecção alcançado"

#: pro/fields/class-acf-field-gallery.php:322
msgid "Length"
msgstr "Comprimento"

#: pro/fields/class-acf-field-gallery.php:362
msgid "Caption"
msgstr "Legenda"

#: pro/fields/class-acf-field-gallery.php:371
msgid "Alt Text"
msgstr "Texto alternativo"

#: pro/fields/class-acf-field-gallery.php:487
msgid "Add to gallery"
msgstr "Adicionar à galeria"

#: pro/fields/class-acf-field-gallery.php:491
msgid "Bulk actions"
msgstr "Acções por lotes"

#: pro/fields/class-acf-field-gallery.php:492
msgid "Sort by date uploaded"
msgstr "Ordenar por data de carregamento"

#: pro/fields/class-acf-field-gallery.php:493
msgid "Sort by date modified"
msgstr "Ordenar por data de modificação"

#: pro/fields/class-acf-field-gallery.php:494
msgid "Sort by title"
msgstr "Ordenar por título"

#: pro/fields/class-acf-field-gallery.php:495
msgid "Reverse current order"
msgstr "Inverter ordem actual"

#: pro/fields/class-acf-field-gallery.php:507
msgid "Close"
msgstr "Fechar"

#: pro/fields/class-acf-field-gallery.php:580
msgid "Insert"
msgstr "Inserir"

#: pro/fields/class-acf-field-gallery.php:581
msgid "Specify where new attachments are added"
msgstr "Especifica onde serão adicionados os novos anexos."

#: pro/fields/class-acf-field-gallery.php:585
msgid "Append to the end"
msgstr "No fim"

#: pro/fields/class-acf-field-gallery.php:586
msgid "Prepend to the beginning"
msgstr "No início"

#: pro/fields/class-acf-field-gallery.php:605
msgid "Minimum Selection"
msgstr "Selecção mínima"

#: pro/fields/class-acf-field-gallery.php:613
msgid "Maximum Selection"
msgstr "Selecção máxima"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "Mínimo de linhas alcançado ({min} linhas)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Máximo de linhas alcançado ({max} linhas)"

#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Adicionar linha"

#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Remover linha"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Minimizado"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "Seleccione o subcampo a mostrar ao minimizar a linha."

#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Mínimo de linhas"

#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Máximo de linhas"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Não existem páginas de opções"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opções"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opções actualizadas"

#: pro/updates.php:97
#, php-format
msgid "To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s\">details & pricing</a>."
msgstr "Para permitir actualizações, por favor insira a sua chave de licença na página de <a href=\"%s\">Actualizações</a>. Se não tiver uma chave de licença, por favor veja os <a href=\"%s\">detalhes e preços</a>."

#: tests/basic/test-blocks.php:30
msgid "Normal"
msgstr "Normal"

#: tests/basic/test-blocks.php:31
msgid "Fancy"
msgstr "Elegante"

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr "https://www.advancedcustomfields.com"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#~ msgid "Shown when entering data"
#~ msgstr "Mostrado ao inserir dados"

#~ msgid "Testimonial"
#~ msgstr "Testemunho"

#~ msgid "A custom testimonial block."
#~ msgstr "Um bloco personalizado de testemunho."

#~ msgid "http://www.elliotcondon.com/"
#~ msgstr "http://www.elliotcondon.com/"

#~ msgid "<b>Error</b>. Could not connect to update server %s."
#~ msgstr "<b>Erro</b>. Não foi possível ligar ao servidor de actualização %s."
PK�
�[��W��lang/acf-ru_RU.monu�[�������*H8I8e8n86�8:�8D�879
L9
W9b9o9{90�9)�9=�90/:"`:��:;(;	d;n;;M�;�;-�;
<<	<$<9<
A<O<c<r<
z<�<�<�<�<�<�<'�<== =�/=>
&>1>@>O>!^>�>�>A�>�>,�>4?Q?d?
m?x?�? �?�?�?�?�?@
@
@$@+@H@e@ck@�@�@�@AA'A>ADAQA^AkAxA�A�A
�A�A�A	�A�A�A�A�A�ABBB!B90BjB�B�B�B�B�B	�B�B/�B
CCC"0CSC[C#jC�C�C�C[�C
DD+D=D
MD[DEcD�D�DG�D:$E_EkE �E�E�E�EFF!0F"RF#uF!�F,�F,�F%G;G!YG%{G%�G-�G!�G*HBHUH]H
nHZ|HV�H.IDI
KIYIfI
rI}I�I,�I$�I
�I�IJ	J!J2JBJVJeJ
jJuJ	�J
�J
�J�J�J
�J�J
�J�J	�J �J&K&:KaKzK�K�K�K�K1�K�K�KLL
L(L
4L
?LJL_LzL�L�L�LR�L-MDMaMM1�M�M�MA�M)N
.N9NAN	JN	TN^N"}N�N�N�N�N�N�N
O+OCGO?�O�O�O
�O	�O�O�OP
P(P=.P
lPzP�P�P�P
�P��PBQHQTQ	]Q#gQ"�Q"�Q!�Q.�Q"R6RBR/TR
�R�R�R�RQ�R�S�S�S�S	�S�S�S4�S4TyHT�T�T�T�T�TUUU0U=UDULU`UlU�U
�U�U
�U�U�U
�U�U	�U��U�V�V�V�V�V
�V
�V!�VW'%WMWTW	YWcWrWxW�W�W�W�W�W
�W
�W!�W	�W<X@XEXTX
fXqX�X
�X�X�X�X�X1�X	Y#Y	3Y=Y	IYJSY�Y/�YN�Y.*ZQYZQ�Z�Z`[a[w[�[�[
�[�[T�[;\L\^\o\�\�\�\�\�\�\�\�\�\�\]!].]>]	D]N]T]Y]	i]s]
]	�]�]�]�]	�]�]	�]Z�]5B^,x^�^�^
�^�^�^�^�^
�^
�^		__
 _+_=_Q_d_/l_�_�_�_�_�_
�_�_2�_"`�;`�`
�`�`aa
a
,a7a?aNa	Wa	aa$ka%�a
�a
�a�a�a�a		bbbb+"b*Nbyb�b
�b
�b�b3�b�b�b
cc	0c.:c	icsc�c�c�c�c0�c�c+d.d?d�Od#�de#f56f7lf>�f?�f##g1Gg%ygG�gV�g&>h:eh<�h2�hi*iAi	Qi[ivi�i�i�i�i�i�ijj6$j[j`j,sj�j�j0�j�jk
k
'k'5k0]k4�k�k'�kll	#l-l3l
?lJlVl^lslxl�l�l�l�l�l�l�l�l�l	�l	�l�lm1m!KmZmm3�mE�mABn^�o(�o*p#7p6[p@�p<�p4q7Eq3}q	�q�q5�q�q�rk�r�s�s
�s�s�s�s�s�sttt
t,t@tGtXtdtqt
�t�t�t�t
�t�t�t�tuu!u@u
Eu	PuZubu	nuxu�u�u�u�u�u�u�uvv/vEv\v(vv'�v�v�v
�v�vww*w
1w?w�Kw'�wMxexmx!|x
�x�x�x�x�x�x�x2�xyyy#y%@yfyiyuy�y�y�y
�y�y�y�y	�y	�y�y�y�y6�y4-zdbz:�}~~�5~��~��&b�������܀7��h0�_�����Y��=܂a�s|��)�-��>�˅{܅2X���'��=͆�$�3A�&u�����*ɇ�,�'2�Z�o�A��Ȉ��$�(�H�f���.��[Њ1,�3^����1>�np�lߌ*L�w���)��+ʍF��5=�s� ����Ǝӎ�
��8�@?������`�t���!��/̐���#�!9�[�p�,����đӑ�:��6�<V� ����̒Vے
2�=�N�-_�y��,�.4�c�r�����)�������˕�B�C�#X�(|���1��!�����'��6��7�!O��q�*�?0��p�����������
ŚКݚ�����	���6�O�\�a�d�s���
����-���$�(,��U�|�/k�����ĝܝ�#�%&�`L�J����*�9<�v�!����%ϟ#���4�4N���1��#Ϡ2�&�7�Q�X�p�&��U��J�SO�F������$)�N��h�	�)�2�J�b�x�����'��:Ԥ;�1K�+}�7����-t�E��>�+'��S�)H�r��{��#�
0�>�Y�k�H��H̩,�1B�.t�(��̪@۪!�g>����|8���
¬ͬ���	�F&�(m������'�:�G�T�(t���/���#�%�(?�fh�gϰT7�V��U�"9�#\�,�����M�g��������%M�*s�����ĵ+۵�a�~������
��#��:շ��?�HH�
��
����(���Q�S�`�z�!��H�����%�E�+`�����+��1ڻ5�)B�l�]��S�l>�����ý!׽����$�)3�/]�3��'���[�c�ju��*��"�B�<b�:��!�%��>"�#a���
����"����������I����m�������m��t�,	�>6�u�.��#��+������*��(��?�#\�H��;��,�2�
7�B�U�f�1{�
��"��.��
��?�L�!]�"�!��������V�b�o�|������}u�]��0Q�������������!	�+�E�Y�y�-��/��1�� )�[J�"��#������"
�-�E�QV�/����'���)�6�U�b�|���!��������V�b^���%��)��&�/A�q�������e��[�3m�6��#��%��"�p9�
�� ������
�8�S�g�(����%������3��w��$R�%w�v��=��R�C��31�8e�G��L��,3�6`�9��\��}.���G��A�hI�"��"��0��)�0@�/q���(��6��.�DC�b�� ���R&�y���P��
��(��~!� ��������H�X[�X��8
�FF�������!��-���7�R�e�}�+��8������
*�5�J�\�
x���0��1��7�K:�B�����YU����n0����BF�8��A��|�Q��j��?>�P~�B���
%�T0���!������q�]�t�%����H���
�+�2�O�d�.����%����'�,�A�_�&t�,���'�6�"C�/f���V�����2�K�%g�%��X���&#�2J�}���
�������-�3�JD�Q��S�85�n���.��H�?�_� r�2��W�C�pb��"�9��9�M�Z�g�x�����k����
�'�%D�j�
m�x���&������
���'8JEI�M	��V_t���C3U�:��
&)��uE�xVZ�J;y%*���b9K����E]n�^2W�"QYP�
,\�'�4����"��R ��9��.��}��,��{�87�wg��.8rc(`��2(���p61����?�Lk�f���]��<�g&!w\$we_+�N����I���6�mo�1��0�;��B�^R��Yx����h��u��������upD�*�>�/��Q���l3|�l�D�A+�Jm-���%V�Ls4Tj~/�Z(-�l���r��F�[�d_�7c�B�C��=� ��?O��	f�:���0�d��].�^�C 8���W���5$|S�>Q	+v�x")@nT5HM�'�t�;�}a|G�N�����
�U��X:*Fs��7XAU5SPe[j��}J��Bq
��H�G���6H@�{4�I
�Zr�I�O�����3�n��zX�P������#i!�o��~�h��i����q�f&gb�L<\[�������������z��yc1�!eG������b<,�kW��
�T���S�`�/���{=���j���$���v�%~�9F?�-��)�p#�>�Ka������o�aRv�K2EN=ztd�0Y��m�y�����k@����AM�����h'��D���qs����`O�i#%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsAccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Has any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import / Export now uses JSON in favour of XMLImport Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-08-18 18:25+0300
PO-Revision-Date: 2019-01-05 10:08+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: 
Language: ru_RU
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
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);
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d полей требуют вашего внимания%s добавлен%s уже существует%s группа полей дублирована.%s группы полей дублировано.%s групп полей дублировано.%s группа полей синхронизирована.%s группы полей синхронизированы.%s групп полей синхронизировано.%s требует выбрать как минимум %s значение%s требует выбрать как минимум %s значения%s требует выбрать как минимум %s значений%s значение требуется(нет заголовка)(нет заголовка) (текущее поле)+ Добавить поле1 поле требует вашего внимания<b>Ошибка</b>. Не удалось подключиться к серверу обновлений<b>Ошибка</b>. Невозможно загрузить список  дополненийВыберите блоки, которые необходимо <b>скрыть</b> на странице редактирования.Добавлено новое поле для встраиваемого контентаМаксимум удобства и возможностейACF PRO содержит ряд мощных инструментов, таких как Повторяющиеся данные, Гибкое содержание и Галерея. Также есть возможность создавать дополнительные страницы настроек в панели администратора.ACF теперь сохраняет настройки поля как отдельный объект записиАккордеонАктивировать лицензиюАктивныеАктивна <span class="count">(%s)</span>Активно <span class="count">(%s)</span>Активны <span class="count">(%s)</span>ДобавитьВыберите значение "Другое", чтобы разрешить настраиваемые значенияАдминистратор или редакторДобавить файлДобавить изображениеДобавление изображений в галереюДобавитьДобавить новое полеСоздание новой группы полейДобавить новый макетДобавитьДобавить макетДобавить новый вариантДобавитьДобавить группу условийДобавить изображенияДополненияAdvanced Custom FieldsОбновление базы данных Advanced Custom FieldsAdvanced Custom Fields PROВсеВсе %s форматыВсе 4 дополнения Premium включены в новой <a href="%s">Pro-версии ACF</a> и в лицензии разработчика, и в персональной лицензии. Еще никогда функционал Premium не был так доступен!Все поля группы %sВсе изображенияВсе типы записейВсе таксономииВсе группы пользователейРазрешить добавление пользовательских вариантовРазрешить ссылки на архивыРазрешить пользовательскиеПреобразовывать HTML-теги в соответствующие комбинации символов для отображения в виде текстаРазрешить пустое значение?Разрешнить создавать новые термины во время редактированияРазрешить одновременное разворачивание нескольких секцийДопустимые типы файловТекст в ALTОтображениеТекст после поля вводаТекст перед полем вводаЗаполняется при создании новой записиПоявляется перед полем вводаТекст после поляДобавлять в конецПрименитьАрхивыВы уверены?МедиафайлАвторАвтоматически добавлять &lt;br&gt;Автоматически добавлять параграфыОсновноеПрежде чем вы начнете использовать классные новые функции, обновите пожалуйста базу данных до последней версии.Под полямиПод меткамиУлучшенные формыСтраницы настроекУлучшенное подтверждениеКонтроль версийБлокОба (массив)Массовые операцииСортировкаГруппа кнопокТекст кнопки добавленияОтменаПодписьРубрикиЦентрироватьЦентрировать изначальную картуЖурнал измененийОграничение количества символовПроверить еще разФлажок (checkbox)ВыбраноДочерняя страница (есть родительские страницы)ВыборВариантыОчиститьОчистить местоположениеНажмите на кнопку "%s" ниже для начала создания собственного макетаНажмите для запуска TinyMCEНажмите для переключенияЗакрытьЗакрыть полеЗакрыть окноСкрыть деталиСокращенный заголовокЦветДля разделения типов файлов используйте запятые. Оставьте поле пустым для разрешения загрузки всех файловКомментарийКомментарииУсловная логикаСвязать выбранные термины с записьюСодержаниеТекстовый редакторСпособ перевода строкСкопированоСкопировать в буфер обменаСоздание терминовСоздайте набор правил для указания страниц, где следует отображать группу полейТекущий цветТекущий пользовательГруппа текущего пользователяТекущая версияГруппы полейПользовательский:Настраивайте WordPress с помощью интуитивно понятных и мощных дополнительных полей.Настройка высоты картыНеобходимо обновление базы данныхОбновление базы данных закончено. <a href="%s">Вернуться к панели управления сетью</a>Обновление базы данных завершено. Ознакомьтесь со <a href="%s">списком изменений</a>ДатаГотовоСегодняДальшеНазадНеделяДата и времяДПДГотовоСейчасЧасМикросекундаМиллисекундаМинутаПППСекундаВыбратьВыберите времяВремяЧасовой поясДеактивировать лицензиюПо умолчаниюШаблон по умолчаниюЗначение по умолчаниюОпределяет конечную точку предыдущего аккордеона. Данный аккордеон будет невидим.Используйте это поле в качестве разделителя между группами вкладокОтложенная инициализацияУдалитьУдалить макетУдалить полеОписаниеОбсуждениеСпособ отображенияОтображаемый форматОтображать в развернутом виде при загрузке страницыОтображать текст рядом с переключателемДокументацияЗагрузить и установитьПотяните для изменения порядкаДублироватьДублировать макетДублировать полеДублировать элементПростое обновлениеРедактироватьИзменить полеРедактирование группы полейИзменить файлРедактировать изображениеРедактировать полеРедактировать группу полейЭлементыЭллиот КондонE-mailРазмер медиаРазделительВведите адрес ссылкиВведите каждый вариант выбора на новую строку.Введите каждое значение на новую строку.Ошибка при загрузке файла. Попробуйте еще разВозникла ошибка при обработке запросаОчистка HTMLЦитатаПоказать деталиЭкспорт групп полейЭкспорт файлаИмпортировано %s группу полей.Импортировано %s группы полейИмпортировано %s групп полейМиниатюра записиПолеГруппа полейГруппы полейКлючи полейЯрлык поляИмя поляТип поляГруппа полей удалена.Черновик группы полей обновлен.Группа полей была дублирована. %sГруппа полей опубликована.Группа полей сохранена.Группа полей запланирована наВ настройках группы полей теперь можно изменять расположение меток и подсказокГруппа полей отправлена.Группу полей было синхронизировано. %sВведите название для группы полейГруппа полей обновлена.Если на одной странице одновременно выводятся несколько групп полей, то они сортируются по порядковому номеру в порядке возрастанияТип поля не существуетПоляПоля теперь могут быть отображены в комментариях, виджетах и пользовательских формах!ФайлМассивID файлаСсылка на файлИмя файлаРазмер файлаРазмер файла должен быть не менее чем %s.Размер файла должен быть не более чем %s.Файл должен иметь тип: %s.Фильтрация по типу записейФильтрация по таксономииФильтровать по группеФильтрыОпределить текущее местоположениеГибкое содержаниеДля гибкого содержания требуется как минимум один макетДля большего контроля, вы можете ввести значение и ярлык по следующему формату:Подтверждение форм теперь происходит через PHP + AJAX вместо простого JSФорматФормыГлавная страницаПолныйГалереяГенерировать PHPЗабудьте про дополнения. Встречайте PROРасположение на картеГруппаГруппа (сгруппировать выбранные поля в одно и выводить вместо текущего)заполненопустоеВысотаСкрывание блоковВверху под заголовкомГоризонтальнаяЕсли на странице редактирования присутствует несколько групп полей, то будут использованы настройки первой из них (с наиболее низким значением порядка очередности)ИзображениеМассив изображенияID изображенияСсылка на изображениеИзображение должно иметь высоту как минимум %d пикселей.Изображение должно иметь высоту не более чем %d пикселей.Изображение не должно быть уже чем %d пикселей.Изображение не должно быть шире чем %d пикселей.Импорт / Экспорт теперь использует JSON вместо XMLИмпорт групп полейИмпортировать файлИмпортируемый файл пустИмпортировано %s группу полейИмпортировано %s группы полейИмпортировано %s групп полейБольше данныхБольше дизайнаБольше комфортаНеактивноНеактивен <span class="count">(%s)</span>Неактивны <span class="count">(%s)</span>Неактивно <span class="count">(%s)</span>Благодаря популярной библиотеке Select2 мы повысили удобство и скорость работы многих типов полей, таких как Объект записи, Ссылка на страницу, Таксономия и Выбор.Неправильный тип файлаИнформацияДобавитьУстановленоРасположение подсказокИнструкцииИнструкции, которые отображаются при редактированииЗнакомство с ACF PROМы настоятельно рекомендуем сделать резервную копию базы данных перед началом работы. Вы уверены, что хотите запустить обновление сейчас?КлючЯрлыкРасположение метокЯрлыки будут отображаться как %sБольшойПоследняя версияБлокОставьте пустым для снятия ограниченийСлеваДлинаБиблиотекаИнформация о лицензииНомер лицензииОграничение количества выбранных элементовСсылкаМассив ссылокURL ссылкиЗагрузить терминыЗагрузить значения из терминов записейЗагрузкаЛокальный JSONУсловия отображенияАвторизированМногие поля поменяли свой внешний вид, чтобы сделать ACF действительно красивым. Значительные изменения коснулись полей Галерея, Взаимоотношение и oEmbed (новое поле)!МаксимумМаксимумМакс. количество блоковМакс. количество элементовМакс. количество изображенийМаксимальное значениеМаксимум записейДостигнуто максимальное количество ({max} элементов)Выбрано максимальное количество изображенийМаксимальное количество значений достигнуто ({max} значений)СреднийМенюПункт менюРасположение менюМенюСообщениеМинимумМинимумМин. количество блоковМин. количество элементовМин. количество изображенийМинимальное значениеМинимум записейДостигнуто минимальное количество ({min} элементов)Больше AJAXПоиск на AJAX в полях значительно ускоряет загрузку страницПереместитьПеремещение выполнено.Переместить полеПереместить полеПереместить поле в другую группуОтправить в корзину. Вы уверены?Перемещение полейМножественный выборРазворачивание нескольких секцийНесколько значенийИмяТекстНовое полеНовая группа полейНовые формыНовая галереяПеревод строкНовая настройка поля Взаимоотношения для Фильтров (Поиск, Тип записи, Таксономия)Новые настройкиНовая группа архивов в выборе поля page_linkНовый автоматический экспорт в JSON позволяет контролировать версию настроек полейНовый автоматический экспорт в JSON повышает скорость работыНовый функционал групп полей позволяет перемещать поля между группами и родительскими полямиНовые функции для страницы настроек позволяют создавать и родительские, и дочерние менюНетС этой страницей настроек не связаны группы полей. <a href="%s">Создать группу полей</a>Группы полей не найдены.Группы полей не найдены в корзине.Поля не найденыПоля не найдены в КорзинеБез форматированияГруппы полей не выбраныНет полей. Нажмите на кнопку <strong>+ Добавить поле</strong>, чтобы создать свое первое поле.Файл не выбранИзображение не выбраноСовпадения не найденыСтраницы с настройками отсуствуютНет %s [нет терминов]Нет доступных полей с выбором значений.На данный момент обновлений нет.Внизу после содержимогоnullЧислоВыключеноВключеноРазвернутоОткроется на новой вкладкеОпцииСтраница с опциямиНастройки были обновленыСортировкаПорядковый номерДругоеСтраницаАтрибуты страницыСсылка на страницуРодитель страницыШаблон страницыТип страницыРодительРодительская страница (есть дочерние страницы)ПарольСсылкаТекст заглушкиРасположениеПожалуйста, убедитесь, что любые премиум-дополнения (%s) были предварительно обновлены до последней версии.Пожалуйста введите ваш номер лицензии для разблокировки обновленийПожалуйста выберите местоположение для этого поляРасположение группы полейЗаписьРубрика записиФормат записиID записиОбъект записиСтатус записиТаксономия записиШаблон записиТип записиЗапись обновленаСтраница записейВпечатляющий функционалПрефикс для ярлыков полейПрефикс для названий полейТекст перед полемДобавить чекбокс для переключения всех чекбоксовДобавлять в началоРазмер изображенияProОпубликованоПереключатель (radio)Радио-кнопкиДиапазонУзнайте больше о <a href="%s">возможностях ACF PRO</a>.Чтения задач обновления...Новая архитектура позволяет вложенным полям существовать независимо от родительских. Просто перетаскивайте их из одного родительского поля в другое.Обычный пользовательОтношениеЗаписиВзаимоотношениеУбратьУдалить макетУдалитьПереместитьПереместить макетПовторительОбязательноеИсточникиОграничить файлы, которые могут быть загруженыОграничить изображения, которые могут быть загруженыОграниченоВозвращаемый форматВозвращаемое значениеИнвертироватьПроверить сайт и обновитьРедакцииСтрокаСтрокиУсловияСохранить пользовательские варианты в настройках поляСохранить настраиваемые значения для поля выбораСохранить пользовательскиеФормат сохраняемого значенияСохранить значенияСохранение терминовМинимальныйОтдельно (выбранные поля выводятся отдельно вместо текущего)ПоискПоиск групп полейПоиск полейПоиск по адресу...Поиск...Что нового в <a href="%s">версии %s</a>.Выберите %sВыберите цветВыберите группы полейВыбрать файлВыбрать изображениеВыберите ссылкуВыберите поле, которое будет отображаться в качестве заголовка при сворачивании блокаВыбрать несколько значений?Выберите одно или несколько полей, которые вы хотите клонироватьВыберите тип записиВыберите таксономиюВыберите файл конфигурации в формате JSON для импорта групп полей.Выберите способ отображения поляВыберите группы полей, которые вы хотите экспортировать, а также метод экспорта. Используйте кнопку <b>Загрузить файл</b> для загрузки JSON файла или <b>Генерировать код</b> для получения кода, который можно интегрировать в шаблон.Выберите таксономию для отображенияПожалуйста, удалите 1 символПожалуйста, удалите %d символовПожалуйста, введите 1 символ или большеПожалуйста, введите %d или больше символовНе получилось загрузитьЗагрузка других значений&hellip;Подходящие значения не найденыДоступно одно значение, нажмите Enter для его выбора.%d значений доступно, используйте клавиши вверх и вниз для навигации.Поиск&hellip;Вы можете выбрать только одно значениеВы можете выбрать только %d значенийВыбранные элементы будут отображены в каждом результатевыбрано больше чемвыбрано меньше чемОтправить обратные ссылкиРазделительУкажите начальный масштабУкажите высоту поля вводаНастройкиКнопки загрузки медиаОтображать группу полей, еслиПоказывать это поле, еслиОтображаемое описание в списке группРазмер отображаемого изображения при редактированииНа боковой панелиОдно значениеДопускаются буквы, цифры, а также символы _ и -СайтСайт обновленСайт требует обновления базы данных с %s на %sЯрлыкУмные настройки полейИзвините, но ваш браузер не поддерживает определение местоположенияПо дате измененияПо дате загрузкиПо названиюОбнаружен спамУкажите возвращаемое значение для поляВыберите стиль отображения клонированных полейУкажите способ отображения клонированных полейУкажите возвращаемое значениеУкажите куда добавлять новые вложенияСтандартныйСтатусШаг измененияСтиль отображенияСтилизованный интерфейсВложенные поляАдминистраторПоддержкаSwapped XML для JSONСинхронизацияСинхронизация доступнаСинхронизировать группу полейВкладкаТаблицаВкладкиМеткиТаксономияID терминаОбъект терминаТекстОбласть текстаТолько текстовый редакторТекст в активном состоянииТекст в выключенном состоянииСпасибо вам за использование <a href="%s">ACF</a>.Благодарим вас за обновление до %s v%s!Спасибо за обновление! ACF %s стал больше и лучше. Надеемся, что вам понравится.Теперь поле %s может быть найдено в группе полей %sВнесенные вами изменения будут утеряны, если вы покинете эту страницуУказанный код может быть использован для регистрации группы полей непосредственно в шаблоне. Локальная группа полей может предоставить много преимуществ в виде большей скорости загрузки, упрощения контроля версий и динамических полей. Просто скопируйте и вставьте указанный ниже код в файл functions.php или подключите его через внешний файл.Следующие сайты требуют обновления базы данных. Выберите сайты для обновления и нажмите %s.Формат во время редактирования поляФормат возвращаемого значенияФормат для сохранения в базе данныхПоле галереи претерпело столь необходимое визуальное преображениеИмя поля не должно начинаться со строки "field_"Это поле не может быть перемещено до сохранения измененийЭто поле ограничено {max} {label} {identifier}Это поле требует как минимум {min} {label}  {identifier}Имя поля на странице редактированияМиниатюраВремяTinyMCE не будет инициализирован до клика по полюЗаголовокДля разблокировки обновлений введите ваш лицензионный ключ на странице <a href="%s">Обновление</a>. Если у вас его нет, то ознакомьтесь с <a href="%s" target="_blank">деталями</a>.Для перехода на ACF PRO просто <a href="%s">авторизуйтесь личном кабинете</a> и получите бесплатную лицензию!Для разблокирования обновлений введите лицензионный ключ ниже. Если у вас его нет, то ознакомьтесь с <a href="%s" target="_blank">деталями</a>.ПереключитьВыбрать всеПанель инструментовИнструментыСтраница верхнего уровня (без родителя)ВверхуДа / НетТипЧто под капотомНеизвестноНеизвестное полеНеизвестная группа полейОбновитьОбновления доступныОбновить файлОбновить изображениеОбновленияОбновить плагинОбновлениеОбновить базу данныхЗамечания по обновлениюОбновить сайтыОбновление завершеноОбновление данных до версии %sЗагружено в записьЗагружено для этой записиСсылкаИспользовать AJAX для загрузки вариантов выбора?ПользовательМассив с даннымиПользовательID пользователяОбъект пользователяГруппа пользователяУ пользователя нет возможности добавить новый %sПроверка EmailПроверка не пройденаПроверка успешно выполненаЗначениесодержитравнобольше чемменьше чемне равносоответствует выражениюЗначение должно быть числомЗначение должно быть корректной ссылкойЗначение должно быть равным или больше чем %dЗначение должно быть равным или меньшим чем %dЗначения будут сохранены как %sВертикальнаяПросмотреть полеПросмотреть группу полейПросматривает административную панельПросматривает лицевую часть сайтаВизуальноВизуально и текстТолько визуальный редакторМы также подготовили <a href="%s">руководство по переходу</a>, чтобы ответить на все ваши вопросы. Но если все же они появятся, свяжитесь с нашей командой поддержки через <a href="%s">систему помощи</a>.Думаем, вам понравятся изменения в %s.Мы кардинально упрощаем внедрение премиального функционала!СайтДень начала неделиДобро пожаловать в Advanced Custom FieldsЧто новогоВиджетШиринаАтрибутыРедактор WordPressДаМасштабacf_form() теперь может создавать новую запись о представлениииclassкопияhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idравноне равноjQueryмакетмакетамакетовмакетыКлонВыбор (select)Медиаилиred : КрасныйИзменитьВыбратьОбновитьширина{available} {label} {identifier} доступно (максимум {max}){required} {label} {identifier} требуется (минимум {min})PK�
�[3�iUUlang/acf-zh_CN.ponu�[���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: 2015-08-11 23:50+0200\n"
"PO-Revision-Date: 2018-03-14 09:58+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Amos Lee <470266798@qq.com>\n"
"Language: zh_CN\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-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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "高级自定义字段"

#: acf.php:205 admin/admin.php:61
msgid "Field Groups"
msgstr "字段组"

#: acf.php:206
msgid "Field Group"
msgstr "字段组"

#: acf.php:207 acf.php:239 admin/admin.php:62
#: pro/fields/flexible-content.php:517
msgid "Add New"
msgstr "新建"

#: acf.php:208
msgid "Add New Field Group"
msgstr "添加字段组"

#: acf.php:209
msgid "Edit Field Group"
msgstr "编辑字段组"

#: acf.php:210
msgid "New Field Group"
msgstr "新建字段组"

#: acf.php:211
msgid "View Field Group"
msgstr "查看字段组"

#: acf.php:212
msgid "Search Field Groups"
msgstr "搜索字段组"

#: acf.php:213
msgid "No Field Groups found"
msgstr "没有找到字段组"

#: acf.php:214
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
msgid "Fields"
msgstr "字段"

#: acf.php:238
msgid "Field"
msgstr "字段"

#: acf.php:240
msgid "Add New Field"
msgstr "添加新字段"

#: acf.php:241
msgid "Edit Field"
msgstr "编辑字段"

#: acf.php:242 admin/views/field-group-fields.php:18
#: admin/views/settings-info.php:111
msgid "New Field"
msgstr "新字段"

#: acf.php:243
msgid "View Field"
msgstr "新字段"

#: acf.php:244
msgid "Search Fields"
msgstr "搜索字段"

#: acf.php:245
msgid "No Fields found"
msgstr "没找到字段"

#: acf.php:246
msgid "No Fields found in Trash"
msgstr "回收站里没有字段"

#: acf.php:268 admin/field-group.php:283 admin/field-groups.php:583
#: admin/views/field-group-options.php:18
msgid "Disabled"
msgstr "禁用"

#: acf.php:273
#, php-format
msgid "Disabled <span class=\"count\">(%s)</span>"
msgid_plural "Disabled <span class=\"count\">(%s)</span>"
msgstr[0] "禁用 <span class=\"count\">(%s)</span>"

#: admin/admin.php:57 admin/views/field-group-options.php:120
msgid "Custom Fields"
msgstr "字段"

#: admin/field-group.php:68 admin/field-group.php:69 admin/field-group.php:71
msgid "Field group updated."
msgstr "字段组已更新。"

#: admin/field-group.php:70
msgid "Field group deleted."
msgstr "字段组已删除。"

#: admin/field-group.php:73
msgid "Field group published."
msgstr "字段组已发布。"

#: admin/field-group.php:74
msgid "Field group saved."
msgstr "字段组已保存。"

#: admin/field-group.php:75
msgid "Field group submitted."
msgstr "字段组已提交。"

#: admin/field-group.php:76
msgid "Field group scheduled for."
msgstr "字段组已定时。"

#: admin/field-group.php:77
msgid "Field group draft updated."
msgstr "字段组草稿已更新。"

#: admin/field-group.php:176
msgid "Move to trash. Are you sure?"
msgstr "确定要删除吗?"

#: admin/field-group.php:177
msgid "checked"
msgstr "已选"

#: admin/field-group.php:178
msgid "No toggle fields available"
msgstr "没有可用的切换字段"

#: admin/field-group.php:179
msgid "Field group title is required"
msgstr "字段组的标题是必填项"

#: admin/field-group.php:180 api/api-field-group.php:607
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/views/field-group-locations.php:131 api/api-helpers.php:3262
msgid "or"
msgstr "或"

#: admin/field-group.php:183
msgid "Parent fields"
msgstr "父字段"

#: admin/field-group.php:184
msgid "Sibling fields"
msgstr "兄弟字段"

#: admin/field-group.php:185
msgid "Move Custom Field"
msgstr "移动自定义字段"

#: admin/field-group.php:186
msgid "This field cannot be moved until its changes have been saved"
msgstr "保存这个字段的修改以后才能移动这个字段"

#: admin/field-group.php:187
msgid "Null"
msgstr "Null"

#: 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 "如果浏览其它页面,会丢失当前所做的修改"

#: admin/field-group.php:189
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "\"field_\" 这个字符串不能作为字段名字的开始部分"

#: admin/field-group.php:214
msgid "Location"
msgstr "位置"

#: admin/field-group.php:215
msgid "Settings"
msgstr "设置"

#: admin/field-group.php:253
msgid "Field Keys"
msgstr "字段 Keys"

#: admin/field-group.php:283 admin/views/field-group-options.php:17
msgid "Active"
msgstr "激活"

#: admin/field-group.php:744
msgid "Front Page"
msgstr "首页"

#: admin/field-group.php:745
msgid "Posts Page"
msgstr "文章页"

#: admin/field-group.php:746
msgid "Top Level Page (no parent)"
msgstr "顶级页面 (无父页面)"

#: admin/field-group.php:747
msgid "Parent Page (has children)"
msgstr "父页面(有子页)"

#: admin/field-group.php:748
msgid "Child Page (has parent)"
msgstr "子页面(有父页面)"

#: admin/field-group.php:764
msgid "Default Template"
msgstr "默认模板"

#: admin/field-group.php:786
msgid "Logged in"
msgstr "登录"

#: admin/field-group.php:787
msgid "Viewing front end"
msgstr "查看前端"

#: admin/field-group.php:788
msgid "Viewing back end"
msgstr "查看后端"

#: admin/field-group.php:807
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
#: fields/image.php:226 pro/fields/gallery.php:653
msgid "All"
msgstr "所有"

#: admin/field-group.php:827
msgid "Add / Edit"
msgstr "添加 / 编辑"

#: admin/field-group.php:828
msgid "Register"
msgstr "注册"

#: admin/field-group.php:1059
msgid "Move Complete."
msgstr "移动完成。"

#: admin/field-group.php:1060
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "%s 字段现在会在 %s 字段组里"

#: admin/field-group.php:1062
msgid "Close Window"
msgstr "关闭窗口"

#: admin/field-group.php:1097
msgid "Please select the destination for this field"
msgstr "请选择这个字段的位置"

#: admin/field-group.php:1104
msgid "Move Field"
msgstr "移动字段"

#: admin/field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "启用 <span class=\"count\">(%s)</span>"

#: admin/field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "字段组已被复制。%s"

#: admin/field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s 字段组已被复制。"

#: admin/field-groups.php:228
#, php-format
msgid "Field group synchronised. %s"
msgstr "字段组已同步。 %s"

#: admin/field-groups.php:232
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s 字段组已同步。"

#: admin/field-groups.php:403 admin/field-groups.php:573
msgid "Sync available"
msgstr "有可用同步"

#: admin/field-groups.php:516
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
msgid "Description"
msgstr "描述"

#: admin/field-groups.php:518 admin/views/field-group-options.php:10
msgid "Status"
msgstr "状态"

#: admin/field-groups.php:616 admin/settings-info.php:76
#: pro/admin/views/settings-updates.php:111
msgid "Changelog"
msgstr "更新日志"

#: admin/field-groups.php:617
msgid "See what's new in"
msgstr "查看更新内容于"

#: admin/field-groups.php:617
msgid "version"
msgstr "版本"

#: admin/field-groups.php:619
msgid "Resources"
msgstr "资源"

#: admin/field-groups.php:621
msgid "Getting Started"
msgstr "起步"

#: admin/field-groups.php:622 pro/admin/settings-updates.php:73
#: pro/admin/views/settings-updates.php:17
msgid "Updates"
msgstr "更新"

#: admin/field-groups.php:623
msgid "Field Types"
msgstr "字段类型"

#: admin/field-groups.php:624
msgid "Functions"
msgstr "功能"

#: admin/field-groups.php:625
msgid "Actions"
msgstr "操作"

#: admin/field-groups.php:626 fields/relationship.php:718
msgid "Filters"
msgstr "过滤器"

#: admin/field-groups.php:627
msgid "'How to' guides"
msgstr "新手向导"

#: admin/field-groups.php:628
msgid "Tutorials"
msgstr "教程"

#: admin/field-groups.php:633
msgid "Created by"
msgstr "创建者"

#: admin/field-groups.php:673
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
msgid "Duplicate"
msgstr "复制"

#: admin/field-groups.php:724
#, php-format
msgid "Select %s"
msgstr "选择 %s"

#: admin/field-groups.php:730
msgid "Synchronise field group"
msgstr "同步字段组"

#: admin/field-groups.php:730 admin/field-groups.php:750
msgid "Sync"
msgstr "同步"

#: admin/settings-addons.php:51 admin/views/settings-addons.php:9
msgid "Add-ons"
msgstr "附加功能"

#: admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>错误</b>,无法加载扩展列表"

#: admin/settings-info.php:50
msgid "Info"
msgstr "信息"

#: admin/settings-info.php:75
msgid "What's New"
msgstr "更新日志"

#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9
#: admin/views/settings-tools.php:31
msgid "Tools"
msgstr "工具"

#: admin/settings-tools.php:151 admin/settings-tools.php:365
msgid "No field groups selected"
msgstr "没选择字段组"

#: admin/settings-tools.php:188
msgid "No file selected"
msgstr "没选择文件"

#: admin/settings-tools.php:201
msgid "Error uploading file. Please try again"
msgstr "文件上传失败,请重试"

#: admin/settings-tools.php:210
msgid "Incorrect file type"
msgstr "文本类型不对"

#: admin/settings-tools.php:227
msgid "Import file empty"
msgstr "导入的文件是空白的"

#: admin/settings-tools.php:323
#, php-format
msgid "<b>Success</b>. Import tool added %s field groups: %s"
msgstr "<b>成功</b>,导入工具添加了 %s 字段组: %s"

#: admin/settings-tools.php:332
#, php-format
msgid ""
"<b>Warning</b>. Import tool detected %s field groups already exist and have "
"been ignored: %s"
msgstr "<b>警告</b>,导入工具检测到 %s 字段组已经存在了。忽略的字段组:%s"

#: admin/update.php:113
msgid "Upgrade ACF"
msgstr "升级 ACF"

#: admin/update.php:143
msgid "Review sites & upgrade"
msgstr "检查网站并升级"

#: admin/update.php:298
msgid "Upgrade"
msgstr "升级"

#: admin/update.php:328
msgid "Upgrade Database"
msgstr "升级数据库"

#: admin/views/field-group-field-conditional-logic.php:29
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
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
#: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385
#: pro/admin/views/settings-updates.php:103
msgid "No"
msgstr "否"

#: admin/views/field-group-field-conditional-logic.php:65
msgid "Show this field if"
msgstr "显示此字段的条件"

#: 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
msgid "is not equal to"
msgstr "不等于"

#: 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
msgid "Add rule group"
msgstr "添加规则组"

#: admin/views/field-group-field.php:54 admin/views/field-group-field.php:57
msgid "Edit field"
msgstr "编辑字段"

#: admin/views/field-group-field.php:57 pro/fields/gallery.php:355
msgid "Edit"
msgstr "编辑"

#: admin/views/field-group-field.php:58
msgid "Duplicate field"
msgstr "复制字段"

#: admin/views/field-group-field.php:59
msgid "Move field to another group"
msgstr "把字段移动到其它群组"

#: admin/views/field-group-field.php:59
msgid "Move"
msgstr "移动"

#: admin/views/field-group-field.php:60
msgid "Delete field"
msgstr "删除字段"

#: admin/views/field-group-field.php:60 pro/fields/flexible-content.php:515
msgid "Delete"
msgstr "删除"

#: admin/views/field-group-field.php:68 fields/oembed.php:212
#: fields/taxonomy.php:886
msgid "Error"
msgstr "错误"

#: fields/oembed.php:220 fields/taxonomy.php:900
msgid "Error."
msgstr "错误。"

#: admin/views/field-group-field.php:68
msgid "Field type does not exist"
msgstr "字段类型不存在"

#: admin/views/field-group-field.php:81
msgid "Field Label"
msgstr "字段标签"

#: admin/views/field-group-field.php:82
msgid "This is the name which will appear on the EDIT page"
msgstr "在编辑界面显示的名字"

#: admin/views/field-group-field.php:93
msgid "Field Name"
msgstr "字段名称"

#: admin/views/field-group-field.php:94
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "单个字符串,不能有空格,可以用横线或下画线。"

#: admin/views/field-group-field.php:105
msgid "Field Type"
msgstr "字段类型"

#: admin/views/field-group-field.php:118 fields/tab.php:143
msgid "Instructions"
msgstr "说明"

#: admin/views/field-group-field.php:119
msgid "Instructions for authors. Shown when submitting data"
msgstr "显示给内容作者的说明文字,在提交数据时显示"

#: admin/views/field-group-field.php:130
msgid "Required?"
msgstr "必填?"

#: admin/views/field-group-field.php:158
msgid "Wrapper Attributes"
msgstr "包装属性"

#: admin/views/field-group-field.php:164
msgid "width"
msgstr "宽度"

#: admin/views/field-group-field.php:178
msgid "class"
msgstr "class"

#: admin/views/field-group-field.php:191
msgid "id"
msgstr "id"

#: admin/views/field-group-field.php:203
msgid "Close Field"
msgstr "关闭字段"

#: admin/views/field-group-fields.php:29
msgid "Order"
msgstr "序号"

#: admin/views/field-group-fields.php:30 pro/fields/flexible-content.php:541
msgid "Label"
msgstr "标签"

#: admin/views/field-group-fields.php:31 pro/fields/flexible-content.php:554
msgid "Name"
msgstr "名称"

#: admin/views/field-group-fields.php:32
msgid "Type"
msgstr "类型"

#: admin/views/field-group-fields.php:44
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr "没有字段,点击<strong>添加</strong>按钮创建第一个字段。"

#: admin/views/field-group-fields.php:51
msgid "Drag and drop to reorder"
msgstr "拖拽排序"

#: admin/views/field-group-fields.php:54
msgid "+ Add Field"
msgstr "+ 添加字段"

#: admin/views/field-group-locations.php:5
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 "创建一组规则以确定自定义字段在哪个编辑界面上显示"

#: 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
msgid "Post"
msgstr "内容"

#: admin/views/field-group-locations.php:42 fields/relationship.php:724
msgid "Post Type"
msgstr "内容类型"

#: admin/views/field-group-locations.php:43
msgid "Post Status"
msgstr "内容状态"

#: admin/views/field-group-locations.php:44
msgid "Post Format"
msgstr "内容格式"

#: admin/views/field-group-locations.php:45
msgid "Post Category"
msgstr "内容类别"

#: admin/views/field-group-locations.php:46
msgid "Post Taxonomy"
msgstr "内容分类法"

#: admin/views/field-group-locations.php:49
#: admin/views/field-group-locations.php:53
msgid "Page"
msgstr "页面"

#: admin/views/field-group-locations.php:50
msgid "Page Template"
msgstr "页面模板"

#: admin/views/field-group-locations.php:51
msgid "Page Type"
msgstr "页面类型"

#: admin/views/field-group-locations.php:52
msgid "Page Parent"
msgstr "父级页面"

#: admin/views/field-group-locations.php:55 fields/user.php:36
msgid "User"
msgstr "用户"

#: admin/views/field-group-locations.php:56
msgid "Current User"
msgstr "当前用户"

#: admin/views/field-group-locations.php:57
msgid "Current User Role"
msgstr "当前用户角色"

#: admin/views/field-group-locations.php:58
msgid "User Form"
msgstr "用户表单"

#: admin/views/field-group-locations.php:59
msgid "User Role"
msgstr "用户角色"

#: admin/views/field-group-locations.php:61 pro/admin/options-page.php:48
msgid "Forms"
msgstr "表单"

#: admin/views/field-group-locations.php:62
msgid "Attachment"
msgstr "附件"

#: admin/views/field-group-locations.php:63
msgid "Taxonomy Term"
msgstr "分类词汇"

#: admin/views/field-group-locations.php:64
msgid "Comment"
msgstr "评论"

#: admin/views/field-group-locations.php:65
msgid "Widget"
msgstr "小工具"

#: admin/views/field-group-options.php:25
msgid "Style"
msgstr "样式"

#: admin/views/field-group-options.php:32
msgid "Standard (WP metabox)"
msgstr "标准(WP Metabox)"

#: admin/views/field-group-options.php:33
msgid "Seamless (no metabox)"
msgstr "无缝(无 metabox)"

#: admin/views/field-group-options.php:40
msgid "Position"
msgstr "位置"

#: admin/views/field-group-options.php:47
msgid "High (after title)"
msgstr "高(标题之后)"

#: admin/views/field-group-options.php:48
msgid "Normal (after content)"
msgstr "正常(内容之后)"

#: admin/views/field-group-options.php:49
msgid "Side"
msgstr "边栏"

#: admin/views/field-group-options.php:57
msgid "Label placement"
msgstr "标签位置"

#: admin/views/field-group-options.php:64 fields/tab.php:159
msgid "Top aligned"
msgstr "顶部对齐"

#: admin/views/field-group-options.php:65 fields/tab.php:160
msgid "Left aligned"
msgstr "左对齐"

#: admin/views/field-group-options.php:72
msgid "Instruction placement"
msgstr "说明位置"

#: admin/views/field-group-options.php:79
msgid "Below labels"
msgstr "标签之下"

#: admin/views/field-group-options.php:80
msgid "Below fields"
msgstr "字段之下"

#: admin/views/field-group-options.php:87
msgid "Order No."
msgstr "序号"

#: admin/views/field-group-options.php:88
msgid "Field groups with a lower order will appear first"
msgstr "序号小的字段组会排在最前面"

#: admin/views/field-group-options.php:99
msgid "Shown in field group list"
msgstr "在字段组列表中显示"

#: admin/views/field-group-options.php:109
msgid "Hide on screen"
msgstr "隐藏元素"

#: admin/views/field-group-options.php:110
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>选择</b>需要在编辑界面<b>隐藏</b>的条目。 "

#: 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)"
msgstr ""
"如果多个字段组同时出现在编辑界面,会使用第一个字段组里的选项(就是序号最小的"
"那个字段组)"

#: admin/views/field-group-options.php:117
msgid "Permalink"
msgstr "固定链接"

#: admin/views/field-group-options.php:118
msgid "Content Editor"
msgstr "内容编辑器"

#: admin/views/field-group-options.php:119
msgid "Excerpt"
msgstr "摘要"

#: admin/views/field-group-options.php:121
msgid "Discussion"
msgstr "讨论"

#: admin/views/field-group-options.php:122
msgid "Comments"
msgstr "评论"

#: admin/views/field-group-options.php:123
msgid "Revisions"
msgstr "修订"

#: admin/views/field-group-options.php:124
msgid "Slug"
msgstr "别名"

#: admin/views/field-group-options.php:125
msgid "Author"
msgstr "作者"

#: admin/views/field-group-options.php:126
msgid "Format"
msgstr "格式"

#: admin/views/field-group-options.php:127
msgid "Page Attributes"
msgstr "页面属性"

#: admin/views/field-group-options.php:128 fields/relationship.php:737
msgid "Featured Image"
msgstr "特色图像"

#: admin/views/field-group-options.php:129
msgid "Categories"
msgstr "类别"

#: admin/views/field-group-options.php:130
msgid "Tags"
msgstr "标签"

#: admin/views/field-group-options.php:131
msgid "Send Trackbacks"
msgstr "发送 Trackbacks"

#: admin/views/settings-addons.php:23
msgid "Download & Install"
msgstr "下载并安装"

#: admin/views/settings-addons.php:42
msgid "Installed"
msgstr "已安装"

#: admin/views/settings-info.php:9
msgid "Welcome to Advanced Custom Fields"
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."
msgstr "感谢升级到更好的 ACF %s,你会喜欢上它的。"

#: admin/views/settings-info.php:23
msgid "A smoother custom field experience"
msgstr "平滑的自定义字段体验"

#: admin/views/settings-info.php:28
msgid "Improved Usability"
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."
msgstr ""
"Select2 这个库,改善了内容对象,分类法,选择列表等字段的用户体验与速度。"

#: admin/views/settings-info.php:33
msgid "Improved Design"
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!"
msgstr "很多字段变漂亮了,比如相册,关系,oEmbed 。"

#: admin/views/settings-info.php:38
msgid "Improved Data"
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!"
msgstr ""
"重新设计了数据结构,让子字段独立于它的爸爸。这样我们可以把字段放到父字段里,"
"也可以从父字段里拿出来。"

#: admin/views/settings-info.php:45
msgid "Goodbye Add-ons. Hello PRO"
msgstr "再见了扩展,欢迎专业版"

#: admin/views/settings-info.php:50
msgid "Introducing ACF PRO"
msgstr "ACF 专业版介绍"

#: admin/views/settings-info.php:51
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 <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"之前的 4 个高级功能扩展现在被组合成了一个新的 <a href=\"%s\">ACF 专业版</a>。"
"许可证分为两种,个人与开发者,现在这些高级功能更实惠也更易用。"

#: admin/views/settings-info.php:56
msgid "Powerful Features"
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!"
msgstr ""
"ACF 专业版有重复数据,弹性内容布局,相册功能,还可以创建页面的管理选项。"

#: admin/views/settings-info.php:58
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "了解更多关于 <a href=\"%s\">ACF PRO 的功能</a>。"

#: admin/views/settings-info.php:62
msgid "Easy Upgrading"
msgstr "便捷的升级"

#: admin/views/settings-info.php:63
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr "<a href=\"%s\">登录到商店帐户</a>,可以方便以后升级。"

#: admin/views/settings-info.php:64
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"阅读 <a href=\"%s\">升级手册</a>,需要帮助请联系 <a href=\"%s\">客服</a>"

#: admin/views/settings-info.php:72
msgid "Under the Hood"
msgstr "工作原理"

#: admin/views/settings-info.php:77
msgid "Smarter field settings"
msgstr "更聪明的字段设置"

#: admin/views/settings-info.php:78
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF 现在用单独的内容对象字段设置"

#: admin/views/settings-info.php:82
msgid "More AJAX"
msgstr "更多 AJAX"

#: admin/views/settings-info.php:83
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "更多字段使用 AJAX 搜索,这让页面加载速度更快"

#: admin/views/settings-info.php:87
msgid "Local JSON"
msgstr "本地 JSON"

#: admin/views/settings-info.php:88
msgid "New auto export to JSON feature improves speed"
msgstr "改进了新的自动导出 JSON 功能的速度"

#: admin/views/settings-info.php:94
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 导出功能让字段设置可以包含在版本控制里"

#: admin/views/settings-info.php:99
msgid "Swapped XML for JSON"
msgstr "用 JSON 替代 XML"

#: admin/views/settings-info.php:100
msgid "Import / Export now uses JSON in favour of XML"
msgstr "导入 / 导出现在用 JSON 代替以前的 XML"

#: admin/views/settings-info.php:104
msgid "New Forms"
msgstr "新表单"

#: admin/views/settings-info.php:105
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr "字段现在可以用在评论,小工具还有所有的用户表单上。"

#: admin/views/settings-info.php:112
msgid "A new field for embedding content has been added"
msgstr "新添加了一个嵌入内容用的字段"

#: admin/views/settings-info.php:116
msgid "New Gallery"
msgstr "新相册"

#: admin/views/settings-info.php:117
msgid "The gallery field has undergone a much needed facelift"
msgstr "改进了相册字段的显示"

#: admin/views/settings-info.php:121
msgid "New Settings"
msgstr "新设置"

#: admin/views/settings-info.php:122
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"
msgstr "更好的前端表单"

#: admin/views/settings-info.php:129
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() 现在可以在提交的时候创建新的内容"

#: admin/views/settings-info.php:133
msgid "Better Validation"
msgstr "更好的验证方式"

#: admin/views/settings-info.php:134
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "表单验证现在使用 PHP + AJAX 的方式"

#: admin/views/settings-info.php:138
msgid "Relationship Field"
msgstr "关系字段"

#: admin/views/settings-info.php:139
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"
msgstr "新的字段组功能可以让我们在群组与爸爸之间移动字段"

#: admin/views/settings-info.php:150 fields/page_link.php:36
msgid "Page Link"
msgstr "页面链接"

#: admin/views/settings-info.php:151
msgid "New archives group in page_link field selection"
msgstr "在 page_link 字段选择里的新的存档群组"

#: admin/views/settings-info.php:155
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 "选项页面的新功能,可以让你同时创建父菜单与子菜单页面"

#: admin/views/settings-info.php:165
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "你会喜欢在 %s 里做的修改。"

#: admin/views/settings-tools-export.php:13
msgid "Export Field Groups to PHP"
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."
msgstr ""
"下面的代码可以用来创建一个本地版本的所选字段组。本地字段组加载更快,可以版本"
"控制。你可以把下面这些代码放在你的主题的 functions.php 文件里。"

#: admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "选择字段组"

#: admin/views/settings-tools.php:35
msgid "Export Field Groups"
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."
msgstr ""
"选择你想导出的字段组,然后选择导出的方法。使用 <b>下载</b> 按钮可以导出一个 ."
"json 文件,你可以在其它的网站里导入它。使用 <b>生成</b> 按钮可以导出 PHP 代"
"码,这些代码可以放在你的主题或插件里。"

#: admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "下载导出文件"

#: admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "生成导出代码"

#: admin/views/settings-tools.php:64
msgid "Import Field Groups"
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."
msgstr ""
"选择你想导入的 Advanced Custom Fields JSON 文件,然后点击 <b>导入</b> 按钮可"
"以导入 JSON 文件里定义的字段组。"

#: admin/views/settings-tools.php:77 fields/file.php:46
msgid "Select File"
msgstr "选择文件"

#: admin/views/settings-tools.php:86
msgid "Import"
msgstr "导入"

#: admin/views/update-network.php:8 admin/views/update.php:8
msgid "Advanced Custom Fields Database Upgrade"
msgstr "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”."
msgstr "下面的网站需要升级数据库,点击 “升级数据库” 。"

#: admin/views/update-network.php:19 admin/views/update-network.php:27
msgid "Site"
msgstr "网站"

#: admin/views/update-network.php:47
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "网站需要从  %s 升级到 %s"

#: admin/views/update-network.php:49
msgid "Site is up to date"
msgstr "网站已是最新版"

#: admin/views/update-network.php:62 admin/views/update.php:16
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "数据库升级完成,<a href=\"%s\">返回网络面板</a>"

#: 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 "升级前最好先备份一下。确定现在升级吗?"

#: admin/views/update-network.php:157
msgid "Upgrade complete"
msgstr "升级完成"

#: admin/views/update-network.php:161
msgid "Upgrading data to"
msgstr "升级数据到"

#: admin/views/update-notice.php:23
msgid "Database Upgrade Required"
msgstr "需要升级数据库"

#: admin/views/update-notice.php:25
#, php-format
msgid "Thank you for updating to %s v%s!"
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 "先把数据库更新到最新版。"

#: admin/views/update.php:12
msgid "Reading upgrade tasks..."
msgstr "阅读更新任务..."

#: admin/views/update.php:14
#, php-format
msgid "Upgrading data to version %s"
msgstr "升级数据到 %s 版本"

#: admin/views/update.php:16
msgid "See what's new"
msgstr "查看更新"

#: admin/views/update.php:110
msgid "No updates available."
msgstr "没有可用更新。"

#: api/api-helpers.php:821
msgid "Thumbnail"
msgstr "缩略图"

#: api/api-helpers.php:822
msgid "Medium"
msgstr "中"

#: api/api-helpers.php:823
msgid "Large"
msgstr "大"

#: api/api-helpers.php:871
msgid "Full Size"
msgstr "原图"

#: api/api-helpers.php:1581
msgid "(no title)"
msgstr "(无标题)"

#: api/api-helpers.php:3183
#, php-format
msgid "Image width must be at least %dpx."
msgstr "图像宽度至少得是 %dpx。"

#: api/api-helpers.php:3188
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "图像宽度最大不能超过 %dpx。"

#: api/api-helpers.php:3204
#, php-format
msgid "Image height must be at least %dpx."
msgstr "图像高度至少得是 %dpx。"

#: api/api-helpers.php:3209
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "图像高度最大不能超过 %dpx。"

#: api/api-helpers.php:3227
#, php-format
msgid "File size must be at least %s."
msgstr "文件尺寸至少得是 %s。"

#: api/api-helpers.php:3232
#, php-format
msgid "File size must must not exceed %s."
msgstr "文件尺寸最大不能超过 %s。"

#: api/api-helpers.php:3266
#, php-format
msgid "File type must be %s."
msgstr "字段类型必须是 %s。"

#: api/api-template.php:1289 pro/fields/gallery.php:564
msgid "Update"
msgstr "更新"

#: api/api-template.php:1290
msgid "Post updated"
msgstr "内容已更新"

#: core/field.php:131
msgid "Basic"
msgstr "基本"

#: core/field.php:132
msgid "Content"
msgstr "内容"

#: core/field.php:133
msgid "Choice"
msgstr "选项"

#: core/field.php:134
msgid "Relational"
msgstr "关系"

#: core/field.php:135
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
msgid "Layout"
msgstr "样式"

#: core/input.php:129
msgid "Expand Details"
msgstr "展开"

#: core/input.php:130
msgid "Collapse Details"
msgstr "折叠"

#: core/input.php:131
msgid "Validation successful"
msgstr "验证成功"

#: core/input.php:132
msgid "Validation failed"
msgstr "验证失败"

#: core/input.php:133
msgid "1 field requires attention"
msgstr "1 个字段需要注意"

#: core/input.php:134
#, php-format
msgid "%d fields require attention"
msgstr "%d 个字段需要注意"

#: core/input.php:135
msgid "Restricted"
msgstr "限制"

#: core/input.php:533
#, php-format
msgid "%s value is required"
msgstr "%s 的值是必填项"

#: fields/checkbox.php:36 fields/taxonomy.php:752
msgid "Checkbox"
msgstr "复选框"

#: fields/checkbox.php:144
msgid "Toggle All"
msgstr "切换所有"

#: fields/checkbox.php:208 fields/radio.php:193 fields/select.php:388
msgid "Choices"
msgstr "选项"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
msgid "Enter each choice on a new line."
msgstr "输入选项,每行一个"

#: 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 "如果需要更多控制,你按照一下格式,定义一个值和标签对:"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
msgid "red : Red"
msgstr " red : 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
msgid "Default Value"
msgstr "默认值"

#: fields/checkbox.php:218 fields/select.php:398
msgid "Enter each default value on a new line"
msgstr "每行输入一个默认值"

#: fields/checkbox.php:232 fields/radio.php:237
msgid "Vertical"
msgstr "垂直"

#: fields/checkbox.php:233 fields/radio.php:238
msgid "Horizontal"
msgstr "水平"

#: fields/checkbox.php:240
msgid "Toggle"
msgstr "切换"

#: fields/checkbox.php:241
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "添加一个可以切换所有选择的复选框"

#: fields/color_picker.php:36
msgid "Color Picker"
msgstr "颜色选择"

#: fields/color_picker.php:94
msgid "Clear"
msgstr "清除"

#: fields/color_picker.php:95
msgid "Default"
msgstr "默认"

#: fields/color_picker.php:96
msgid "Select Color"
msgstr "选择颜色"

#: fields/date_picker.php:36
msgid "Date Picker"
msgstr "日期选择"

#: fields/date_picker.php:72
msgid "Done"
msgstr "完成"

#: fields/date_picker.php:73
msgid "Today"
msgstr "今天"

#: fields/date_picker.php:76
msgid "Show a different month"
msgstr "显示其他月份"

#: fields/date_picker.php:149
msgid "Display Format"
msgstr "显示格式"

#: fields/date_picker.php:150
msgid "The format displayed when editing a post"
msgstr "编辑内容的时候显示的格式"

#: fields/date_picker.php:164
msgid "Return format"
msgstr "返回格式"

#: fields/date_picker.php:165
msgid "The format returned via template functions"
msgstr "通过模板函数返回的格式"

#: fields/date_picker.php:180
msgid "Week Starts On"
msgstr "每周开始于"

#: fields/email.php:36
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
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
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
msgid "Appears within the input"
msgstr "在 input 内部显示"

#: 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
msgid "Appears before the input"
msgstr "在 input 前面显示"

#: 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
msgid "Appears after the input"
msgstr "在 input 后面显示"

#: fields/file.php:36
msgid "File"
msgstr "文件"

#: fields/file.php:47
msgid "Edit File"
msgstr "编辑文件"

#: fields/file.php:48
msgid "Update File"
msgstr "更新文件"

#: fields/file.php:49 pro/fields/gallery.php:55
msgid "uploaded to this post"
msgstr "上传到这个内容"

#: fields/file.php:142
msgid "File Name"
msgstr "文件名"

#: fields/file.php:146
msgid "File Size"
msgstr "文件尺寸"

#: fields/file.php:169
msgid "No File selected"
msgstr "没有选择文件"

#: fields/file.php:169
msgid "Add File"
msgstr "添加文件"

#: fields/file.php:214 fields/image.php:195 fields/taxonomy.php:821
msgid "Return Value"
msgstr "返回值"

#: fields/file.php:215 fields/image.php:196
msgid "Specify the returned value on front end"
msgstr "指定前端返回的值"

#: fields/file.php:220
msgid "File Array"
msgstr "文件数组"

#: fields/file.php:221
msgid "File URL"
msgstr "文件URL"

#: fields/file.php:222
msgid "File ID"
msgstr "文件ID"

#: fields/file.php:229 fields/image.php:220 pro/fields/gallery.php:647
msgid "Library"
msgstr "库"

#: fields/file.php:230 fields/image.php:221 pro/fields/gallery.php:648
msgid "Limit the media library choice"
msgstr "限制媒体库的选择"

#: fields/file.php:236 fields/image.php:227 pro/fields/gallery.php:654
msgid "Uploaded to post"
msgstr "上传到内容"

#: fields/file.php:243 fields/image.php:234 pro/fields/gallery.php:661
msgid "Minimum"
msgstr "最小"

#: fields/file.php:244 fields/file.php:255
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
msgid "File size"
msgstr "文件尺寸"

#: fields/file.php:254 fields/image.php:267 pro/fields/gallery.php:694
msgid "Maximum"
msgstr "最大"

#: fields/file.php:265 fields/image.php:300 pro/fields/gallery.php:727
msgid "Allowed file types"
msgstr "允许的文字类型"

#: fields/file.php:266 fields/image.php:301 pro/fields/gallery.php:728
msgid "Comma separated list. Leave blank for all types"
msgstr "用英文逗号分隔开,留空则为全部类型"

#: fields/google-map.php:36
msgid "Google Map"
msgstr "谷歌地图"

#: fields/google-map.php:51
msgid "Locating"
msgstr "定位"

#: fields/google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "抱歉,浏览器不支持定位"

#: fields/google-map.php:135
msgid "Clear location"
msgstr "清除位置"

#: fields/google-map.php:140
msgid "Find current location"
msgstr "搜索当前位置"

#: fields/google-map.php:141
msgid "Search for address..."
msgstr "搜索地址... "

#: fields/google-map.php:173 fields/google-map.php:184
msgid "Center"
msgstr "居中"

#: fields/google-map.php:174 fields/google-map.php:185
msgid "Center the initial map"
msgstr "居中显示初始地图"

#: fields/google-map.php:198
msgid "Zoom"
msgstr "缩放"

#: fields/google-map.php:199
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
msgid "Height"
msgstr "高度"

#: fields/google-map.php:209
msgid "Customise the map height"
msgstr "自定义地图高度"

#: fields/image.php:36
msgid "Image"
msgstr "图像"

#: fields/image.php:51
msgid "Select Image"
msgstr "选择图像"

#: fields/image.php:52 pro/fields/gallery.php:53
msgid "Edit Image"
msgstr "编辑图片"

#: fields/image.php:53 pro/fields/gallery.php:54
msgid "Update Image"
msgstr "更新图像"

#: fields/image.php:54
msgid "Uploaded to this post"
msgstr "上传到这个内容"

#: fields/image.php:55
msgid "All images"
msgstr "所有图片"

#: fields/image.php:147
msgid "No image selected"
msgstr "没有选择图片"

#: fields/image.php:147
msgid "Add Image"
msgstr "添加图片"

#: fields/image.php:201
msgid "Image Array"
msgstr "图像数组"

#: fields/image.php:202
msgid "Image URL"
msgstr "图像 URL"

#: fields/image.php:203
msgid "Image ID"
msgstr "图像ID"

#: fields/image.php:210 pro/fields/gallery.php:637
msgid "Preview Size"
msgstr "预览图大小"

#: fields/image.php:211 pro/fields/gallery.php:638
msgid "Shown when entering data"
msgstr "输入数据时显示"

#: 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
msgid "Width"
msgstr "宽度"

#: fields/message.php:36 fields/message.php:103 fields/true_false.php:106
msgid "Message"
msgstr "消息"

#: fields/message.php:104
msgid "Please note that all text will first be passed through the wp function "
msgstr "请注意,所有文本将首页通过WP过滤功能"

#: fields/message.php:112
msgid "Escape HTML"
msgstr "转义 HTML"

#: fields/message.php:113
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "显示 HTML 文本,而不是渲染 HTML"

#: fields/number.php:36
msgid "Number"
msgstr "号码"

#: fields/number.php:186
msgid "Minimum Value"
msgstr "最小值"

#: fields/number.php:195
msgid "Maximum Value"
msgstr "最大值"

#: fields/number.php:204
msgid "Step Size"
msgstr "步长"

#: fields/number.php:242
msgid "Value must be a number"
msgstr "值必须是数字"

#: fields/number.php:260
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "值要大于等于 %d"

#: fields/number.php:268
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "值要小于等于 %d"

#: fields/oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: fields/oembed.php:199
msgid "Enter URL"
msgstr "输入 URL"

#: fields/oembed.php:212
msgid "No embed found for the given URL."
msgstr "在 URL 里没发现嵌入。"

#: fields/oembed.php:248 fields/oembed.php:259
msgid "Embed Size"
msgstr "嵌入尺寸"

#: fields/page_link.php:206
msgid "Archives"
msgstr "存档"

#: 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
msgid "All post types"
msgstr "所有内容类型"

#: 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
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
msgid "Allow Null?"
msgstr "是否允许空值?"

#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420
#: fields/user.php:466
msgid "Select multiple values?"
msgstr "是否选择多个值?"

#: fields/password.php:36
msgid "Password"
msgstr "密码"

#: fields/post_object.php:36 fields/post_object.php:462
#: fields/relationship.php:769
msgid "Post Object"
msgstr "文章对象"

#: fields/post_object.php:457 fields/relationship.php:764
msgid "Return Format"
msgstr "返回格式"

#: fields/post_object.php:463 fields/relationship.php:770
msgid "Post ID"
msgstr "Post ID"

#: fields/radio.php:36
msgid "Radio Button"
msgstr "单选按钮"

#: fields/radio.php:202
msgid "Other"
msgstr "其他"

#: fields/radio.php:206
msgid "Add 'other' choice to allow for custom values"
msgstr "为自定义值添加 'other' 选择"

#: fields/radio.php:212
msgid "Save Other"
msgstr "保存其它"

#: fields/radio.php:216
msgid "Save 'other' values to the field's choices"
msgstr "存档为字段的选择的 'other' 的值"

#: fields/relationship.php:36
msgid "Relationship"
msgstr "关系"

#: fields/relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "已到最小值 ( {min} values )"

#: fields/relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "达到了最大值 ( {max} 值 ) "

#: fields/relationship.php:50
msgid "Loading"
msgstr "加载"

#: fields/relationship.php:51
msgid "No matches found"
msgstr "没找到匹配的结果"

#: fields/relationship.php:571
msgid "Search..."
msgstr "搜索..."

#: fields/relationship.php:580
msgid "Select post type"
msgstr "选择内容类型"

#: fields/relationship.php:593
msgid "Select taxonomy"
msgstr "选择分类"

#: fields/relationship.php:723
msgid "Search"
msgstr "搜索"

#: fields/relationship.php:725 fields/taxonomy.php:36 fields/taxonomy.php:735
msgid "Taxonomy"
msgstr "分类法"

#: fields/relationship.php:732
msgid "Elements"
msgstr "元素"

#: fields/relationship.php:733
msgid "Selected elements will be displayed in each result"
msgstr "选择的元素将在每个结果中显示。"

#: fields/relationship.php:744
msgid "Minimum posts"
msgstr "最小内容"

#: fields/relationship.php:753
msgid "Maximum posts"
msgstr "最大文章数"

#: fields/select.php:36 fields/select.php:174 fields/taxonomy.php:757
msgid "Select"
msgstr "选择"

#: fields/select.php:434
msgid "Stylised UI"
msgstr "装饰的界面"

#: fields/select.php:448
msgid "Use AJAX to lazy load choices?"
msgstr "使用 AJAX 惰性选择?"

#: fields/tab.php:36
msgid "Tab"
msgstr "选项卡"

#: fields/tab.php:128
msgid "Warning"
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"
msgstr "标签字段不能在 Table 样式的重复字段或者灵活内容字段布局里正常显示"

#: fields/tab.php:146
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."
msgstr ""
"在这个 \"tab field\" (或直到定义了其它的 \"tab field\" ) 以下的所有字段,都会"
"被用这个字段标签作为标题的标签(Tab)组织到一块。"

#: fields/tab.php:155
msgid "Placement"
msgstr "位置"

#: fields/tab.php:167
msgid "End-point"
msgstr "端点"

#: fields/tab.php:168
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "使用这个字段作为端点去创建新的标签群组"

#: fields/taxonomy.php:565
#, php-format
msgid "Add new %s "
msgstr "添加新的 %s"

#: fields/taxonomy.php:704
msgid "None"
msgstr "None"

#: fields/taxonomy.php:736
msgid "Select the taxonomy to be displayed"
msgstr "选择要显示的分类法"

#: fields/taxonomy.php:745
msgid "Appearance"
msgstr "外观"

#: fields/taxonomy.php:746
msgid "Select the appearance of this field"
msgstr "为这个字段选择外观"

#: fields/taxonomy.php:751
msgid "Multiple Values"
msgstr "多选"

#: fields/taxonomy.php:753
msgid "Multi Select"
msgstr "多选"

#: fields/taxonomy.php:755
msgid "Single Value"
msgstr "单个值"

#: fields/taxonomy.php:756
msgid "Radio Buttons"
msgstr "单选框"

#: fields/taxonomy.php:779
msgid "Create Terms"
msgstr "创建分类词汇"

#: fields/taxonomy.php:780
msgid "Allow new terms to be created whilst editing"
msgstr "在编辑时允许可以创建新的分类词汇"

#: fields/taxonomy.php:793
msgid "Save Terms"
msgstr "保存分类词汇"

#: fields/taxonomy.php:794
msgid "Connect selected terms to the post"
msgstr "连接所选分类词汇到内容"

#: fields/taxonomy.php:807
msgid "Load Terms"
msgstr "加载分类词汇"

#: fields/taxonomy.php:808
msgid "Load value from posts terms"
msgstr "载入内容分类词汇的值"

#: fields/taxonomy.php:826
msgid "Term Object"
msgstr "对象缓存"

#: fields/taxonomy.php:827
msgid "Term ID"
msgstr "内容ID"

#: fields/taxonomy.php:886
#, php-format
msgid "User unable to add new %s"
msgstr "用户无法添加新的 %s"

#: fields/taxonomy.php:899
#, php-format
msgid "%s already exists"
msgstr "%s 已存在"

#: fields/taxonomy.php:940
#, php-format
msgid "%s added"
msgstr "%s 已添加"

#: fields/taxonomy.php:985
msgid "Add"
msgstr "添加"

#: fields/text.php:36
msgid "Text"
msgstr "文本"

#: fields/text.php:184 fields/textarea.php:163
msgid "Character Limit"
msgstr "字符限制"

#: fields/text.php:185 fields/textarea.php:164
msgid "Leave blank for no limit"
msgstr "留空则不限制"

#: fields/textarea.php:36
msgid "Text Area"
msgstr "文本段"

#: fields/textarea.php:172
msgid "Rows"
msgstr "行"

#: fields/textarea.php:173
msgid "Sets the textarea height"
msgstr "设置文本区域的高度"

#: fields/textarea.php:182
msgid "New Lines"
msgstr "新行"

#: fields/textarea.php:183
msgid "Controls how new lines are rendered"
msgstr "控制怎么显示新行"

#: fields/textarea.php:187
msgid "Automatically add paragraphs"
msgstr "自动添加段落"

#: fields/textarea.php:188
msgid "Automatically add &lt;br&gt;"
msgstr "自动添加 &lt;br&gt;"

#: fields/textarea.php:189
msgid "No Formatting"
msgstr "无格式"

#: fields/true_false.php:36
msgid "True / False"
msgstr "真/假"

#: fields/true_false.php:107
msgid "eg. Show extra content"
msgstr "例如:显示附加内容"

#: fields/url.php:36
msgid "Url"
msgstr "地址"

#: fields/url.php:160
msgid "Value must be a valid URL"
msgstr "值必须是有效的地址"

#: fields/user.php:437
msgid "Filter by role"
msgstr "根据角色过滤"

#: fields/user.php:445
msgid "All user roles"
msgstr "所有用户角色"

#: fields/wysiwyg.php:37
msgid "Wysiwyg Editor"
msgstr "可视化编辑器"

#: fields/wysiwyg.php:297
msgid "Visual"
msgstr "显示"

#: fields/wysiwyg.php:298
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "文本"

#: fields/wysiwyg.php:354
msgid "Tabs"
msgstr "标签"

#: fields/wysiwyg.php:359
msgid "Visual & Text"
msgstr "显示与文本"

#: fields/wysiwyg.php:360
msgid "Visual Only"
msgstr "只有显示"

#: fields/wysiwyg.php:361
msgid "Text Only"
msgstr "纯文本"

#: fields/wysiwyg.php:368
msgid "Toolbar"
msgstr "工具条"

#: fields/wysiwyg.php:378
msgid "Show Media Upload Buttons?"
msgstr "是否显示媒体上传按钮?"

#: forms/post.php:297 pro/admin/options-page.php:373
msgid "Edit field group"
msgstr "编辑字段组"

#: pro/acf-pro.php:24
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields 专业版"

#: pro/acf-pro.php:175
msgid "Flexible Content requires at least 1 layout"
msgstr "灵活内容字段需要至少一个布局"

#: pro/admin/options-page.php:48
msgid "Options Page"
msgstr "选项页面"

#: pro/admin/options-page.php:83
msgid "No options pages exist"
msgstr "还没有选项页面"

#: pro/admin/options-page.php:298
msgid "Options Updated"
msgstr "选项已更新"

#: pro/admin/options-page.php:304
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"这个选项页上还没有自定义字段群组。<a href=\"%s\">创建自定义字段群组</a>"

#: pro/admin/settings-updates.php:137
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>错误</b>,不能连接到更新服务器"

#: pro/admin/settings-updates.php:267 pro/admin/settings-updates.php:338
msgid "<b>Connection Error</b>. Sorry, please try again"
msgstr "<b>连接错误</b>,再试一次"

#: pro/admin/views/options-page.php:48
msgid "Publish"
msgstr "发布"

#: pro/admin/views/options-page.php:54
msgid "Save Options"
msgstr "保存"

#: pro/admin/views/settings-updates.php:11
msgid "Deactivate License"
msgstr "关闭许可证"

#: pro/admin/views/settings-updates.php:11
msgid "Activate License"
msgstr "激活许可证"

#: pro/admin/views/settings-updates.php:21
msgid "License"
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"
msgstr "解锁更新,输入许可证号。还没有许可证号,请看"

#: pro/admin/views/settings-updates.php:24
msgid "details & pricing"
msgstr "详情与定价"

#: pro/admin/views/settings-updates.php:33
msgid "License Key"
msgstr "许可证号"

#: pro/admin/views/settings-updates.php:65
msgid "Update Information"
msgstr "更新信息"

#: pro/admin/views/settings-updates.php:72
msgid "Current Version"
msgstr "当前版本"

#: pro/admin/views/settings-updates.php:80
msgid "Latest Version"
msgstr "最新版本"

#: pro/admin/views/settings-updates.php:88
msgid "Update Available"
msgstr "可用更新"

#: pro/admin/views/settings-updates.php:96
msgid "Update Plugin"
msgstr "更新插件"

#: pro/admin/views/settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "在上面输入许可证号解锁更新"

#: pro/admin/views/settings-updates.php:104
msgid "Check Again"
msgstr "重新检查"

#: pro/admin/views/settings-updates.php:121
msgid "Upgrade Notice"
msgstr "更新通知"

#: pro/api/api-options-page.php:22 pro/api/api-options-page.php:23
msgid "Options"
msgstr "选项"

#: pro/core/updates.php:186
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>"
msgstr ""
"启用更新,先在 <a href=\"%s\">更新</a> 页面输入许可证。还没有许可证,请查看 "
"<a href=\"%s\">详情与定价</a>"

#: pro/fields/flexible-content.php:36
msgid "Flexible Content"
msgstr "大段内容"

#: pro/fields/flexible-content.php:42 pro/fields/repeater.php:43
msgid "Add Row"
msgstr "添加行"

#: pro/fields/flexible-content.php:45
msgid "layout"
msgstr "布局"

#: pro/fields/flexible-content.php:46
msgid "layouts"
msgstr "布局"

#: pro/fields/flexible-content.php:47
msgid "remove {layout}?"
msgstr "删除 {layout}?"

#: pro/fields/flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "这个字段需要至少 {min} {identifier}"

#: pro/fields/flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "这个字段限制最大为 {max} {identifier}"

#: pro/fields/flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "这个字段需要至少 {min} {label} {identifier}"

#: pro/fields/flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "{label} 已到最大限制 ({max} {identifier})"

#: pro/fields/flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} 可用 (max {max})"

#: pro/fields/flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} 需要 (min {min})"

#: pro/fields/flexible-content.php:211
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "点击下面的 \"%s\" 按钮创建布局"

#: pro/fields/flexible-content.php:369
msgid "Add layout"
msgstr "添加布局"

#: pro/fields/flexible-content.php:372
msgid "Remove layout"
msgstr "删除布局"

#: pro/fields/flexible-content.php:514
msgid "Reorder Layout"
msgstr "重排序布局"

#: pro/fields/flexible-content.php:514
msgid "Reorder"
msgstr "重排序"

#: pro/fields/flexible-content.php:515
msgid "Delete Layout"
msgstr "删除布局"

#: pro/fields/flexible-content.php:516
msgid "Duplicate Layout"
msgstr "复制布局"

#: pro/fields/flexible-content.php:517
msgid "Add New Layout"
msgstr "添加新布局"

#: pro/fields/flexible-content.php:561
msgid "Display"
msgstr "显示"

#: pro/fields/flexible-content.php:572 pro/fields/repeater.php:399
msgid "Table"
msgstr "表"

#: pro/fields/flexible-content.php:573 pro/fields/repeater.php:400
msgid "Block"
msgstr "区块"

#: pro/fields/flexible-content.php:574 pro/fields/repeater.php:401
msgid "Row"
msgstr "行"

#: pro/fields/flexible-content.php:589
msgid "Min"
msgstr "最小"

#: pro/fields/flexible-content.php:602
msgid "Max"
msgstr "最大"

#: pro/fields/flexible-content.php:630 pro/fields/repeater.php:408
msgid "Button Label"
msgstr "按钮标签"

#: pro/fields/flexible-content.php:639
msgid "Minimum Layouts"
msgstr "最小布局"

#: pro/fields/flexible-content.php:648
msgid "Maximum Layouts"
msgstr "最大布局"

#: pro/fields/gallery.php:36
msgid "Gallery"
msgstr "相册"

#: pro/fields/gallery.php:52
msgid "Add Image to Gallery"
msgstr "添加图片到相册"

#: pro/fields/gallery.php:56
msgid "Maximum selection reached"
msgstr "已到最大选择"

#: pro/fields/gallery.php:335
msgid "Length"
msgstr "长度"

#: pro/fields/gallery.php:355
msgid "Remove"
msgstr "删除"

#: pro/fields/gallery.php:535
msgid "Add to gallery"
msgstr "添加到相册"

#: pro/fields/gallery.php:539
msgid "Bulk actions"
msgstr "批量动作"

#: pro/fields/gallery.php:540
msgid "Sort by date uploaded"
msgstr "按上传日期排序"

#: pro/fields/gallery.php:541
msgid "Sort by date modified"
msgstr "按修改日期排序"

#: pro/fields/gallery.php:542
msgid "Sort by title"
msgstr "按标题排序"

#: pro/fields/gallery.php:543
msgid "Reverse current order"
msgstr "颠倒当前排序"

#: pro/fields/gallery.php:561
msgid "Close"
msgstr "关闭"

#: pro/fields/gallery.php:619
msgid "Minimum Selection"
msgstr "最小选择"

#: pro/fields/gallery.php:628
msgid "Maximum Selection"
msgstr "最大选择"

#: pro/fields/gallery.php:809
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s 需要至少 %s 个选择"

#: pro/fields/repeater.php:36
msgid "Repeater"
msgstr "重复器"

#: pro/fields/repeater.php:46
msgid "Minimum rows reached ({min} rows)"
msgstr "已到最小行数 ({min} 行)"

#: pro/fields/repeater.php:47
msgid "Maximum rows reached ({max} rows)"
msgstr "已到最大行数 ({max} 行)"

#: pro/fields/repeater.php:259
msgid "Drag to reorder"
msgstr "拖拽排序"

#: pro/fields/repeater.php:301
msgid "Add row"
msgstr "添加行"

#: pro/fields/repeater.php:302
msgid "Remove row"
msgstr "删除行"

#: pro/fields/repeater.php:350
msgid "Sub Fields"
msgstr "子字段"

#: pro/fields/repeater.php:372
msgid "Minimum Rows"
msgstr "最小行数"

#: pro/fields/repeater.php:382
msgid "Maximum Rows"
msgstr "最大行数"

#. Plugin Name of the plugin/theme
msgid "Advanced Custom Fields Pro"
msgstr "Advanced Custom Fields 专业版"

#. Plugin URI of the plugin/theme
msgid "http://www.advancedcustomfields.com/"
msgstr "http://www.advancedcustomfields.com/"

#. Description of the plugin/theme
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "用强大专业的字段定制 WordPress。"

#. Author of the plugin/theme
msgid "elliot condon"
msgstr "elliot condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#, fuzzy
#~ msgid "Show Field Keys"
#~ msgstr "显示字段密钥:"

#, fuzzy
#~ msgid "Private"
#~ msgstr "激活"

#, fuzzy
#~ msgid "Revision"
#~ msgstr "版本控制"

#, fuzzy
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "字段组排序<br />从低到高。"

#, fuzzy
#~ msgid "ACF PRO Required"
#~ msgstr "(必填项)"

#, fuzzy
#~ msgid "Update Database"
#~ msgstr "升级数据库"

#, fuzzy
#~ msgid "Data Upgrade"
#~ msgstr "升级"

#, fuzzy
#~ msgid "Data is at the latest version."
#~ 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"
#~ msgstr "在文章上加载值,保存时更新文章条目。"

#, fuzzy
#~ msgid "image"
#~ msgstr "图像"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "关系"

#, fuzzy
#~ msgid "unload"
#~ msgstr "下载"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "字段组已发布。"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "保存字段"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "大段内容"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "相册"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "复制"

#~ msgid "Custom field updated."
#~ msgstr "自定义字段已更新。"

#~ msgid "Custom field deleted."
#~ msgstr "自定义字段已删除。"

#, fuzzy
#~ msgid "Import/Export"
#~ msgstr "重要"

#~ msgid "Column Width"
#~ msgstr "分栏宽度"

#, fuzzy
#~ msgid "Attachment Details"
#~ msgstr "附件已更新"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "验证失败,下面一个或多个字段是必需的。"

#~ msgid "Field group restored to revision from %s"
#~ msgstr "字段组已恢复到版本%s"

#~ msgid "No ACF groups selected"
#~ msgstr "没有选择ACF组"

#~ msgid "Repeater Field"
#~ msgstr "复制字段"

#~ msgid ""
#~ "Create infinite rows of repeatable data with this versatile interface!"
#~ msgstr "使用这个方面的界面为重复数据创建无限行。 "

#~ msgid "Gallery Field"
#~ msgstr "相册字段"

#~ msgid "Create image galleries in a simple and intuitive interface!"
#~ msgstr "使用简单直观的界面创建画廊!"

#~ msgid "Create global data to use throughout your website!"
#~ msgstr "创建整个站点可用的全局数据。"

#~ msgid "Flexible Content Field"
#~ msgstr "多样内容字段"

#~ msgid "Create unique designs with a flexible content layout manager!"
#~ msgstr "通过强大的内容布局管理功能创建一个独有的设计。"

#~ msgid "Gravity Forms Field"
#~ msgstr "Gravity表单字段"

#~ msgid "Creates a select field populated with Gravity Forms!"
#~ msgstr "创建一个由Gravity表单处理的选择字段。"

#~ msgid "Date & Time Picker"
#~ msgstr "日期&时间选择器"

#~ msgid "jQuery date & time picker"
#~ msgstr "jQuery 日期 & 时间选择器"

#~ msgid "Find addresses and coordinates of a desired location"
#~ msgstr "查找需要的位置的地址和坐标。"

#~ msgid "Contact Form 7 Field"
#~ msgstr "Contact Form 7 字段"

#~ msgid "Assign one or more contact form 7 forms to a post"
#~ msgstr "分配一个或多个contact form 7表单到文章"

#~ 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 ""
#~ "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 "购买和安装"

#~ msgid "Export"
#~ msgstr "导出"

#~ msgid "Select the field groups to be exported"
#~ msgstr "选择需要导出的字段组。"

#~ msgid "Export to XML"
#~ msgstr "导出到XML"

#~ msgid "Export to PHP"
#~ msgstr "导出到PHP"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr "ACF将创建一个兼容WP导入插件的.xml文件。"

#~ msgid ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "导入字段组将出现在可编辑字段组后面,在几个WP站点之间迁移字段组时,这将非常"
#~ "有用。"

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr "从列表中选择字段组,然后点击 \"导出XML\" "

#~ msgid "Save the .xml file when prompted"
#~ msgstr "导出后保存.xml文件"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "转到工具 &raquo; 导入,然后选择WordPress "

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "安装WP导入插件后开始"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "上传并导入.xml文件"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "选择用户,忽略导入附件"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "成功了,使用愉快!"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACP将导出可以包含到主题中的PHP代码"

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable "
#~ "field groups. This is useful for including fields in themes."
#~ msgstr ""
#~ "已注册字段<b>不会</b>出现在可编辑分组中,这对主题中包含的字段非常有用。"

#~ 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 ""
#~ "请注意,如果在同一个网站导出并注册字段组,您会在您的编辑屏幕上看到重复的字"
#~ "段,为了解决这个问题,请将原字段组移动到回收站或删除您的functions.php文件"
#~ "中的代码。"

#~ msgid "Select field group(s) from the list and click \"Create PHP\""
#~ msgstr "参加列表中选择表单组,然后点击 \"生成PHP\""

#~ msgid "Copy the PHP code generated"
#~ msgstr "复制生成的PHP代码。"

#~ msgid "Paste into your functions.php file"
#~ msgstr "请插入您的function.php文件"

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr "要激活附加组件,编辑和应用代码中的前几行。"

#~ msgid "Notes"
#~ msgstr "注意"

#~ 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 ""
#~ "字段插件可以包含到主题中,如果需要进行此操作,请移动字段插件到themes文件夹"
#~ "并添加以下代码到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 you functions.php "
#~ "file <b>before</b> the include_once code:"
#~ msgstr ""
#~ "要删除所有ACF插件的可视化界面,你可以用一个常数,使精简版模式,将下面的代"
#~ "码添加到functions.php文件中include_once代码<b>之前</b>。"

#~ msgid "Back to export"
#~ msgstr "返回到导出器"

#~ msgid ""
#~ "/**\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"
#~ " *  \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"
#~ " *  \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"
#~ " *  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"
#~ " */"
#~ msgstr ""
#~ "/ **\n"
#~ " *安装附加组件\n"
#~ " *\n"
#~ " *下面的代码将包括所有4个高级附加组件到您的主题\n"
#~ " *请不要试图包含一个不存在的文件,这将产生一个错误。\n"
#~ " *\n"
#~ " *所有字段都必须在'acf/register_fields'动作执行时包含。\n"
#~ " *其他类型的加载项(如选项页)可以包含在这个动作之外。\n"
#~ " *\n"
#~ " *下面的代码假定你在你的主题里面有一个“add-ons”文件夹。\n"
#~ " *\n"
#~ " *重要\n"
#~ " *附加组件可能在一个高级主题中包含下面的条款及条件。\n"
#~ " *但是,他们都没有被列入高级或免费插件。\n"
#~ " *欲了解更多信息,请读取http://www.advancedcustomfields.com/terms-"
#~ "conditions/\n"
#~ " */"

#~ msgid ""
#~ "/**\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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * 注册字段组\n"
#~ " *\n"
#~ " * register_field_group函数接受一个包含注册字段组有关数据的数组\n"
#~ " *您可以编辑您认为合适的数组,然而,如果数组不兼容ACF,这可能会导致错误\n"
#~ " */"

#~ msgid "Vote"
#~ msgstr "投票"

#~ msgid "Follow"
#~ msgstr "关注"

#~ 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 ""
#~ "附加组件现在通过下载和安装单独的插件激活,虽然这些插件不在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 "此站点使用的高级功能需要下载。"

#~ 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 "Easier Development"
#~ msgstr "快速开发"

#~ msgid "New Field Types"
#~ msgstr "新字段类型"

#~ msgid "Email Field"
#~ msgstr "电子邮件字段"

#~ msgid "Password Field"
#~ msgstr "密码字段"

#~ msgid "Custom Field Types"
#~ 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 "Migrating your field types is easy, please"
#~ msgstr "数据迁移非常简单,请"

#~ msgid "follow this tutorial"
#~ msgstr "跟随这个向导"

#~ msgid "to learn more."
#~ msgstr "了解更多。"

#~ msgid "Actions &amp; Filters"
#~ msgstr "动作&amp;过滤器"

#~ msgid ""
#~ "All actions & filters have recieved a major facelift to make customizing "
#~ "ACF even easier! Please"
#~ msgstr "所有动作和过滤器得到了一次重大改版一遍更方便的定制ACF!请"

#~ msgid "read this guide"
#~ msgstr "阅读此向导"

#~ msgid "to find the updated naming convention."
#~ msgstr "找到更新命名约定。"

#~ msgid "Preview draft is now working!"
#~ msgstr "预览功能已经可用!"

#~ msgid "This bug has been squashed along with many other little critters!"
#~ msgstr "这个错误已经与许多其他小动物一起被压扁了!"

#~ msgid "See the full changelog"
#~ msgstr "查看全部更新日志"

#~ msgid "Database Changes"
#~ msgstr "数据库改变"

#~ msgid ""
#~ "Absolutely <strong>no</strong> 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之间<strong>没有</strong>任何修改,这意味你可以安全回滚到"
#~ "版本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 "Migrating from v3 to v4"
#~ msgstr "从V3迁移到V4"

#~ msgid "guide to view the full list of changes."
#~ msgstr "查看所有更新列表。"

#~ msgid "Really Important!"
#~ msgstr "非常重要!"

#~ msgid ""
#~ "If you updated the ACF plugin without prior knowledge of such changes, "
#~ "Please roll back to the latest"
#~ msgstr "如果你没有收到更新通知而升级到了ACF插件,请回滚到最近的一个版本。"

#~ msgid "version 3"
#~ msgstr "版本 3"

#~ msgid "of this plugin."
#~ msgstr "这个插件"

#~ msgid "Thank You"
#~ msgstr "谢谢!"

#~ msgid ""
#~ "A <strong>BIG</strong> 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 "没有你们,此版本可能还没有发布。"

#~ msgid "Changelog for"
#~ msgstr "更新日志:"

#~ msgid "Learn more"
#~ msgstr "了解更多"

#~ 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 ""
#~ "在此之前,所有附加组件通过一个激活码(从ACF附加组件的商店购买)解锁,到了"
#~ "版本V4,所有附加组件作为单独的插件下载,安装和更新。"

#~ 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."
#~ msgstr "在此网站上检测到以下附加已激活。"

#~ msgid "Activation Code"
#~ msgstr "激活码"

#~ msgid "Installation"
#~ msgstr "安装"

#~ msgid "For each Add-on available, please perform the following:"
#~ msgstr "对于每个可以用附加组件,请执行以下操作:"

#~ msgid "Download the Add-on plugin (.zip file) to your desktop"
#~ msgstr "下载附加功能(.zip文件)到电脑。"

#~ msgid "Navigate to"
#~ msgstr "链接到"

#~ msgid "Plugins > Add New > Upload"
#~ msgstr "插件>添加>上传"

#~ 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 "The Add-on is now installed and activated!"
#~ msgstr "附加功能已安装并启用。"

#~ msgid "Awesome. Let's get to work"
#~ msgstr "太棒了!我们开始吧。"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "修改字段组选项'在页面上显示'"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "修改字段选项'分类法'"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr "从wp_options移动用户自定义字段到wp_usermeta"

#~ msgid "blue : Blue"
#~ msgstr " blue : Blue "

#~ msgid "eg: #ffffff"
#~ msgstr "如: #ffffff "

#~ msgid "Dummy"
#~ msgstr "二进制"

#~ msgid "File Object"
#~ msgstr "文件对象"

#~ msgid "File Updated."
#~ msgstr "文件已更新"

#~ msgid "Media attachment updated."
#~ msgstr "媒体附件已更新。"

#~ msgid "Add Selected Files"
#~ msgstr "添加已选择文件"

#~ msgid "Image Object"
#~ msgstr "对象图像"

#~ msgid "Image Updated."
#~ msgstr "图片已更新"

#~ msgid "No images selected"
#~ msgstr "没有选择图片"

#~ msgid "Add Selected Images"
#~ msgstr "添加所选图片"

#~ msgid "Text &amp; HTML entered here will appear inline with the fields"
#~ msgstr "在这里输入的文本和HTML将和此字段一起出现。"

#~ msgid "Enter your choices one per line"
#~ msgstr "输入选项,每行一个"

#~ msgid "Red"
#~ msgstr "红"

#~ msgid "Blue"
#~ msgstr "蓝"

#~ msgid "Post Type Select"
#~ msgstr "文章类型选择"

#~ msgid "You can use multiple tabs to break up your fields into sections."
#~ msgstr "你可以使用选项卡分割字段到多个区域。"

#~ msgid "Define how to render html tags"
#~ msgstr "定义怎么生成html标签"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "定义怎么处理html标签和换行"

#~ 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\" 是最常用的格式,如需了解更多,请参考"

#~ msgid "jQuery date formats"
#~ msgstr "jQuery日期格式"

#~ 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 "Field Order"
#~ msgstr "字段顺序"

#~ msgid "Edit this Field"
#~ msgstr "编辑当前字段"

#~ msgid "Docs"
#~ msgstr "文档"

#~ msgid "Field Instructions"
#~ msgstr "字段说明"

#~ msgid "Show this field when"
#~ msgstr "符合这些规则中的"

#~ msgid "all"
#~ msgstr "所有"

#~ msgid "any"
#~ msgstr "任一个"

#~ msgid "these rules are met"
#~ msgstr "项时,显示此字段"

#~ msgid "Taxonomy Term (Add / Edit)"
#~ msgstr "分类法条目(添加/编辑)"

#~ msgid "Media Attachment (Edit)"
#~ msgstr "媒体附件(编辑)"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "使用激活码解锁附加功能"

#~ msgid "Normal"
#~ msgstr "普通"

#~ msgid "No Metabox"
#~ msgstr "无Metabox"

#~ msgid "Add-Ons"
#~ msgstr "附加"

#~ msgid "Just updated to version 4?"
#~ msgstr "刚更新到版本4?"

#~ msgid ""
#~ "Activation codes have changed to plugins! Download your purchased add-ons"
#~ msgstr "激活码已改变了插件,请下载已购买的附加功能。"

#~ msgid "here"
#~ msgstr "这里"

#~ msgid "match"
#~ msgstr "符合"

#~ msgid "of the above"
#~ msgstr "  "

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr "阅读文档,学习功能和发现一些小提示,然后应用到你下一个网站项目中。"

#~ msgid "Visit the ACF website"
#~ msgstr "访问ACF网站"

#~ msgid "Add File to Field"
#~ msgstr "添加文件"

#~ msgid "Add Image to Field"
#~ msgstr "添加图片"

#~ msgid "Repeater field deactivated"
#~ msgstr "检测到复制字段"

#~ msgid "Gallery field deactivated"
#~ msgstr "检测到相册字段"

#~ msgid "Repeater field activated"
#~ msgstr "复制插件已激活。"

#~ msgid "Options page activated"
#~ msgstr "选项页面已激活"

#~ msgid "Flexible Content field activated"
#~ msgstr "多样内容字段已激活"

#~ msgid "Gallery field activated"
#~ msgstr "插件激活成功。"

#~ msgid "License key unrecognised"
#~ msgstr "许可密钥未注册"

#~ msgid ""
#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used "
#~ "on multiple sites."
#~ msgstr "可以购买一个许可证来激活附加功能,每个许可证可用于许多站点。"

#~ msgid "Inactive"
#~ msgstr "未禁用"

#~ msgid "Register Field Groups"
#~ msgstr "注册字段组"

#~ msgid "Create PHP"
#~ msgstr "创建PHP"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "高级自动设置"

#~ msgid "requires a database upgrade"
#~ msgstr "数据库需要升级"

#~ msgid "why?"
#~ msgstr "为什么?"

#~ msgid "Please"
#~ msgstr "请"

#~ msgid "backup your database"
#~ msgstr "备份数据库"

#~ msgid "then click"
#~ msgstr "然后点击"

#~ msgid "No choices to choose from"
#~ msgstr "选择表单没有选"

#~ msgid "+ Add Row"
#~ msgstr "添加行"

#~ msgid ""
#~ "No fields. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."
#~ msgstr "没有字段,点击<strong>添加</strong>按钮创建第一个字段。"

#~ msgid "Close Sub Field"
#~ msgstr "选择子字段"

#~ msgid "+ Add Sub Field"
#~ msgstr "添加子字段"

#~ msgid "Alternate Text"
#~ msgstr "替换文本"

#~ msgid "Caption"
#~ msgstr "标题"

#~ msgid "Thumbnail is advised"
#~ msgstr "建设使用缩略图"

#~ msgid "Image Updated"
#~ msgstr "图片已更新"

#~ msgid "Grid"
#~ msgstr "栅格"

#~ msgid "List"
#~ msgstr "列表"

#~ msgid "1 image selected"
#~ msgstr "已选择1张图片"

#~ msgid "{count} images selected"
#~ msgstr "选择了 {count}张图片"

#~ msgid "Added"
#~ msgstr "已添加"

#~ msgid "Image already exists in gallery"
#~ msgstr "图片已在相册中"

#~ msgid "Repeater Fields"
#~ msgstr "复制字段"

#~ msgid "Table (default)"
#~ msgstr "表格(默认)"

#~ msgid "Run filter \"the_content\"?"
#~ msgstr "是否运行过滤器 \"the_content\"?"

#~ msgid "Media (Edit)"
#~ msgstr "媒体(编辑)"
PK�
�[��/ ��lang/acf-sk_SK.monu�[�������!0,61,:h,D�,�,�,

--0$-0U-)�-=�-5�-\$.0�."�.��.;z/�/�/-�/
�/0	0000
80F0Z0i0
q0|0�0�0�0�0�0�0��0��1
N2Y2h2w2A�2�2�2�2�2 393R3Y3
b3m3t3�3�3c�34%424I4^4p4�4�4�4
�4�4�4	�4�4�4�4�455&5,59;5u5{5�5�5�5/�5�5�5�56
6#6[@6
�6�6�6�6
�6�6�67#767>7
O7]7
d7r7
7�7�7�7�7�7�7�7	�788"868E8
J8U8	f8
p8
{8�8�8�8
�8	�8 �8&�89&	90979C9K9Z9n9�9�9�9�9�9
�9
�9�9�9�9:0:G:Z:Ru:�:�:�:;/;I;AP;�;
�;�;	�;	�;�;	�;�;"�;<)<=<P<_<g<}<+�<C�<?�<>=E=
K=	V=	`=j=r=�=�=
�=�=�=�=
�=��=x>~>�>	�>#�>"�>"�>!?)?.0?_?s?
�?�?�?��?X@l@	q@{@�@4�@�@y�@aAgAwA}A�A�A�A�A�A�A�A�A�A
BBB	 B�*B�B�B�B�B�B
C
C!"CDC'^C2�C�C�C�C�C�C�C�C
D!D	3D<=DzDD�D
�D�D�D
�D�D�DE1E	FEPE	`EjE	vEJ�E�E/�ENF.WFQ�FQ�F*G`-G�G�G�G�G�G
�G!H-HTFH�H�H�H�H�HIII"I)I1I>INI	TI^IdIiI	yI�I
�I	�I�I
�I�I	�I�I	�I5�IG4J,|J�J�J
�J�J�J�J�J
�J	�J	K
K!K3K;KHKPK
]K2kK�K��K_L
hLsL�L�L
�L
�L�L�L�L	�L	�L$�L%M
2M@M
MM[M	qM{MM�M*�M�M
�M�M�M�M
�MN	"N,N;NMN	TN^NkNN�N�N�N�N��NaO2pP�P�P�P�PQQ2QEQ^QmQrQ6Q�Q�Q0�QRR
/R'=ReR	{R�R�R
�R�R�R�R�R�R�R�R�R�RS
SS"S.S	3S	=S!GSZiS3�SE�SA>T(�U*�U6�U@VrLV<�V,�V/)W7YW3�W	�W�W��Wk{Xc�XKY
QY\YdYY�Y	�Y�Y�Y�Y�Y�Y�Y�Y
�YZZZ'ZDZUZkZQoZ�Z�Z	�Z	�Z�Z[![8[(R['{[�[
�[�[�[�[�[
�[\\�\'�\M�\.]!=]
_]j]q]w]�]�]�]2�]�]�]�]�]�]�]^^$^4^;^B^J^Q^	T^^^o^�^�^6�^4�^^�^m^by�b`Fc�c�c�c�c7�c3)d7]dF�d<�die,�e �e��e4Sf�f�f9�f�f�f�fg
.g<gOglg�g�g�g�g�g�g�ghh�h��hiizi�i�iW�i%j@jXjnj.�j�j�j	�j	�j�j �jk+kj7k�k�k�k�k�kl#l(l8lMlYl`l|l
�l�l�l$�l�l�l
�lm5m
NmYmhmwm
�m>�m	�m�m�mnn%n`>n	�n�n�n�n�n�n$o4oDoZogo}o�o�o
�o	�o
�o�o�o�o	p.$p.Sp�p�p�p�p�p�p
�p�pq%q
8qFq^qeqmq�q*�q3�q�q7�q5r<r	\rfr{r�r�r�r
�r
�r�r�r	sss!:s\s{s�s �s[�s1t'Kt!st�t�t�tC�tuu%u1u@uRufu'yu(�u�u"�uvv4v<vVv4iv=�v<�vw
"w-w@wIwRw[wtw�w�w�w�w�w�w��w	{x	�x�x�x(�x)�x(y)-yWy/_y�y�y�y�y�y�z(�z�z�z�z�z4{7{aC{�{�{�{�{
�{)�{|/|
7|B|K|#^|�|
�|�|�|!�|��|_}c}u}�}�}�}�}&�}~01~9b~	�~�~�~�~�~�~�~;
X=c
�� ����2�C�Y�j�o�u���������Qˀ�1.�B`�,��cЁn4���{��#�">�a�s�����,���c�g�}�����΄�����%�1�F�`�h�z�	��������Å
ׅ$�
��
#�1�B�HN�,��!Ć	�����
'�5�H�Y�p�������Ç̇����>�#F��j��

�� �-�9�Q�d�t�	��
����+��3Չ	��,�?�	_�i�p�
w�(������Պ	����
+�9�R�l�
u��� ������ȋߋ��j�|�4��Ǎ*�!�*.�Y�!p�����Ɏَ�F�7�=�>Z�!�� ��܏.�"�8�I�(Q�z���������!ϐ
���	��
�#�6�B�R�X�g�t�o��(�0-�J^�'��+ѓ2��A0��r�;��.5�/d�7��4̕	����dΖu3�������:ӗ� �7�@�D�P�_�w�������
Ә���&�>�
V�Qa�1������,�E�+`�0��/�����	�"�<�	P�Z�
o�	}����'1�SY���"��
����$�&�9�?�?D���
����������ԝ
؝��������3�I�a�i�6q�8���D�xIZU<�IW�L�^��/������\�b��&�h5�B.m��Y�)S:����a�L[Zw�9���
z�,_����H�u]��JF����y����[�]�{JO�n�mv�f��,����XP���@�2��{�|W(�o�%o���C�����M�1Q�T���#�� q�Y�!d-����	�����R�
XF
K
����t!�P�����$N"`cM*���q��QV-��'86�#B���r@hg����il0��2���$~���
Tf��e%�_�K�yEk�H&4���l��3C�x��4�:����
�����)i��A��|�a����p��~�k���*�;�?��v=� ?�����t���ce�(5���=�����z6��p+�`d>gSV�s��Gw�}���+;/r90����U^��A>�.����GRO���3�������\��}7�1��������j�u�8	�E��N��"D����j�s�������b���n7	<'�����%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required'How to' guides(no title)+ Add Field<b>Connection Error</b>. Sorry, please try again<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.<b>Success</b>. Import tool added %s field groups: %s<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %sA new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActionsActivate LicenseAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allowed file typesAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCreate a set of rules to determine which edit screens will use these advanced custom fieldsCreated byCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise the map heightDatabase Upgrade RequiredDate PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDiscussionDisplayDisplay FormatDoneDownload & InstallDownload export fileDrag and drop to reorderDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineErrorError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField LabelField NameField TypeField TypesField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile NameFile SizeFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeFunctionsGalleryGenerate export codeGetting StartedGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicenseLicense KeyLimit the media library choiceLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo File selectedNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease note that all text will first be passed through the wp function Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedReturn FormatReturn ValueReturn formatReverse current orderRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OptionsSave OtherSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's newSee what's new inSelectSelect %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 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.Selected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightShow Media Upload Buttons?Show a different monthShow this field group ifShow this field ifShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)Step SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please seeTodayToggle AllToolbarTop Level Page (no parent)Top alignedTrue / FalseTutorialsTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgradeUpgrade NoticeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?UserUser FormUser RoleValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWarningWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopydetails & pricingeg. Show extra contentidis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?uploaded to this postversionwidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2015-08-11 23:45+0200
PO-Revision-Date: 2018-02-06 10:07+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: wp.sk <michal.vittek@wp.sk, ja@fajo.name>
Language: sk_SK
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%s skupina polí bola duplikovaná.%s skupiny polí boli duplikované.%s skupín polí bolo duplikovaných.%s skupina polí bola synchronizovaná.%s skupiny polí boli synchronizované.%s skupín polí bolo synchronizovaných.%s vyžaduje výber najmenej %s%s vyžadujú výber najmenej %s%s vyžaduje výbej najmenej %svyžaduje sa hodnota %sNávody "Ako na to" (bez názvu)+ Pridať pole <b>Chyba spojenia</b>. Prosím skúste pokus opakovať.<b>Chyba</b>. Nie je možné sa spojiť so serverom<b>Chyba</b>. Nie je možné načítať zoznam doplnkov<b>Vybrať</b> položky pre ich <b>skrytie</b> pred obrazovkou úprav.<b>Úspech</b>. Nástroj importu pridal %s skupiny polí: %s<b>Varovanie</b>. Nástroj importu zistil, že už exsituje %s polí skupín, ktoré boli ignorované: %sBolo pridané nové pole pre vložený obsahJednoduchšie používanie políACF PRO obsahuje opakovanie zadaných dát, flexibilné rozloženie obsahu, prekrásnu galériu a extra administračné stránky!ACF ukladá nastavenia polí ako jednotlivé objektyAkcie Aktivovať licenciuPridať možnosť 'iné' pre povolenie vlastných hodnôtPridať/ UpraviťPridať súbor Pridať obrázok Pridať obrázok do galériePridať novúPridať nové polePridať novú skupinu polí Pridať nové rozloženiePridať riadokPridať rozloženiePridať riadokPridať skupinu pravidiel Pridať do galérieDoplnky Rozšírené vlastné poliaACF PROVšetky Všetky prémiové doplnky boli spojené do <a href="%s">Pro verzie ACF</a>. Prémiové funkcie sú dostupnejšie a prístupnejšie aj pomocou personálnych a firemmných licencií!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 obrázkyVšetky typy príspevkov Žiadny filter taxonómie Všekty používatelské rolePovoliť zobrazenie HTML značiek vo forme viditeľného textu namiesto ich vykresleniaPovoliť nulovú hodnotu? Povolené typy súborovZobrazí sa po vstupeZobrazí sa pred vstupomZobrazí sa pri vytvorení nového príspevku Zobrazí sa vo vstupePríponaArchívy Príloha Autor Automaticky pridáva  &lt;br&gt;Automaticky pridá odsekyZákladné Než začnete používať nové funkcie, prosím najprv aktualizujte vašu databázu na najnovšiu verziu.Pod poliamiPod označenímLepšie vidieľné formuláreLepšie nastavenia stránokLepšie overovanieLepšia správa verziíBlokHromadné akcieOznačenie tlačidlaKategórie Stred Vycentrovať úvodnú mapu Záznam zmien Limit znakov Skontrolovať znovaZaškrtávacie políčko Odvodená stránka (má nadradené) Voľba Voľby VyčistiťVymazať polohu Pre vytvorenie rozloženia kliknite na tlačidlo "%s"Zatvoriť Zavrieť pole Zatvoriť oknoZmenšiť detaily Výber farby Zoznam, oddelený čiarkou. Nechajte prázdne pre všetky typyKomentárKomentáre Podmienená logika Obsah Úpravca obsahuOvláda ako sú tvorené nové riadkyVytvorte súbor pravidiel určujúcich, ktoré obrazovky úprav budú používať Vlastné poliaVytvoril Aktuálny používateľAktuálne oprávneniaAktuálna verziaVlastné polia Upraviť výšku mapy Je potrebná aktualizácia databázyVýber dátumu Deaktivovať licenciuPredvolené Základná šablóna Základná hodnota VymazaťVymazať rozloženieVymazať poleDiskusia ZobrazenieFormát zobrazenia Hotovo Stiahnuť a nainštalovaťStiahnuť súbor na exportZmeňte poradie pomocou funkcie ťahaj a pusťZmeňte poradie pomocou funkcie ťahaj a pusťDuplikovať Duplikovať rozloženieDuplikovať poleDuplikovať toto pole Ľahká aktualizáciaUpraviťUpraviť poleUpraviť skupinu polí Upraviť súbor Upraviť obrázok Upraviť poleUpraviť skupinu polí Prvky E-Mail Veľkosť vloženého obsahuVložiť URLZadajte každú voľbu do nového riadku. Zadajte každú základnú hodnotu na nový riadok Chyba Chyba pri nahrávaní súbora. Prosím skúste to znovaChyba.Eskapovať HTML (€ za &euro;)Zhrnutie Zväčšiť detaily Export skupín polí Export skupiny poľa do PHP Prezentačný obrázok PoleSkupina políSkupiny políOznačenie poľa Meno poľa Typ poľaTypy polí Skupina polí aktualizovaná. Koncept skupiny polí uložený. Skupina polí duplikovaná. %sSkupina polí aktualizovaná. Skupina polí uložená. Skupina polí naplánovaná na. Boli pridané nastavenie skupiny pola pre umiestnenie oznčenia a umietsntenie inštrukciíSkupina polí odoslaná. Skupina polí bola synchronizovaná. %sNadpis skupiny poľa je povinný Skupina polí aktualizovaná. Typ poľa neexistuje Polia Polia môžu patriť komentárom, widgetom a všetkým formulárom!Súbor Súbor ID súboru Názov súboruVeľkosť súboruURL adresa súboru Veľkosť súboru Veľkosť súboru musí byť aspoň %s.Veľkosť súboru nesmie prekročiť %s.Typ súboru musí byť %s.Filtrovať podľa typu príspevku Filter z taxonómie Filtrovať podla role Filtre Nájsť aktuálnu polohu Flexibilný obsah Flexibilný obsah vyžaduje aspoň jedno rozloženiePre lepšiu kontrolu, môžete určiť hodnotu a popis takto:Overovanie formulára sa deje pomocou PHP a AJAX namiesto JSFormát FormuláreÚvodná stránka Úplný Funkcie GalériaVytvoriť exportný kódZačíname Dovidenia doplnky. Vitaj PROGoogle Mapa Výška Schovať na obrazovke Hore (pod nadpisom) Horizontálne Ak viaceré skupiny polí sa zobrazia na obrazovke úprav, nastavenia prvej skupiny budú použité (tá s najnižším poradovým číslom)Obrázok Obrázok ID obrázka URL adresa obrázka Výška obrázku musí byť aspoň %dpx.Výška obrázku nesmie prekročiť %dpx.Šírka obrázku musí byť aspoň %dpx.Šírka obrázku nesmie prekročiť %dpx.Import Import / Export teraz používa JSON miesto XMLImportovať skupiny poľaNahraný súbor bol prázdnyVylepšené dátaVylepšený dizajnVylepšená použiteľnosť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.Typ nahraného súboru nie je povolený InfoNainštalované Umiestnenie inštrukciíPokyny Pokyny pre autorov. Zobrazia sa pri zadávaní dát Pro verzia Pred aktualizáciou odporúčame zálohovať databázu. Želáte si aktualizáciu spustiť teraz?Označenie Umiestnenie inštrukcií Veľký Posledná verziaRozmiestnenieNechajte prázdne pre neobmedzený početZarovnané vľavoDĺžkaKnižnica LicenciaLicenčný kľúčObmedziť výber knižnice médií NahrávanieLocal JSONPolohaUmiestnenie Typ prihláseného používatela 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!MaxMaximálny početMaximálne rozloženieMaximálny počet riadkovMaximálny výberMaximálna hodnota Maximálny počet príspevkov Maximálny počet riadkov ({max} rows)Maximálne dosiahnuté hodnotyMaximálne dosiahnuté hodnoty ( {max} values ) Maximálny {label} limit dosiahnutý ({max} {identifier})Stredný Správa MinMinimálny početMinimálne rozloženieMinimálny počet riadkovMinimálny výberMinimálna hodnota Dosiahnutý počet minimálneho počtu riadkov ({min} rows)Viac AJAXuPre rýchlejšie načítanie, používame AJAX vyhľadávaniePresunúťPresunutie dokončenéPresunúť pole do inej skupiny Presunúť polePresunúť pole do inej skupinyPresunúť do koša. Naozaj? Hýbajúce poliaViacnásobný výber Viaceré hodnotyMenoText Nové pole Pridať novú skupinu polí Nové formuláreNová galériaNové riadkyNový nastavenie vťahov pola 'FIltre' (vyhľadávanie, typ článku, taxonómia)Nové nastaveniaNová skupina archívov vo výbere pola page_linkNový auto export JSON obsahuje kontrolu verzií povolených políNový auto export JSON vylepšuje rýchlosťNová skupinová funkcionalita vám dovolí presúvať polia medzi skupinami a nadradenými poliamiNové funkcie nastavenia stránky vám dovolí vytvorenie vytvorenie menu nadradených aj odvodených stránokNiePre túto stránku neboli nájdené žiadne vlastné skupiny polí. <a href="%s">Vytvoriť novú vlastnú skupinu polí</a>Nenašla sa skupina polí V koši sa nenašla skupina polí Nenašli sa poliaV koši sa nenašli poliaNevybrali ste súbor Žiadne formátovanieNebol nájdený obsah na zadanej URL adrese.Nezvolili ste skupiny poľa Žiadne polia. Kliknite na tlačidlo <strong>+ Pridať pole</strong> pre vytvorenie prvého poľa. Nevybrali ste súbor Nevybrali ste obrázok Nebola nenájdená zhodaNeexistujú nastavenia stránokPrepínacie polia nenájdenéŽiadna Normálne (po obsahu) Nulová hodnotaČíslo Nastavenia Stránka nastavení Nastavenia aktualizovanéPoradiePoradové čísloIné Stránka Vlastnosti stránkyOdkaz stránky Nadradená stránka Šablóna stránky Typ stránky Nadradená stránka (má odvodené) Nadradené polia Heslo Trvalý odkazZástupný text UmiestneniePre odblokovanie aktualizácii, prosím zadajte váš licenčný kľúčVšetky texty najprv prejdú cez funkciu wp Vyberte cielové umietnenie poľaPozícia Príspevok Kategória príspevku Formát príspevku ID príspevkuObjekt príspevku Stav príspevku Taxonómia príspevku Typ príspevku Príspevok akutalizovaný Stránka príspevkov Výkonné funkciePredponaVeľkosť náhľadu Publikovať Prepínač Prepínače Prečítajte si viac o <a href="%s">vlastnostiach ACF PRO</a>.Čítanie aktualizačných úloh...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í!RegistrovaťRelačný Vzťah Vzťah políOdstrániťOdstrániť rozloženieOdstrániť riadokZmeniť poradieUsporiadať rozloženieOpakovačPovinné? Zdroje Vymedzte, ktoré súbory je možné nahraťUrčite, ktoré typy obrázkov môžu byť nahratéFormát odpovedeVrátiť hodnotu Formát odpoveďe Zvrátiť aktuálnu objednávkuRevízie RiadokRiadkyPravidlá Uložiť hodnoty 'iné' do výberu poľaUložiť nastaveniaUložiť hodnoty inéŽiadny metabox HľadanieHľadať skupinu polí Hľadať poliaHľadať adresu... Hľadanie... Pozrite sa, čo je novéPozrite sa, čo je nové:Vybrať Vybrať %sFarbaVyberte skupiny poľa na export Vybrať subor Vybrať obrázok Vybrať viac hodnôt? Vybrať typ príspevku Vyberte ktorá taxonómiuVyberte JSON súbor ACF na import. Po kliknutí na tlačidlo import sa nahrajú všetky skupiny polí ACF.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.Vybraté prvky budú zobrazené v každom výsledku Odoslať spätné odkazy Nastavte základnú úroveň priblíženiaNastaví výšku textovej oblastiZobraziť tlačidlá nahrávania médií? Zobraziť iný mesiac Zobraziť túto skupinu poľa ak Zobraziť toto pole akZobrazené pri zadávaní dát Podobné polia Strana Jedna hodnota Jedno slovo, žiadne medzery. Podčiarknutie a pomlčky sú povolené Slug Vylepšené nastavenia políĽutujeme, tento prehliadač nepodporuje geo hľadanie polohy Triediť podľa poslednej úpravyTriediť podľa dátumu nahraniaTriediť podľa názvuZadajte hodnotu, ktorá sa objaví na stránkeŠtandardný metabox Veľkosť kroku Štýl Štýlované používateľské rozhraniePodpoliaSuper Admin Vymenené XML za JSONSynchronizáciaDostupná aktualizácia Zobraziť túto skupinu poľa, akZáložka TabuľkaZáložkyZnačky TaxonómiaVýraz taxonómie ID výrazu Objekt výrazu Text Textové pole Iba textovýVďaka za aktualizáciu %s v%s!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.Pole %s teraz nájdete v poli skupiny %sAk odítete zo stránky, zmeny nebudú uložené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.Formát zobrazený pri úprave článkuFormát vrátený pomocou funkcii šablónyPole galérie vážne potrebovalo upraviť vzhľadReťazec "field_" nesmie byť použitý na začiatku názvu poľaPole záložky nebude správne zobrazené ak bude pridané do opakovacieho pola štýlu tabuľky alebo flexibilného rozloženia pola.Kým nebudú uložené zmeny, pole nemôže byť presunutéToto pole vyžaduje najviac {max} {identifier}Toto pole vyžaduje najmenej {min} {identifier}Toto pole vyžaduje najmenej {min} {label} {identifier}Toto je meno, ktoré sa zobrazí na stránke úprav Náhľad NázovAby ste zapli aktualizácie, musíte zadať licencčný kľúč na stránke <a href="%s">aktualizácií</a>. Ak nemáte licenčný kľúč, porizte si <a href="%s">podrobnosti a ceny</a>.Pre uľahčenie aktualizácie, <a href="%s">prihláste sa do obchodu</a> a získajte zdarma ACF PRO!Pre odblokovanie aktualizácii, sem zadajte váš licenčný kľúč. Ak ešte licenčný kľúč nemáte, pozrite siDnes Prepnúť všetkyPanel nástrojov Najvyššia úroveň stránok (nemá nadradené stránky) Zarovnané dohoraSprávne / nesprávne Návody TypPod kapotouAktualizovať Dostupná aktualizáciaAktualizovať súbor Aktualizovať obrázok Aktualizovať infromácieAktualizovať modulAktualizácieAktualizovať Oznam o aktualizáciiAktualizácia dát na verziu %sNahrané do príspevku Nahrané do príspevku URL adresaPre lepšiu organizáciu na obrazovke úpravý polí použite "Polia záložiek".Použiť AJAX pre výber pomalšieho načítania?Používateľ Formulár používatelaOprávnenia Overenie zlyhalo. Overenie bolo úspešnéHodnota musí byť čísloHodnota musí obsahovať platnú URL adresuHodnota musí byť rovná alebo väčšia ako %dHodnota musí byť rovná alebo nižšia ako %dVertikálne Zobraziť poleZobraziť skupinu polí Zobrazenie administrácieZobrazenie stránokVizuálnyVizuálny a textovýIba vizuálnyVarovanieNapísali sme <a href="%s">príručku k aktualizácii</a>. Zodpovedali sme väčšinu otázok, ak však máte nejaké ďaľšie kontaktuje <a href="%s">našu podporu</a>Myslíme, že si zamilujete zmeny v %s.Prémiové funkcie modulu sme sa rozhodli poskytnúť vzrušujúcejším spôsobom!Týždeň začína Víta vás Advanced Custom Fields Čo je nové WidgetŠírkaHodnoty bloku polí v administráciiVizuálny úpravcaÁno Zoomacf_form() teraz po odoslaní môže vytvoriť nový príspevokazaškrtnuté triedakopírovať detaily a cenynapr. zobraziť extra obsah id sa rovná sa nerovnájQuery rozloženierozloženiaoEmbedalebočervená : Červená odstrániť {layout}?Nahrané do príspevku verzia Šírka{available} {label} {identifier} dostupné (max {max}){required} {label} {identifier} vyžadované (min {min})PK�
�[<'-"�"�lang/acf-ja.ponu�[���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: 2015-08-11 23:33+0200\n"
"PO-Revision-Date: 2018-02-06 10:06+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: shogo kato <s_kato@crete.co.jp>\n"
"Language: ja_JP\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"
"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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:205 admin/admin.php:61
msgid "Field Groups"
msgstr "フィールドグループ"

#: acf.php:206
msgid "Field Group"
msgstr "フィールドグループ"

#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517
msgid "Add New"
msgstr "新規追加"

#: acf.php:208
msgid "Add New Field Group"
msgstr "フィールドグループを新規追加"

#: acf.php:209
msgid "Edit Field Group"
msgstr "フィールドグループを編集"

#: acf.php:210
msgid "New Field Group"
msgstr "新規フィールドグループ"

#: acf.php:211
msgid "View Field Group"
msgstr "フィールドグループを表示"

#: acf.php:212
msgid "Search Field Groups"
msgstr "フィールドグループを検索"

#: acf.php:213
msgid "No Field Groups found"
msgstr "フィールドグループが見つかりませんでした"

#: acf.php:214
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
msgid "Fields"
msgstr "フィールド"

#: acf.php:238
msgid "Field"
msgstr "フィールド"

#: acf.php:240
msgid "Add New Field"
msgstr "新規フィールドを追加"

#: acf.php:241
msgid "Edit Field"
msgstr "フィールドを編集"

#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111
msgid "New Field"
msgstr "新規フィールド"

#: acf.php:243
msgid "View Field"
msgstr "フィールドを表示"

#: acf.php:244
msgid "Search Fields"
msgstr "フィールドを検索"

#: acf.php:245
msgid "No Fields found"
msgstr "フィールドが見つかりませんでした"

#: acf.php:246
msgid "No Fields found in Trash"
msgstr "ゴミ箱の中にフィールドは見つかりませんでした"

#: acf.php:268 admin/field-group.php:283 admin/field-groups.php:583
#: admin/views/field-group-options.php:18
msgid "Disabled"
msgstr ""

#: acf.php:273
#, php-format
msgid "Disabled <span class=\"count\">(%s)</span>"
msgid_plural "Disabled <span class=\"count\">(%s)</span>"
msgstr[0] ""

#: admin/admin.php:57 admin/views/field-group-options.php:120
msgid "Custom Fields"
msgstr "カスタムフィールド"

#: admin/field-group.php:68 admin/field-group.php:69 admin/field-group.php:71
msgid "Field group updated."
msgstr "フィールドグループを更新しました"

#: admin/field-group.php:70
msgid "Field group deleted."
msgstr "フィールドグループを削除しました"

#: admin/field-group.php:73
msgid "Field group published."
msgstr "フィールドグループを公開しました"

#: admin/field-group.php:74
msgid "Field group saved."
msgstr "フィールドグループを保存しました"

#: admin/field-group.php:75
msgid "Field group submitted."
msgstr "フィールドグループを送信しました"

#: admin/field-group.php:76
msgid "Field group scheduled for."
msgstr "フィールドグループを公開予約しました"

#: admin/field-group.php:77
msgid "Field group draft updated."
msgstr "フィールドグループの下書きを更新しました"

#: admin/field-group.php:176
msgid "Move to trash. Are you sure?"
msgstr "ゴミ箱に移動します。よろしいですか?"

#: admin/field-group.php:177
msgid "checked"
msgstr "チェック済み"

#: admin/field-group.php:178
msgid "No toggle fields available"
msgstr "利用できるトグルフィールドがありません"

#: admin/field-group.php:179
msgid "Field group title is required"
msgstr "フィールドグループのタイトルは必須です"

#: admin/field-group.php:180 api/api-field-group.php:607
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/views/field-group-locations.php:131 api/api-helpers.php:3262
msgid "or"
msgstr "または"

#: admin/field-group.php:183
msgid "Parent fields"
msgstr "親フィールド"

#: admin/field-group.php:184
msgid "Sibling fields"
msgstr "兄弟フィールド"

#: admin/field-group.php:185
msgid "Move Custom Field"
msgstr "カスタムフィールドを移動"

#: admin/field-group.php:186
msgid "This field cannot be moved until its changes have been saved"
msgstr "このフィールドは変更が保存されるまで移動することはできません"

#: admin/field-group.php:187
msgid "Null"
msgstr "空"

#: 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 "このページから移動した場合、変更は失われます"

#: admin/field-group.php:189
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "\"field_\" はフィールド名の先頭に使うことはできません"

#: admin/field-group.php:214
msgid "Location"
msgstr "位置"

#: admin/field-group.php:215
msgid "Settings"
msgstr ""

#: admin/field-group.php:253
msgid "Field Keys"
msgstr ""

#: admin/field-group.php:283 admin/views/field-group-options.php:17
msgid "Active"
msgstr ""

#: admin/field-group.php:744
msgid "Front Page"
msgstr "フロントページ"

#: admin/field-group.php:745
msgid "Posts Page"
msgstr "投稿ページ"

#: admin/field-group.php:746
msgid "Top Level Page (no parent)"
msgstr "最上位のページ(親ページがない)"

#: admin/field-group.php:747
msgid "Parent Page (has children)"
msgstr "親ページ(子ページがある場合)"

#: admin/field-group.php:748
msgid "Child Page (has parent)"
msgstr "子ページ(親ページがある場合)"

#: admin/field-group.php:764
msgid "Default Template"
msgstr "デフォルトテンプレート"

#: admin/field-group.php:786
msgid "Logged in"
msgstr "ログイン済み"

#: admin/field-group.php:787
msgid "Viewing front end"
msgstr "フロントエンドで表示"

#: admin/field-group.php:788
msgid "Viewing back end"
msgstr "バックエンドで表示"

#: admin/field-group.php:807
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
#: fields/image.php:226 pro/fields/gallery.php:653
msgid "All"
msgstr "全て"

#: admin/field-group.php:827
msgid "Add / Edit"
msgstr "追加 / 編集"

#: admin/field-group.php:828
msgid "Register"
msgstr "登録"

#: admin/field-group.php:1059
msgid "Move Complete."
msgstr "移動が完了しました。"

#: admin/field-group.php:1060
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "この %s フィールドは今 %s フィールドグループにあります"

#: admin/field-group.php:1062
msgid "Close Window"
msgstr "ウィンドウを閉じる"

#: admin/field-group.php:1097
msgid "Please select the destination for this field"
msgstr "このフィールドの移動先を選択してください"

#: admin/field-group.php:1104
msgid "Move Field"
msgstr "フィールドを移動"

#: admin/field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] ""

#: admin/field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "フィールドグループを複製しました。 %s"

#: admin/field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s個 のフィールドグループを複製しました"

#: admin/field-groups.php:228
#, php-format
msgid "Field group synchronised. %s"
msgstr "フィールドグループを同期しました。%s"

#: admin/field-groups.php:232
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s個 のフィールドグループを同期しました"

#: admin/field-groups.php:403 admin/field-groups.php:573
msgid "Sync available"
msgstr "利用可能な同期"

#: admin/field-groups.php:516
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
msgid "Description"
msgstr ""

#: admin/field-groups.php:518 admin/views/field-group-options.php:10
msgid "Status"
msgstr ""

#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111
msgid "Changelog"
msgstr "更新履歴"

#: admin/field-groups.php:617
msgid "See what's new in"
msgstr "新着情報を見る"

#: admin/field-groups.php:617
msgid "version"
msgstr "バージョン"

#: admin/field-groups.php:619
msgid "Resources"
msgstr "リソース"

#: admin/field-groups.php:621
msgid "Getting Started"
msgstr "はじめに"

#: admin/field-groups.php:622 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17
msgid "Updates"
msgstr "アップデート"

#: admin/field-groups.php:623
msgid "Field Types"
msgstr "フィールドタイプ"

#: admin/field-groups.php:624
msgid "Functions"
msgstr "ファンクション"

#: admin/field-groups.php:625
msgid "Actions"
msgstr "アクション"

#: admin/field-groups.php:626 fields/relationship.php:718
msgid "Filters"
msgstr "フィルター"

#: admin/field-groups.php:627
msgid "'How to' guides"
msgstr "使い方ガイド"

#: admin/field-groups.php:628
msgid "Tutorials"
msgstr "チュートリアル"

#: admin/field-groups.php:633
msgid "Created by"
msgstr "作成"

#: admin/field-groups.php:673
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
msgid "Duplicate"
msgstr "複製"

#: admin/field-groups.php:724
#, php-format
msgid "Select %s"
msgstr "%s を選択"

#: admin/field-groups.php:730
msgid "Synchronise field group"
msgstr "フィールドグループを同期する"

#: admin/field-groups.php:730 admin/field-groups.php:750
msgid "Sync"
msgstr "同期する"

#: admin/settings-addons.php:51 admin/views/settings-addons.php:9
msgid "Add-ons"
msgstr "アドオン"

#: admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>エラー</b> アドオンのリストを読み込めませんでした"

#: admin/settings-info.php:50
msgid "Info"
msgstr "お知らせ"

#: admin/settings-info.php:75
msgid "What's New"
msgstr "新着情報"

#: admin/settings-tools.php:54 admin/views/settings-tools-export.php:9 admin/views/settings-tools.php:31
msgid "Tools"
msgstr ""

#: admin/settings-tools.php:151 admin/settings-tools.php:365
msgid "No field groups selected"
msgstr "フィールドグループが選択されていません"

#: admin/settings-tools.php:188
msgid "No file selected"
msgstr "ファイルが選択されていません"

#: admin/settings-tools.php:201
msgid "Error uploading file. Please try again"
msgstr "ファイルのアップロードに失敗しました。もう一度試してください。"

#: admin/settings-tools.php:210
msgid "Incorrect file type"
msgstr "不正なファイルタイプ"

#: admin/settings-tools.php:227
msgid "Import file empty"
msgstr "インポートファイルが空です"

#: admin/settings-tools.php:323
#, php-format
msgid "<b>Success</b>. Import tool added %s field groups: %s"
msgstr "<b>成功</b> インポートツールは %s個 のフィールドグループを追加しました:%s"

#: admin/settings-tools.php:332
#, php-format
msgid "<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %s"
msgstr ""
"<b>警告</b> インポートツールは %s個 のフィールドグループが既に存在しているのを検出したため無視しました:"
"%s"

#: admin/update.php:113
msgid "Upgrade ACF"
msgstr ""

#: admin/update.php:143
msgid "Review sites & upgrade"
msgstr ""

#: admin/update.php:298
msgid "Upgrade"
msgstr "アップグレード"

#: admin/update.php:328
msgid "Upgrade Database"
msgstr ""

#: admin/views/field-group-field-conditional-logic.php:29
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
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
#: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385
#: pro/admin/views/settings-updates.php:103
msgid "No"
msgstr "いいえ"

#: admin/views/field-group-field-conditional-logic.php:65
msgid "Show this field if"
msgstr "このフィールドグループの表示条件"

#: 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
msgid "is not equal to"
msgstr "等しくない"

#: 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
msgid "Add rule group"
msgstr "ルールを追加"

#: admin/views/field-group-field.php:54 admin/views/field-group-field.php:57
msgid "Edit field"
msgstr "フィールドを編集"

#: admin/views/field-group-field.php:57 pro/fields/gallery.php:355
msgid "Edit"
msgstr "編集"

#: admin/views/field-group-field.php:58
msgid "Duplicate field"
msgstr "フィールドを複製"

#: admin/views/field-group-field.php:59
msgid "Move field to another group"
msgstr "別のグループにフィールドを移動する"

#: admin/views/field-group-field.php:59
msgid "Move"
msgstr "移動"

#: admin/views/field-group-field.php:60
msgid "Delete field"
msgstr "フィールドを削除"

#: admin/views/field-group-field.php:60 pro/fields/flexible-content.php:515
msgid "Delete"
msgstr "削除"

#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886
msgid "Error"
msgstr "エラー"

#: fields/oembed.php:220 fields/taxonomy.php:900
msgid "Error."
msgstr "エラー."

#: admin/views/field-group-field.php:68
msgid "Field type does not exist"
msgstr "フィールドタイプが存在しません"

#: admin/views/field-group-field.php:81
msgid "Field Label"
msgstr "フィールドラベル"

#: admin/views/field-group-field.php:82
msgid "This is the name which will appear on the EDIT page"
msgstr "編集ページで表示される名前です"

#: admin/views/field-group-field.php:93
msgid "Field Name"
msgstr "フィールド名"

#: admin/views/field-group-field.php:94
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "スペースは不可、アンダースコアとダッシュは使用可能。"

#: admin/views/field-group-field.php:105
msgid "Field Type"
msgstr "フィールドタイプ"

#: admin/views/field-group-field.php:118 fields/tab.php:143
msgid "Instructions"
msgstr "説明"

#: admin/views/field-group-field.php:119
msgid "Instructions for authors. Shown when submitting data"
msgstr "投稿者向けの説明。編集時に表示されます"

#: admin/views/field-group-field.php:130
msgid "Required?"
msgstr "必須か?"

#: admin/views/field-group-field.php:158
msgid "Wrapper Attributes"
msgstr "ラッパーの属性"

#: admin/views/field-group-field.php:164
msgid "width"
msgstr "width"

#: admin/views/field-group-field.php:178
msgid "class"
msgstr "class"

#: admin/views/field-group-field.php:191
msgid "id"
msgstr "id"

#: admin/views/field-group-field.php:203
msgid "Close Field"
msgstr "フィールドを閉じる"

#: admin/views/field-group-fields.php:29
msgid "Order"
msgstr "順序"

#: admin/views/field-group-fields.php:30 pro/fields/flexible-content.php:541
msgid "Label"
msgstr "ラベル"

#: admin/views/field-group-fields.php:31 pro/fields/flexible-content.php:554
msgid "Name"
msgstr "名前"

#: admin/views/field-group-fields.php:32
msgid "Type"
msgstr "タイプ"

#: admin/views/field-group-fields.php:44
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr ""
"フィールドはありません。<strong>+ 新規追加</strong>ボタンをクリックして最初のフィールドを作成してくださ"
"い"

#: admin/views/field-group-fields.php:51
msgid "Drag and drop to reorder"
msgstr "ドラッグアンドドロップで並べ替える"

#: admin/views/field-group-fields.php:54
msgid "+ Add Field"
msgstr "+ フィールドを追加"

#: admin/views/field-group-locations.php:5
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 "どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します。"

#: 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
msgid "Post"
msgstr "投稿"

#: admin/views/field-group-locations.php:42 fields/relationship.php:724
msgid "Post Type"
msgstr "投稿タイプ"

#: admin/views/field-group-locations.php:43
msgid "Post Status"
msgstr "投稿ステータス"

#: admin/views/field-group-locations.php:44
msgid "Post Format"
msgstr "投稿フォーマット"

#: admin/views/field-group-locations.php:45
msgid "Post Category"
msgstr "投稿カテゴリー"

#: admin/views/field-group-locations.php:46
msgid "Post Taxonomy"
msgstr "投稿タクソノミー"

#: admin/views/field-group-locations.php:49 admin/views/field-group-locations.php:53
msgid "Page"
msgstr "ページ"

#: admin/views/field-group-locations.php:50
msgid "Page Template"
msgstr "ページテンプレート"

#: admin/views/field-group-locations.php:51
msgid "Page Type"
msgstr "ページタイプ"

#: admin/views/field-group-locations.php:52
msgid "Page Parent"
msgstr "親ページ"

#: admin/views/field-group-locations.php:55 fields/user.php:36
msgid "User"
msgstr "ユーザー"

#: admin/views/field-group-locations.php:56
msgid "Current User"
msgstr "現在のユーザー"

#: admin/views/field-group-locations.php:57
msgid "Current User Role"
msgstr "現在の権限グループ"

#: admin/views/field-group-locations.php:58
msgid "User Form"
msgstr "ユーザーフォーム"

#: admin/views/field-group-locations.php:59
msgid "User Role"
msgstr "権限グループ"

#: admin/views/field-group-locations.php:61 pro/admin/options-page.php:48
msgid "Forms"
msgstr "フォーム"

#: admin/views/field-group-locations.php:62
msgid "Attachment"
msgstr "メディア"

#: admin/views/field-group-locations.php:63
msgid "Taxonomy Term"
msgstr "タクソノミーターム"

#: admin/views/field-group-locations.php:64
msgid "Comment"
msgstr "コメント"

#: admin/views/field-group-locations.php:65
msgid "Widget"
msgstr "ウィジェット"

#: admin/views/field-group-options.php:25
msgid "Style"
msgstr "スタイル"

#: admin/views/field-group-options.php:32
msgid "Standard (WP metabox)"
msgstr "標準(WPメタボックス)"

#: admin/views/field-group-options.php:33
msgid "Seamless (no metabox)"
msgstr "シームレス(メタボックスなし)"

#: admin/views/field-group-options.php:40
msgid "Position"
msgstr "位置"

#: admin/views/field-group-options.php:47
msgid "High (after title)"
msgstr "高(タイトルの後)"

#: admin/views/field-group-options.php:48
msgid "Normal (after content)"
msgstr "通常(コンテンツエディタの後)"

#: admin/views/field-group-options.php:49
msgid "Side"
msgstr "サイド"

#: admin/views/field-group-options.php:57
msgid "Label placement"
msgstr "ラベルの配置"

#: admin/views/field-group-options.php:64 fields/tab.php:159
msgid "Top aligned"
msgstr "上揃え"

#: admin/views/field-group-options.php:65 fields/tab.php:160
msgid "Left aligned"
msgstr "左揃え"

#: admin/views/field-group-options.php:72
msgid "Instruction placement"
msgstr "説明の配置"

#: admin/views/field-group-options.php:79
msgid "Below labels"
msgstr "ラベルの下"

#: admin/views/field-group-options.php:80
msgid "Below fields"
msgstr "フィールドの下"

#: admin/views/field-group-options.php:87
msgid "Order No."
msgstr "順番"

#: admin/views/field-group-options.php:88
msgid "Field groups with a lower order will appear first"
msgstr ""

#: admin/views/field-group-options.php:99
msgid "Shown in field group list"
msgstr ""

#: admin/views/field-group-options.php:109
msgid "Hide on screen"
msgstr "画面に非表示"

#: admin/views/field-group-options.php:110
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "編集画面で<b>表示しない</b>アイテムを<b>選択</b>"

#: 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)"
msgstr ""

#: admin/views/field-group-options.php:117
msgid "Permalink"
msgstr "パーマリンク"

#: admin/views/field-group-options.php:118
msgid "Content Editor"
msgstr "コンテンツエディタ"

#: admin/views/field-group-options.php:119
msgid "Excerpt"
msgstr "抜粋"

#: admin/views/field-group-options.php:121
msgid "Discussion"
msgstr "ディスカッション"

#: admin/views/field-group-options.php:122
msgid "Comments"
msgstr "コメント"

#: admin/views/field-group-options.php:123
msgid "Revisions"
msgstr "リビジョン"

#: admin/views/field-group-options.php:124
msgid "Slug"
msgstr "スラッグ"

#: admin/views/field-group-options.php:125
msgid "Author"
msgstr "作成者"

#: admin/views/field-group-options.php:126
msgid "Format"
msgstr "フォーマット"

#: admin/views/field-group-options.php:127
msgid "Page Attributes"
msgstr "ページ属性"

#: admin/views/field-group-options.php:128 fields/relationship.php:737
msgid "Featured Image"
msgstr "アイキャッチ画像"

#: admin/views/field-group-options.php:129
msgid "Categories"
msgstr "カテゴリー"

#: admin/views/field-group-options.php:130
msgid "Tags"
msgstr "タグ"

#: admin/views/field-group-options.php:131
msgid "Send Trackbacks"
msgstr "トラックバック"

#: admin/views/settings-addons.php:23
msgid "Download & Install"
msgstr "ダウンロードしてインストール"

#: admin/views/settings-addons.php:42
msgid "Installed"
msgstr "インストール済み"

#: admin/views/settings-info.php:9
msgid "Welcome to Advanced Custom Fields"
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."
msgstr ""
"アップグレードありがとうございます!ACF %s は規模、質ともに向上しています。気に入ってもらえたら幸いで"
"す。"

#: admin/views/settings-info.php:23
msgid "A smoother custom field experience"
msgstr "もっとも快適なカスタムフィールド体験"

#: admin/views/settings-info.php:28
msgid "Improved Usability"
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."
msgstr ""
"内蔵した人気のSelect2ライブラリによって、投稿オブジェクトやページリンク、タクソノミーなど多くのフィール"
"ドタイプにおける選択のユーザビリティと速度の両方を改善しました。"

#: admin/views/settings-info.php:33
msgid "Improved Design"
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!"
msgstr ""
"ACFがより良くなるよう、多くのフィールドのデザインを一新しました!目立った変化は、ギャラリーフィールドや"
"関連フィールド、(新しい)oEmbedフィールドでわかるでしょう!"

#: admin/views/settings-info.php:38
msgid "Improved Data"
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!"
msgstr ""
"データ構造を再設計したことでサブフィールドは親フィールドから独立して存在できるようになりました。これに"
"よって親フィールドの内外にフィールドをドラッグアンドドロップできるます。"

#: admin/views/settings-info.php:45
msgid "Goodbye Add-ons. Hello PRO"
msgstr "さようならアドオン、こんにちはPRO"

#: admin/views/settings-info.php:50
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!"
msgstr "我々はエキサイティングな方法で有料機能を提供することにしました!"

#: admin/views/settings-info.php:52
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro version of ACF</a>. With both "
"personal and developer licenses available, premium functionality is more affordable and accessible than "
"ever before!"
msgstr ""
"4つのアドオンを<a href=\"%s\">ACFのPROバージョン</a>として組み合わせました。個人または開発者ライセンスに"
"よって、以前よりお手頃な価格で有料機能を利用できます!"

#: admin/views/settings-info.php:56
msgid "Powerful Features"
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!"
msgstr ""
"ACF PROには、繰り返し可能なデータ、柔軟なコンテンツレイアウト、美しいギャラリーフィールド、オプション"
"ページを作成するなど、パワフルな機能が含まれています!"

#: admin/views/settings-info.php:58
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "もっと<a href=\"%s\">ACF PRO の機能</a>を見る。"

#: admin/views/settings-info.php:62
msgid "Easy Upgrading"
msgstr "簡単なアップグレード"

#: admin/views/settings-info.php:63
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> and claim a free copy of "
"ACF PRO!"
msgstr ""
"簡単なアップグレードのために、<a href=\"%s\">ストアアカウントにログイン</a>してACF PROの無料コピーを申請"
"してください。"

#: admin/views/settings-info.php:64
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, "
"please contact our support team via the <a href=\"%s\">help desk</a>"
msgstr ""
"我々は多くの質問に応えるために<a href=\"%s\">アップグレードガイド</a>を用意していますが、もし質問がある"
"場合は<a href=\"%s\">ヘルプデスク</a>からサポートチームに連絡をしてください。"

#: admin/views/settings-info.php:72
msgid "Under the Hood"
msgstr "その内部では"

#: admin/views/settings-info.php:77
msgid "Smarter field settings"
msgstr "よりスマートなフィールド設定"

#: admin/views/settings-info.php:78
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACFはそれぞれのフィールドを独立した投稿オブジェクトとして保存するようになりました。"

#: admin/views/settings-info.php:82
msgid "More AJAX"
msgstr "いっそうAJAXに"

#: admin/views/settings-info.php:83
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "ページの読み込み速度を高速化するために、より多くのフィールドがAJAXを利用するようになりました。"

#: admin/views/settings-info.php:87
msgid "Local JSON"
msgstr "ローカルJSON"

#: admin/views/settings-info.php:88
msgid "New auto export to JSON feature improves speed"
msgstr "新しいJSON形式の自動エクスポート機能の速度を改善。"

#: admin/views/settings-info.php:94
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形式の自動エクスポート機能は、フィールド設定のバージョンコントロールを可能にします。"

#: admin/views/settings-info.php:99
msgid "Swapped XML for JSON"
msgstr "XMLからJSONへ"

#: admin/views/settings-info.php:100
msgid "Import / Export now uses JSON in favour of XML"
msgstr "インポート / エクスポートにXML形式より優れているJSON形式が使えます。"

#: admin/views/settings-info.php:104
msgid "New Forms"
msgstr "新しいフォーム"

#: admin/views/settings-info.php:105
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr "コメントとウィジェット、全てのユーザーのフォームにフィールドを追加できます。"

#: admin/views/settings-info.php:112
msgid "A new field for embedding content has been added"
msgstr "新しいフィールドに「oEmbed(埋め込みコンテンツ)」を追加しています。"

#: admin/views/settings-info.php:116
msgid "New Gallery"
msgstr "新しいギャラリー"

#: admin/views/settings-info.php:117
msgid "The gallery field has undergone a much needed facelift"
msgstr "ギャラリーフィールドは多くのマイナーチェンジをしています。"

#: admin/views/settings-info.php:121
msgid "New Settings"
msgstr "新しい設定"

#: admin/views/settings-info.php:122
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"
msgstr "より良いフロントエンドフォーム"

#: admin/views/settings-info.php:129
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form()は新しい投稿をフロントエンドから作成できるようになりました。"

#: admin/views/settings-info.php:133
msgid "Better Validation"
msgstr "より良いバリデーション"

#: admin/views/settings-info.php:134
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "フォームバリデーションは、JSのみより優れているPHP + AJAXで行われます。"

#: admin/views/settings-info.php:138
msgid "Relationship Field"
msgstr "関連フィールド"

#: admin/views/settings-info.php:139
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"
msgstr ""
"新しいフィールドグループでは、フィールドが親フィールドやフィールドグループ間を移動することができます。"

#: admin/views/settings-info.php:150 fields/page_link.php:36
msgid "Page Link"
msgstr "ページリンク"

#: admin/views/settings-info.php:151
msgid "New archives group in page_link field selection"
msgstr "新しいページリンクの選択肢に「アーカイブグループ」を追加しています。"

#: admin/views/settings-info.php:155
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 "オプションページの新しい機能として、親と子の両方のメニューページを作ることができます。"

#: admin/views/settings-info.php:165
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "%s の変更は、きっと気に入っていただけるでしょう。"

#: admin/views/settings-tools-export.php:13
msgid "Export Field Groups to PHP"
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."
msgstr ""
"以下のコードは選択したフィールドグループのローカルバージョンとして登録に使えます。ローカルフィールドグ"
"ループは読み込み時間の短縮やバージョンコントロール、動的なフィールド/設定など多くの利点があります。以下"
"のコードをテーマのfunctions.phpや外部ファイルにコピー&ペーストしてください。"

#: admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "フィールドグループを選択"

#: admin/views/settings-tools.php:35
msgid "Export Field Groups"
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."
msgstr ""
"エクスポートしたいフィールドグループとエクスポート方法を選んでください。ダウンロードボタンでは別のACFを"
"インストールした環境でインポートできるJSONファイルがエクスポートされます。生成ボタンではテーマ内で利用で"
"きるPHPコードが生成されます。"

#: admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "エクスポートファイルをダウンロード"

#: admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "エクスポートコードを生成"

#: admin/views/settings-tools.php:64
msgid "Import Field Groups"
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."
msgstr ""
"インポートしたいACFのJSONファイルを選択してください。下のインポートボタンをクリックすると、ACFはフィール"
"ドグループをインポートします。"

#: admin/views/settings-tools.php:77 fields/file.php:46
msgid "Select File"
msgstr "ファイルを選択する"

#: admin/views/settings-tools.php:86
msgid "Import"
msgstr "インポート"

#: admin/views/update-network.php:8 admin/views/update.php:8
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”."
msgstr ""

#: admin/views/update-network.php:19 admin/views/update-network.php:27
msgid "Site"
msgstr ""

#: admin/views/update-network.php:47
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: admin/views/update-network.php:49
msgid "Site is up to date"
msgstr ""

#: admin/views/update-network.php:62 admin/views/update.php:16
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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 "処理前にデータベースのバックアップを強く推奨します。アップデーターを実行してもよろしいですか?"

#: admin/views/update-network.php:157
msgid "Upgrade complete"
msgstr ""

#: admin/views/update-network.php:161
msgid "Upgrading data to"
msgstr ""

#: admin/views/update-notice.php:23
msgid "Database Upgrade Required"
msgstr "データベースのアップグレードが必要です"

#: admin/views/update-notice.php:25
#, php-format
msgid "Thank you for updating to %s v%s!"
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 "素晴らしい新機能を利用する前にデータベースを最新バージョンに更新してください。"

#: admin/views/update.php:12
msgid "Reading upgrade tasks..."
msgstr "アップグレードタスクを読み込んでいます..."

#: admin/views/update.php:14
#, php-format
msgid "Upgrading data to version %s"
msgstr "バージョン %s へデータアップグレード中"

#: admin/views/update.php:16
msgid "See what's new"
msgstr "新着情報を見る"

#: admin/views/update.php:110
msgid "No updates available."
msgstr ""

#: api/api-helpers.php:821
msgid "Thumbnail"
msgstr "サムネイル"

#: api/api-helpers.php:822
msgid "Medium"
msgstr "中"

#: api/api-helpers.php:823
msgid "Large"
msgstr "大"

#: api/api-helpers.php:871
msgid "Full Size"
msgstr "フルサイズ"

#: api/api-helpers.php:1581
msgid "(no title)"
msgstr "(無題)"

#: api/api-helpers.php:3183
#, php-format
msgid "Image width must be at least %dpx."
msgstr "画像の幅は少なくとも %dpx 必要です。"

#: api/api-helpers.php:3188
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "画像の幅は %dpx を超えてはいけません。"

#: api/api-helpers.php:3204
#, php-format
msgid "Image height must be at least %dpx."
msgstr "画像の高さは少なくとも %dpx 必要です。"

#: api/api-helpers.php:3209
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "画像の高さは %dpx を超えてはいけません。"

#: api/api-helpers.php:3227
#, php-format
msgid "File size must be at least %s."
msgstr "ファイルサイズは少なくとも %s 必要です。"

#: api/api-helpers.php:3232
#, php-format
msgid "File size must must not exceed %s."
msgstr "ファイルサイズは %s を超えてはいけません。"

#: api/api-helpers.php:3266
#, php-format
msgid "File type must be %s."
msgstr "ファイルタイプは %s でなければいけません。"

#: api/api-template.php:1289 pro/fields/gallery.php:564
msgid "Update"
msgstr "更新"

#: api/api-template.php:1290
msgid "Post updated"
msgstr "投稿更新済み"

#: core/field.php:131
msgid "Basic"
msgstr "基本"

#: core/field.php:132
msgid "Content"
msgstr "コンテンツ"

#: core/field.php:133
msgid "Choice"
msgstr "選択肢"

#: core/field.php:134
msgid "Relational"
msgstr "関連"

#: core/field.php:135
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
msgid "Layout"
msgstr "レイアウト"

#: core/input.php:129
msgid "Expand Details"
msgstr "詳細を広げる"

#: core/input.php:130
msgid "Collapse Details"
msgstr "詳細を縮める"

#: core/input.php:131
msgid "Validation successful"
msgstr "検証に成功"

#: core/input.php:132
msgid "Validation failed"
msgstr "検証に失敗"

#: core/input.php:133
msgid "1 field requires attention"
msgstr ""

#: core/input.php:134
#, php-format
msgid "%d fields require attention"
msgstr ""

#: core/input.php:135
msgid "Restricted"
msgstr ""

#: core/input.php:533
#, php-format
msgid "%s value is required"
msgstr "%s の値は必須です"

#: fields/checkbox.php:36 fields/taxonomy.php:752
msgid "Checkbox"
msgstr "チェックボックス"

#: fields/checkbox.php:144
msgid "Toggle All"
msgstr "全て 選択 / 解除"

#: fields/checkbox.php:208 fields/radio.php:193 fields/select.php:388
msgid "Choices"
msgstr "選択肢"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
msgid "Enter each choice on a new line."
msgstr "選択肢を改行で区切って入力してください"

#: 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 "下記のように記述すると、値とラベルの両方を制御することができます。"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
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
msgid "Default Value"
msgstr "デフォルト値"

#: fields/checkbox.php:218 fields/select.php:398
msgid "Enter each default value on a new line"
msgstr "デフォルト値を入力する"

#: fields/checkbox.php:232 fields/radio.php:237
msgid "Vertical"
msgstr "垂直"

#: fields/checkbox.php:233 fields/radio.php:238
msgid "Horizontal"
msgstr "水平"

#: fields/checkbox.php:240
msgid "Toggle"
msgstr ""

#: fields/checkbox.php:241
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: fields/color_picker.php:36
msgid "Color Picker"
msgstr "カラーピッカー"

#: fields/color_picker.php:94
msgid "Clear"
msgstr "クリア"

#: fields/color_picker.php:95
msgid "Default"
msgstr "デフォルト"

#: fields/color_picker.php:96
msgid "Select Color"
msgstr "色を選択"

#: fields/date_picker.php:36
msgid "Date Picker"
msgstr "デイトピッカー"

#: fields/date_picker.php:72
msgid "Done"
msgstr "完了"

#: fields/date_picker.php:73
msgid "Today"
msgstr "本日"

#: fields/date_picker.php:76
msgid "Show a different month"
msgstr "別の月を表示する"

#: fields/date_picker.php:149
msgid "Display Format"
msgstr "表示フォーマット"

#: fields/date_picker.php:150
msgid "The format displayed when editing a post"
msgstr "投稿編集中に表示されるフォーマット"

#: fields/date_picker.php:164
msgid "Return format"
msgstr "返り値"

#: fields/date_picker.php:165
msgid "The format returned via template functions"
msgstr "テンプレート関数で返されるフォーマット"

#: fields/date_picker.php:180
msgid "Week Starts On"
msgstr "週の始まり"

#: fields/email.php:36
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
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
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
msgid "Appears within the input"
msgstr "入力欄に表示されます"

#: 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
msgid "Appears before the input"
msgstr "入力欄の先頭に表示されます"

#: 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
msgid "Appears after the input"
msgstr "入力欄の末尾に表示されます"

#: fields/file.php:36
msgid "File"
msgstr "ファイル"

#: fields/file.php:47
msgid "Edit File"
msgstr "ファイルを編集する"

#: fields/file.php:48
msgid "Update File"
msgstr "ファイルを更新する"

#: fields/file.php:49 pro/fields/gallery.php:55
msgid "uploaded to this post"
msgstr "この投稿にアップロードされる"

#: fields/file.php:142
msgid "File Name"
msgstr "ファイルネーム"

#: fields/file.php:146
msgid "File Size"
msgstr "ファイルサイズ"

#: fields/file.php:169
msgid "No File selected"
msgstr "ファイルが選択されていません"

#: fields/file.php:169
msgid "Add File"
msgstr "ファイルを追加する"

#: fields/file.php:214 fields/image.php:195 fields/taxonomy.php:821
msgid "Return Value"
msgstr "返り値"

#: fields/file.php:215 fields/image.php:196
msgid "Specify the returned value on front end"
msgstr "フロントエンドへの返り値を指定してください"

#: fields/file.php:220
msgid "File Array"
msgstr "ファイル 配列"

#: fields/file.php:221
msgid "File URL"
msgstr "ファイル URL"

#: fields/file.php:222
msgid "File ID"
msgstr "ファイル ID"

#: fields/file.php:229 fields/image.php:220 pro/fields/gallery.php:647
msgid "Library"
msgstr "ライブラリ"

#: fields/file.php:230 fields/image.php:221 pro/fields/gallery.php:648
msgid "Limit the media library choice"
msgstr "制限するメディアライブラリを選択"

#: fields/file.php:236 fields/image.php:227 pro/fields/gallery.php:654
msgid "Uploaded to post"
msgstr "投稿にアップロードされる"

#: fields/file.php:243 fields/image.php:234 pro/fields/gallery.php:661
msgid "Minimum"
msgstr "最小"

#: fields/file.php:244 fields/file.php:255
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
msgid "File size"
msgstr "ファイルサイズ"

#: fields/file.php:254 fields/image.php:267 pro/fields/gallery.php:694
msgid "Maximum"
msgstr "最大"

#: fields/file.php:265 fields/image.php:300 pro/fields/gallery.php:727
msgid "Allowed file types"
msgstr "許可するファイルタイプ"

#: fields/file.php:266 fields/image.php:301 pro/fields/gallery.php:728
msgid "Comma separated list. Leave blank for all types"
msgstr "カンマ区切りのリストで入力。全てのタイプを許可する場合は空白のままで"

#: fields/google-map.php:36
msgid "Google Map"
msgstr "Googleマップ"

#: fields/google-map.php:51
msgid "Locating"
msgstr "場所"

#: fields/google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "ごめんなさい、このブラウザーはgeolocationに対応していません"

#: fields/google-map.php:135
msgid "Clear location"
msgstr "位置情報をクリア"

#: fields/google-map.php:140
msgid "Find current location"
msgstr "現在の位置情報を検索"

#: fields/google-map.php:141
msgid "Search for address..."
msgstr "住所で検索..."

#: fields/google-map.php:173 fields/google-map.php:184
msgid "Center"
msgstr "センター"

#: fields/google-map.php:174 fields/google-map.php:185
msgid "Center the initial map"
msgstr "マップ初期状態のセンター"

#: fields/google-map.php:198
msgid "Zoom"
msgstr "ズーム"

#: fields/google-map.php:199
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
msgid "Height"
msgstr "高さ"

#: fields/google-map.php:209
msgid "Customise the map height"
msgstr "マップの高さを調整"

#: fields/image.php:36
msgid "Image"
msgstr "画像"

#: fields/image.php:51
msgid "Select Image"
msgstr "画像を選択する"

#: fields/image.php:52 pro/fields/gallery.php:53
msgid "Edit Image"
msgstr "画像を編集する"

#: fields/image.php:53 pro/fields/gallery.php:54
msgid "Update Image"
msgstr "画像を更新する"

#: fields/image.php:54
msgid "Uploaded to this post"
msgstr "この投稿にアップロード済み"

#: fields/image.php:55
msgid "All images"
msgstr "全ての画像"

#: fields/image.php:147
msgid "No image selected"
msgstr "画像が選択されていません"

#: fields/image.php:147
msgid "Add Image"
msgstr "画像を追加する"

#: fields/image.php:201
msgid "Image Array"
msgstr "画像 配列"

#: fields/image.php:202
msgid "Image URL"
msgstr "画像 URL"

#: fields/image.php:203
msgid "Image ID"
msgstr "画像 ID"

#: fields/image.php:210 pro/fields/gallery.php:637
msgid "Preview Size"
msgstr "プレビューサイズ"

#: fields/image.php:211 pro/fields/gallery.php:638
msgid "Shown when entering data"
msgstr "投稿編集中に表示されます"

#: 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
msgid "Width"
msgstr "幅"

#: fields/message.php:36 fields/message.php:103 fields/true_false.php:106
msgid "Message"
msgstr "メッセージ"

#: fields/message.php:104
msgid "Please note that all text will first be passed through the wp function "
msgstr "すべてのテキストが最初にWordPressの関数を通過しますのでご注意ください"

#: fields/message.php:112
msgid "Escape HTML"
msgstr "HTMLをエスケープ"

#: fields/message.php:113
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "HTMLマークアップのコードとして表示を許可"

#: fields/number.php:36
msgid "Number"
msgstr "数値"

#: fields/number.php:186
msgid "Minimum Value"
msgstr "最小値"

#: fields/number.php:195
msgid "Maximum Value"
msgstr "最大値"

#: fields/number.php:204
msgid "Step Size"
msgstr "ステップサイズ"

#: fields/number.php:242
msgid "Value must be a number"
msgstr "値は数値でなければいけません"

#: fields/number.php:260
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "数値は %d 以上でなければいけません"

#: fields/number.php:268
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "数値は %d 以下でなければいけません"

#: fields/oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: fields/oembed.php:199
msgid "Enter URL"
msgstr "URLを入力"

#: fields/oembed.php:212
msgid "No embed found for the given URL."
msgstr "指定されたURLには埋め込む内容がありません."

#: fields/oembed.php:248 fields/oembed.php:259
msgid "Embed Size"
msgstr "埋め込みサイズ"

#: fields/page_link.php:206
msgid "Archives"
msgstr "アーカイブ"

#: 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
msgid "All post types"
msgstr "全ての投稿タイプ"

#: 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
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
msgid "Allow Null?"
msgstr "空の値を許可するか?"

#: fields/page_link.php:577 fields/post_object.php:443 fields/select.php:420 fields/user.php:466
msgid "Select multiple values?"
msgstr "複数の値を選択できるか?"

#: fields/password.php:36
msgid "Password"
msgstr "パスワード"

#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769
msgid "Post Object"
msgstr "投稿オブジェクト"

#: fields/post_object.php:457 fields/relationship.php:764
msgid "Return Format"
msgstr "返り値のフォーマット"

#: fields/post_object.php:463 fields/relationship.php:770
msgid "Post ID"
msgstr "投稿 ID"

#: fields/radio.php:36
msgid "Radio Button"
msgstr "ラジオボタン"

#: fields/radio.php:202
msgid "Other"
msgstr "その他"

#: fields/radio.php:206
msgid "Add 'other' choice to allow for custom values"
msgstr "選択肢「その他」を追加する"

#: fields/radio.php:212
msgid "Save Other"
msgstr "その他を保存"

#: fields/radio.php:216
msgid "Save 'other' values to the field's choices"
msgstr "「その他」の値を選択肢に追加する"

#: fields/relationship.php:36
msgid "Relationship"
msgstr "関連"

#: fields/relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr ""

#: fields/relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "最大値( {max} ) に達しました"

#: fields/relationship.php:50
msgid "Loading"
msgstr "読み込み中"

#: fields/relationship.php:51
msgid "No matches found"
msgstr "一致する項目がありません"

#: fields/relationship.php:571
msgid "Search..."
msgstr "検索..."

#: fields/relationship.php:580
msgid "Select post type"
msgstr "投稿タイプを選択"

#: fields/relationship.php:593
msgid "Select taxonomy"
msgstr "タクソノミーを選択"

#: fields/relationship.php:723
msgid "Search"
msgstr "検索"

#: fields/relationship.php:725 fields/taxonomy.php:36 fields/taxonomy.php:735
msgid "Taxonomy"
msgstr "タクソノミー"

#: fields/relationship.php:732
msgid "Elements"
msgstr "要素"

#: fields/relationship.php:733
msgid "Selected elements will be displayed in each result"
msgstr "選択した要素が表示されます。"

#: fields/relationship.php:744
msgid "Minimum posts"
msgstr ""

#: fields/relationship.php:753
msgid "Maximum posts"
msgstr "最大投稿数"

#: fields/select.php:36 fields/select.php:174 fields/taxonomy.php:757
msgid "Select"
msgstr "セレクトボックス"

#: fields/select.php:434
msgid "Stylised UI"
msgstr "スタイリッシュなUI"

#: fields/select.php:448
msgid "Use AJAX to lazy load choices?"
msgstr "選択肢をAJAXで遅延ロードするか?"

#: fields/tab.php:36
msgid "Tab"
msgstr "タブ"

#: fields/tab.php:128
msgid "Warning"
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"
msgstr ""
"このタブは、テーブルスタイルの繰り返しフィールドか柔軟コンテンツフィールドが追加された場合、正しく表示さ"
"れません"

#: fields/tab.php:146
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."
msgstr ""
"この\"タブ\" の後に続く(または別の \"タブ\" が定義されるまでの)全てのフィールドは、このフィールドのラ"
"ベルがタブの見出しとなりグループ化されます。"

#: fields/tab.php:155
msgid "Placement"
msgstr "タブの配置"

#: fields/tab.php:167
msgid "End-point"
msgstr ""

#: fields/tab.php:168
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""

#: fields/taxonomy.php:565
#, php-format
msgid "Add new %s "
msgstr ""

#: fields/taxonomy.php:704
msgid "None"
msgstr "無"

#: fields/taxonomy.php:736
msgid "Select the taxonomy to be displayed"
msgstr ""

#: fields/taxonomy.php:745
msgid "Appearance"
msgstr ""

#: fields/taxonomy.php:746
msgid "Select the appearance of this field"
msgstr ""

#: fields/taxonomy.php:751
msgid "Multiple Values"
msgstr "複数値"

#: fields/taxonomy.php:753
msgid "Multi Select"
msgstr "複数選択"

#: fields/taxonomy.php:755
msgid "Single Value"
msgstr "単一値"

#: fields/taxonomy.php:756
msgid "Radio Buttons"
msgstr "ラジオボタン"

#: fields/taxonomy.php:779
msgid "Create Terms"
msgstr ""

#: fields/taxonomy.php:780
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: fields/taxonomy.php:793
msgid "Save Terms"
msgstr ""

#: fields/taxonomy.php:794
msgid "Connect selected terms to the post"
msgstr ""

#: fields/taxonomy.php:807
msgid "Load Terms"
msgstr ""

#: fields/taxonomy.php:808
msgid "Load value from posts terms"
msgstr ""

#: fields/taxonomy.php:826
msgid "Term Object"
msgstr "タームオブジェクト"

#: fields/taxonomy.php:827
msgid "Term ID"
msgstr "ターム ID"

#: fields/taxonomy.php:886
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: fields/taxonomy.php:899
#, php-format
msgid "%s already exists"
msgstr ""

#: fields/taxonomy.php:940
#, php-format
msgid "%s added"
msgstr ""

#: fields/taxonomy.php:985
msgid "Add"
msgstr ""

#: fields/text.php:36
msgid "Text"
msgstr "テキスト"

#: fields/text.php:184 fields/textarea.php:163
msgid "Character Limit"
msgstr "制限文字数"

#: fields/text.php:185 fields/textarea.php:164
msgid "Leave blank for no limit"
msgstr "制限しない場合は空白のままで"

#: fields/textarea.php:36
msgid "Text Area"
msgstr "テキストエリア"

#: fields/textarea.php:172
msgid "Rows"
msgstr "行数"

#: fields/textarea.php:173
msgid "Sets the textarea height"
msgstr "テキストエリアの高さを指定"

#: fields/textarea.php:182
msgid "New Lines"
msgstr "改行"

#: fields/textarea.php:183
msgid "Controls how new lines are rendered"
msgstr "改行をどのように表示するか制御"

#: fields/textarea.php:187
msgid "Automatically add paragraphs"
msgstr "自動的に段落に変換"

#: fields/textarea.php:188
msgid "Automatically add &lt;br&gt;"
msgstr "自動的に&lt;br&gt;に変換"

#: fields/textarea.php:189
msgid "No Formatting"
msgstr "なにもしない"

#: fields/true_false.php:36
msgid "True / False"
msgstr "真 / 偽"

#: fields/true_false.php:107
msgid "eg. Show extra content"
msgstr "例:追加コンテンツを表示する"

#: fields/url.php:36
msgid "Url"
msgstr "URL"

#: fields/url.php:160
msgid "Value must be a valid URL"
msgstr "値はURL形式でなければいけません"

#: fields/user.php:437
msgid "Filter by role"
msgstr "ロールでフィルタする"

#: fields/user.php:445
msgid "All user roles"
msgstr "全ての権限グループ"

#: fields/wysiwyg.php:37
msgid "Wysiwyg Editor"
msgstr "Wysiwyg エディタ"

#: fields/wysiwyg.php:297
msgid "Visual"
msgstr "ビジュアル"

#: fields/wysiwyg.php:298
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "テキスト"

#: fields/wysiwyg.php:354
msgid "Tabs"
msgstr "タブ"

#: fields/wysiwyg.php:359
msgid "Visual & Text"
msgstr "ビジュアル&テキスト"

#: fields/wysiwyg.php:360
msgid "Visual Only"
msgstr "ビジュアルのみ"

#: fields/wysiwyg.php:361
msgid "Text Only"
msgstr "テキストのみ"

#: fields/wysiwyg.php:368
msgid "Toolbar"
msgstr "ツールバー"

#: fields/wysiwyg.php:378
msgid "Show Media Upload Buttons?"
msgstr "メディアアップロードボタンを表示するか?"

#: forms/post.php:297 pro/admin/options-page.php:373
msgid "Edit field group"
msgstr "フィールドグループを編集"

#: pro/acf-pro.php:24
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/acf-pro.php:175
msgid "Flexible Content requires at least 1 layout"
msgstr "柔軟コンテンツは少なくとも1個のレイアウトが必要です"

#: pro/admin/options-page.php:48
msgid "Options Page"
msgstr "オプションページ"

#: pro/admin/options-page.php:83
msgid "No options pages exist"
msgstr "オプションページはありません"

#: pro/admin/options-page.php:298
msgid "Options Updated"
msgstr "オプションを更新しました"

#: pro/admin/options-page.php:304
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr ""
"このオプションページにカスタムフィールドグループがありません. <a href=\"%s\">カスタムフィールドグループ"
"を作成</a>"

#: pro/admin/settings-updates.php:137
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>エラー</b> 更新サーバーに接続できません"

#: pro/admin/settings-updates.php:267 pro/admin/settings-updates.php:338
msgid "<b>Connection Error</b>. Sorry, please try again"
msgstr "<b>接続エラー</b> すみません、もう一度試してみてください"

#: pro/admin/views/options-page.php:48
msgid "Publish"
msgstr "公開"

#: pro/admin/views/options-page.php:54
msgid "Save Options"
msgstr "オプションを保存"

#: pro/admin/views/settings-updates.php:11
msgid "Deactivate License"
msgstr "ライセンスのアクティベートを解除"

#: pro/admin/views/settings-updates.php:11
msgid "Activate License"
msgstr "ライセンスをアクティベート"

#: pro/admin/views/settings-updates.php:21
msgid "License"
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"
msgstr ""
"アップデートのロックを解除するには、以下にライセンスキーを入力してください。ライセンスキーを持っていない"
"場合は、こちらを参照してください。"

#: pro/admin/views/settings-updates.php:24
msgid "details & pricing"
msgstr "価格と詳細"

#: pro/admin/views/settings-updates.php:33
msgid "License Key"
msgstr "ライセンスキー"

#: pro/admin/views/settings-updates.php:65
msgid "Update Information"
msgstr "アップデート情報"

#: pro/admin/views/settings-updates.php:72
msgid "Current Version"
msgstr "現在のバージョン"

#: pro/admin/views/settings-updates.php:80
msgid "Latest Version"
msgstr "最新のバージョン"

#: pro/admin/views/settings-updates.php:88
msgid "Update Available"
msgstr "利用可能なアップデート"

#: pro/admin/views/settings-updates.php:96
msgid "Update Plugin"
msgstr "プラグインをアップデート"

#: pro/admin/views/settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "アップデートのロックを解除するためにライセンスキーを入力してください"

#: pro/admin/views/settings-updates.php:104
msgid "Check Again"
msgstr "再確認"

#: pro/admin/views/settings-updates.php:121
msgid "Upgrade Notice"
msgstr "アップグレード通知"

#: pro/api/api-options-page.php:22 pro/api/api-options-page.php:23
msgid "Options"
msgstr "オプション"

#: pro/core/updates.php:186
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't "
"have a licence key, please see <a href=\"%s\">details & pricing</a>"
msgstr ""
"アップデートを有効にするには、<a href=\"%s\">アップデート</a>ページにライセンスキーを入力してください。"
"ライセンスキーを持っていない場合は、こちらを<a href=\"%s\">詳細と価格</a>参照してください。"

#: pro/fields/flexible-content.php:36
msgid "Flexible Content"
msgstr "柔軟コンテンツ"

#: pro/fields/flexible-content.php:42 pro/fields/repeater.php:43
msgid "Add Row"
msgstr "行を追加"

#: pro/fields/flexible-content.php:45
msgid "layout"
msgstr "レイアウト"

#: pro/fields/flexible-content.php:46
msgid "layouts"
msgstr "レイアウト"

#: pro/fields/flexible-content.php:47
msgid "remove {layout}?"
msgstr "{layout} を削除しますか?"

#: pro/fields/flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "このフィールドは{identifier}が最低{min}個は必要です"

#: pro/fields/flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "このフィールドは{identifier}が最高{max}個までです"

#: pro/fields/flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "{identifier}に{label}は最低{min}個必要です"

#: pro/fields/flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "{label}は最大数に達しました({max} {identifier})"

#: pro/fields/flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "あと{available}個 {identifier}には {label} を利用できます(最大 {max}個)"

#: pro/fields/flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "あと{required}個 {identifier}には {label} を利用する必要があります(最小 {max}個)"

#: pro/fields/flexible-content.php:211
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "下の \"%s\" ボタンをクリックしてレイアウトの作成を始めてください"

#: pro/fields/flexible-content.php:369
msgid "Add layout"
msgstr "レイアウトを追加"

#: pro/fields/flexible-content.php:372
msgid "Remove layout"
msgstr "レイアウトを削除"

#: pro/fields/flexible-content.php:514
msgid "Reorder Layout"
msgstr "レイアウトを並べ替え"

#: pro/fields/flexible-content.php:514
msgid "Reorder"
msgstr "並べ替え"

#: pro/fields/flexible-content.php:515
msgid "Delete Layout"
msgstr "レイアウトを削除"

#: pro/fields/flexible-content.php:516
msgid "Duplicate Layout"
msgstr "レイアウトを複製"

#: pro/fields/flexible-content.php:517
msgid "Add New Layout"
msgstr "新しいレイアウトを追加"

#: pro/fields/flexible-content.php:561
msgid "Display"
msgstr "表示"

#: pro/fields/flexible-content.php:572 pro/fields/repeater.php:399
msgid "Table"
msgstr "表"

#: pro/fields/flexible-content.php:573 pro/fields/repeater.php:400
msgid "Block"
msgstr "ブロック"

#: pro/fields/flexible-content.php:574 pro/fields/repeater.php:401
msgid "Row"
msgstr "行"

#: pro/fields/flexible-content.php:589
msgid "Min"
msgstr "最小数"

#: pro/fields/flexible-content.php:602
msgid "Max"
msgstr "最大数"

#: pro/fields/flexible-content.php:630 pro/fields/repeater.php:408
msgid "Button Label"
msgstr "ボタンのラベル"

#: pro/fields/flexible-content.php:639
msgid "Minimum Layouts"
msgstr "レイアウトの最小数"

#: pro/fields/flexible-content.php:648
msgid "Maximum Layouts"
msgstr "レイアウトの最大数"

#: pro/fields/gallery.php:36
msgid "Gallery"
msgstr "ギャラリー"

#: pro/fields/gallery.php:52
msgid "Add Image to Gallery"
msgstr "ギャラリーに画像を追加"

#: pro/fields/gallery.php:56
msgid "Maximum selection reached"
msgstr "選択の最大数に到達しました"

#: pro/fields/gallery.php:335
msgid "Length"
msgstr "長さ"

#: pro/fields/gallery.php:355
msgid "Remove"
msgstr "取り除く"

#: pro/fields/gallery.php:535
msgid "Add to gallery"
msgstr "ギャラリーを追加"

#: pro/fields/gallery.php:539
msgid "Bulk actions"
msgstr "一括操作"

#: pro/fields/gallery.php:540
msgid "Sort by date uploaded"
msgstr "アップロード日で並べ替え"

#: pro/fields/gallery.php:541
msgid "Sort by date modified"
msgstr "変更日で並び替え"

#: pro/fields/gallery.php:542
msgid "Sort by title"
msgstr "タイトルで並び替え"

#: pro/fields/gallery.php:543
msgid "Reverse current order"
msgstr "並び順を逆にする"

#: pro/fields/gallery.php:561
msgid "Close"
msgstr "閉じる"

#: pro/fields/gallery.php:619
msgid "Minimum Selection"
msgstr "最小選択数"

#: pro/fields/gallery.php:628
msgid "Maximum Selection"
msgstr "最大選択数"

#: pro/fields/gallery.php:809
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s は少なくとも %s個 選択してください"

#: pro/fields/repeater.php:36
msgid "Repeater"
msgstr "繰り返しフィールド"

#: pro/fields/repeater.php:46
msgid "Minimum rows reached ({min} rows)"
msgstr "最小行数に達しました({min} 行)"

#: pro/fields/repeater.php:47
msgid "Maximum rows reached ({max} rows)"
msgstr "最大行数に達しました({max} 行)"

#: pro/fields/repeater.php:259
msgid "Drag to reorder"
msgstr "ドラッグして並び替え"

#: pro/fields/repeater.php:301
msgid "Add row"
msgstr "行を追加"

#: pro/fields/repeater.php:302
msgid "Remove row"
msgstr "行を削除"

#: pro/fields/repeater.php:350
msgid "Sub Fields"
msgstr "サブフィールド"

#: pro/fields/repeater.php:372
msgid "Minimum Rows"
msgstr "最小行数"

#: pro/fields/repeater.php:382
msgid "Maximum Rows"
msgstr "最大行数"

#. Plugin Name of the plugin/theme
msgid "Advanced Custom Fields Pro"
msgstr ""

#. Plugin URI of the plugin/theme
msgid "http://www.advancedcustomfields.com/"
msgstr ""

#. Description of the plugin/theme
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""

#. Author of the plugin/theme
msgid "elliot condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#~ msgid "Hide / Show All"
#~ msgstr "全て 非表示 / 表示"

#~ msgid "Show Field Keys"
#~ msgstr "フィールドキーを表示"

#~ msgid "Pending Review"
#~ msgstr "レビュー待ち"

#~ msgid "Draft"
#~ msgstr "下書き"

#~ msgid "Future"
#~ msgstr "予約投稿"

#~ msgid "Private"
#~ msgstr "非公開"

#~ msgid "Revision"
#~ msgstr "リビジョン"

#~ msgid "Trash"
#~ msgstr "ゴミ箱"

#~ msgid "Import / Export"
#~ msgstr "インポート / エクスポート"

#~ msgid "Field groups are created in order <br />from lowest to highest"
#~ 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 ""
#~ "編集画面に複数のフィールドグループが表示される場合、最初の(=順番の最も小さい)フィールドグループのオ"
#~ "プションが使用されます。"

#~ 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."
#~ msgstr ""
#~ "あなたに注意すべき問題があります:有料アドオン(%s)を利用したこのウェブサイトにACFはもはや対応してい"
#~ "ません。"

#~ msgid "Don't panic, you can simply roll back the plugin and continue using ACF as you know it!"
#~ msgstr ""
#~ "慌てないでください、プラグインをロールバックすることで今までどおりACFを使用し続けることができます!"

#~ msgid "Roll back to ACF v%s"
#~ msgstr "ACF v%sにロールバックする"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "なぜ自分のサイトにACF PROが必要なのか学ぶ"

#~ msgid "Update Database"
#~ msgstr "データベースを更新"

#~ msgid "Data Upgrade"
#~ msgstr "データアップグレード"

#~ msgid "Data upgraded successfully."
#~ msgstr "データアップグレード成功"

#~ msgid "Data is at the latest version."
#~ msgstr "データは最新バージョンです"

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "下記の %s個 の必須フィールドが空です"

#~ 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 "Top Level Page (parent of 0)"
#~ msgstr "一番上の階層(親ページがない)"

#~ msgid "Logged in User Type"
#~ msgstr "ログインしているユーザーのタイプ"

#~ msgid "Field&nbsp;Groups"
#~ msgstr "フィールドグループ"

#~ msgid "Custom field updated."
#~ msgstr "カスタムフィールドを更新しました"

#~ msgid "Custom field deleted."
#~ msgstr "カスタムフィールドを削除しました"

#~ msgid "Field group restored to revision from %s"
#~ msgstr "リビジョン %s からフィールドグループを復元しました"

#~ msgid "Full"
#~ msgstr "フルサイズ"

#~ msgid "No ACF groups selected"
#~ msgstr "ACF グループが選択されていません"

#~ msgid "Repeater Field"
#~ msgstr "繰り返しフィールド"

#~ msgid "Create infinite rows of repeatable data with this versatile interface!"
#~ msgstr "繰り返し挿入可能なフォームを、すてきなインターフェースで作成します。"

#~ msgid "Gallery Field"
#~ msgstr "ギャラリーフィールド"

#~ msgid "Create image galleries in a simple and intuitive interface!"
#~ msgstr "画像ギャラリーを、シンプルで直感的なインターフェースで作成します。"

#~ msgid "Create global data to use throughout your website!"
#~ msgstr "ウェブサイト全体で使用できるグローバルデータを作成します。"

#~ msgid "Flexible Content Field"
#~ msgstr "柔軟コンテンツフィールド"

#~ msgid "Create unique designs with a flexible content layout manager!"
#~ msgstr "柔軟なコンテンツレイアウト管理により、すてきなデザインを作成します。"

#~ msgid "Gravity Forms Field"
#~ msgstr "Gravity Forms フィールド"

#~ msgid "Creates a select field populated with Gravity Forms!"
#~ msgstr "Creates a select field populated with Gravity Forms!"

#, fuzzy
#~ msgid "Date & Time Picker"
#~ msgstr "デイトピッカー"

#~ msgid "jQuery date & time picker"
#~ msgstr "jQuery デイトタイムピッカー"

#, fuzzy
#~ msgid "Location Field"
#~ msgstr "位置"

#~ msgid "Find addresses and coordinates of a desired location"
#~ msgstr "Find addresses and coordinates of a desired location"

#, fuzzy
#~ msgid "Contact Form 7 Field"
#~ msgstr "カスタムフィールド"

#~ msgid "Assign one or more contact form 7 forms to a post"
#~ msgstr "Assign one or more contact form 7 forms to a post"

#, fuzzy
#~ msgid "Advanced Custom Fields Add-Ons"
#~ 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 プラグインに機能を追加するアドオンが利用できます。"

#~ 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 "購入してインストールする"

#~ msgid "Download"
#~ msgstr "ダウンロードする"

#, fuzzy
#~ msgid "Export"
#~ msgstr "XML をエクスポートする"

#, fuzzy
#~ msgid "Select the field groups to be exported"
#~ msgstr "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリックしてください"

#, fuzzy
#~ msgid "Export to XML"
#~ msgstr "XML をエクスポートする"

#, fuzzy
#~ msgid "Export to PHP"
#~ msgstr "フィールドグループを PHP 形式でエクスポートする"

#~ msgid "ACF will create a .xml export file which is compatible with the native WP import plugin."
#~ msgstr ""
#~ "ACF は .xml 形式のエクスポートファイルを作成します。WP のインポートプラグインと互換性があります。"

#~ msgid ""
#~ "Imported field groups <b>will</b> appear in the list of editable field groups. This is useful for "
#~ "migrating fields groups between Wp websites."
#~ msgstr ""
#~ "インポートしたフィールドグループは、編集可能なフィールドグループの一覧に表示されます。WP ウェブサイト"
#~ "間でフィールドグループを移行するのに役立ちます。"

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr "一覧からフィールドグループを選択し、\"XML をエクスポートする\" をクリックしてください"

#~ msgid "Save the .xml file when prompted"
#~ msgstr "指示に従って .xml ファイルを保存してください"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "ツール &raquo; インポートと進み、WordPress を選択してください"

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "(インストールを促された場合は) WP インポートプラグインをインストールしてください"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "エクスポートした .xml ファイルをアップロードし、インポートする"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "ユーザーを選択するが、Import Attachments を選択しない"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "これで OK です。WordPress をお楽しみください"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACF は、テーマに含める PHP コードを作成します"

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable field groups. This is useful "
#~ "for including fields in themes."
#~ msgstr ""
#~ "登録したフィールドグループは、編集可能なフィールドグループの一覧に<b>表示されません</b>。テーマに"
#~ "フィールドを含めるときに役立ちます。"

#~ 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 ""
#~ "同一の WP でフィールドグループをエクスポートして登録する場合は、編集画面で重複フィールドになることに"
#~ "注意してください。これを修正するには、元のフィールドグループをゴミ箱へ移動するか、functions.php ファ"
#~ "イルからこのコードを除去してください。"

#~ msgid "Select field group(s) from the list and click \"Create PHP\""
#~ msgstr "一覧からフィールドグループを選択し、\"PHP 形式のデータを作成する\" をクリックしてください。"

#~ msgid "Copy the PHP code generated"
#~ msgstr "生成された PHP コードをコピーし、"

#~ 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 "Notes"
#~ msgstr "注意"

#~ 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 ""
#~ "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 <b>before</b> the include_once code:"
#~ msgstr ""
#~ "Advanced Custom Fields プラグインのビジュアルインターフェースを取り除くには、定数を利用して「ライト"
#~ "モード」を有効にすることができます。functions.php の include_once よりも<b>前</b>に下記のコードを追加"
#~ "してください。"

#, fuzzy
#~ msgid "Back to export"
#~ msgstr "設定に戻る"

#~ msgid ""
#~ "/**\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"
#~ " *  \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"
#~ " *  \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"
#~ " *  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"
#~ " */"
#~ 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"
#~ " *  \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"
#~ " *  \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"
#~ " *  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"
#~ " */"

#, fuzzy
#~ msgid ""
#~ "/**\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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * フィールドグループを登録する\n"
#~ " * register_field_group 関数は、フィールドグループを登録するのに関係するデータを持っている一つの配列"
#~ "を受け付けます。\n"
#~ " * 配列を好きなように編集することができます。しかし、配列が ACF と互換性の無い場合、エラーになってし"
#~ "まいます。\n"
#~ " * このコードは、functions.php ファイルを読み込む度に実行する必要があります。\n"
#~ " */"

#~ msgid "No field groups were selected"
#~ msgstr "フィールドグループが選択されていません"

#, fuzzy
#~ msgid "Show Field Key:"
#~ msgstr "フィールドキー"

#~ msgid "Vote"
#~ msgstr "投票"

#~ msgid "Follow"
#~ 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 "What’s New"
#~ msgstr "更新情報"

#, fuzzy
#~ msgid "Download Add-ons"
#~ msgstr "アドオンを探す"

#~ 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 ""
#~ "アドオンは、個別のプラグインをダウンロードしてインストールしてください。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 "Easier Development"
#~ msgstr "開発を容易に"

#, fuzzy
#~ msgid "New Field Types"
#~ msgstr "フィールドタイプ"

#, fuzzy
#~ msgid "Taxonomy Field"
#~ msgstr "タクソノミー"

#, fuzzy
#~ msgid "User Field"
#~ msgstr "フィールドを閉じる"

#, fuzzy
#~ msgid "Email Field"
#~ msgstr "ギャラリーフィールド"

#, fuzzy
#~ msgid "Password Field"
#~ msgstr "新規フィールド"

#, fuzzy
#~ msgid "Custom Field Types"
#~ 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 "Migrating your field types is easy, please"
#~ msgstr "フィールドタイプをマイグレーションするのは簡単です。"

#~ msgid "follow this tutorial"
#~ msgstr "このチュートリアルに従ってください。"

#~ msgid "to learn more."
#~ msgstr "詳細を見る"

#~ msgid "Actions &amp; Filters"
#~ msgstr "アクションとフィルター"

#~ msgid ""
#~ "All actions & filters have received a major facelift to make customizing ACF even easier! Please"
#~ msgstr "カスタマイズを簡単にするため、すべてのアクションとフィルターを改装しました。"

#, fuzzy
#~ msgid "read this guide"
#~ msgstr "このフィールドを編集する"

#~ msgid "to find the updated naming convention."
#~ msgstr "新しい命名規則をごらんください。"

#~ msgid "Preview draft is now working!"
#~ msgstr "プレビューが有効になりました。"

#~ msgid "This bug has been squashed along with many other little critters!"
#~ msgstr "このバグを修正しました。"

#~ msgid "See the full changelog"
#~ msgstr "全ての更新履歴を見る"

#~ msgid "Important"
#~ msgstr "重要"

#~ msgid "Database Changes"
#~ msgstr "データベース更新"

#~ msgid ""
#~ "Absolutely <strong>no</strong> 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 "Migrating from v3 to v4"
#~ msgstr "バージョン 3 から 4 への移行をごらんください。"

#~ msgid "guide to view the full list of changes."
#~ msgstr "変更の一覧を見ることができます。"

#~ 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 "version 3"
#~ msgstr "バージョン 3 "

#~ msgid "of this plugin."
#~ msgstr "にロールバックしてください。"

#~ msgid "Thank You"
#~ msgstr "ありがとうございます"

#~ msgid ""
#~ "A <strong>BIG</strong> 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 "皆さんの助けが無ければ、リリースすることはできなかったでしょう。"

#, fuzzy
#~ msgid "Changelog for"
#~ msgstr "更新履歴"

#~ msgid "Learn more"
#~ msgstr "詳細を見る"

#~ 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 "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."
#~ msgstr "以下のアドオンがこのウェブサイトで有効になっています。"

#~ msgid "Activation Code"
#~ msgstr "アクティベーションコード"

#, fuzzy
#~ msgid "Installation"
#~ msgstr "説明"

#~ msgid "For each Add-on available, please perform the following:"
#~ msgstr "それぞれのアドオンについて、下記を実行してください。"

#~ msgid "Download the Add-on plugin (.zip file) to your desktop"
#~ msgstr "アドオン(.zip ファイル)をダウンロードする"

#~ msgid "Navigate to"
#~ msgstr "管理画面で"

#~ msgid "Plugins > Add New > Upload"
#~ msgstr "プラグイン > 新規追加 > アップロード"

#~ 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"
#~ msgstr "アップロードできたら、有効化をクリックする"

#~ msgid "The Add-on is now installed and activated!"
#~ msgstr "アドオンがインストールされ、有効化されました。"

#~ msgid "Awesome. Let's get to work"
#~ msgstr "素晴らしい。作業に戻ります。"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "検証に失敗しました。下記のフィールドの少なくとも一つが必須です。"

#, fuzzy
#~ msgid "What's new"
#~ msgstr "新着情報で見る"

#~ msgid "credits"
#~ msgstr "クレジット"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "フィールドグループオプション「ページで表示する」を変更"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "フィールドオプション「タクソノミー」を変更"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr "ユーザーのカスタムフィールドを wp_options から wp_usermeta に変更する"

#~ msgid "blue : Blue"
#~ msgstr "blue : 青"

#~ msgid "eg: #ffffff"
#~ msgstr "例: #ffffff"

#~ msgid "Save format"
#~ msgstr "フォーマットを保存する"

#~ 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\" です。詳細は"

#~ msgid "jQuery date formats"
#~ msgstr "jQuery 日付フォーマット"

#~ 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 "Dummy"
#~ msgstr "ダミー"

#~ msgid "No File Selected"
#~ msgstr "ファイルが選択されていません"

#~ msgid "File Object"
#~ msgstr "ファイルオブジェクト"

#~ msgid "File Updated."
#~ msgstr "ファイルを更新しました"

#~ msgid "Media attachment updated."
#~ msgstr "メディアアタッチメントを更新しました"

#~ msgid "No files selected"
#~ msgstr "ファイルが選択されていません"

#~ msgid "Add Selected Files"
#~ msgstr "選択されたファイルを追加する"

#~ msgid "Image Object"
#~ msgstr "画像オブジェクト"

#~ msgid "Image Updated."
#~ msgstr "画像を更新しました"

#~ msgid "No images selected"
#~ msgstr "画像が選択されていません"

#, fuzzy
#~ msgid "Add Selected Images"
#~ msgstr "選択した画像を追加する"

#~ msgid "Text &amp; HTML entered here will appear inline with the fields"
#~ msgstr "ここに記述したテキストと HTML がインラインで表示されます。"

#~ msgid "Specifies the minimum value allowed"
#~ msgstr "最小値を指定します。"

#~ msgid "Specifies the maximim value allowed"
#~ msgstr "最大値を指定します。"

#~ msgid "Step"
#~ msgstr "Step"

#~ msgid "Specifies the legal number intervals"
#~ msgstr "入力値の間隔を指定します。"

#~ msgid "Filter from Taxonomy"
#~ msgstr "タクソノミーでフィルタする"

#~ msgid "Enter your choices one per line"
#~ msgstr "選択肢を一行ずつ入力してください"

#~ msgid "Red"
#~ msgstr "赤"

#~ msgid "Blue"
#~ msgstr "青"

#~ msgid "Filter by post type"
#~ msgstr "投稿タイプでフィルタする"

#, fuzzy
#~ msgid "Post Type Select"
#~ msgstr "投稿タイプ"

#, fuzzy
#~ msgid "Post Title"
#~ msgstr "投稿タイプ"

#~ msgid ""
#~ "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."
#~ msgstr "複数のタブを使用することができます。"

#~ msgid "Formatting"
#~ msgstr "フォーマット"

#~ msgid "Define how to render html tags"
#~ msgstr "html タグの表示を決定する"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "html タグ/新しい行の表示を決定する"

#~ msgid "auto &lt;br /&gt;"
#~ msgstr "自動 &lt;br /&gt;"

#~ msgid "Field Order"
#~ msgstr "フィールド順序"

#~ msgid "Field Key"
#~ msgstr "フィールドキー"

#~ msgid "Edit this Field"
#~ msgstr "このフィールドを編集する"

#~ msgid "Read documentation for this field"
#~ msgstr "このフィールドのドキュメントを読む"

#~ msgid "Docs"
#~ msgstr "ドキュメント"

#~ msgid "Duplicate this Field"
#~ msgstr "このフィールドを複製する"

#~ msgid "Delete this Field"
#~ msgstr "このフィールドを削除する"

#~ msgid "Field Instructions"
#~ msgstr "フィールド記入のヒント"

#~ msgid "Show this field when"
#~ msgstr "表示する条件"

#~ msgid "all"
#~ msgstr "全て"

#~ msgid "any"
#~ msgstr "任意"

#~ msgid "these rules are met"
#~ msgstr "これらの条件を満たす"

#, fuzzy
#~ msgid "Taxonomy Term (Add / Edit)"
#~ msgstr "タクソノミー(追加/編集)"

#~ msgid "User (Add / Edit)"
#~ msgstr "ユーザー(追加/編集)"

#, fuzzy
#~ msgid "Media Attachment (Edit)"
#~ msgstr "メディアアタッチメントを更新しました"

#~ msgid "Normal"
#~ msgstr "Normal"

#~ msgid "No Metabox"
#~ msgstr "メタボックス無"

#~ msgid "Standard Metabox"
#~ msgstr "標準メタボックス"
PK�
�[@\D%lang/acf-zh_CN.monu�[�����C4L$`0a0}0�06�0:�0D
1O1d1
t11�10�10�1)2=225p2\�203"43�W3;�384@4Q4MX4�4-�4
�4�4	�4�45
5!555D5
L5W5c5k5z5�5�5'�5�5�56�
6��6
x7�7�7�7A�7�7,�7+8
>8I8a8 z8�8�8�8
�8�8�8�89c9z9�9�9�9�9�9�9�9�9
	:::	2:<:L:X:a:y:�:�:�:9�:�:�:�:�:;/;D;L;U;"g;�;�;#�;�;[�;
.<9<F<X<
h<Ev<�<�<G�<7=C=V=^=
o=}=
�=�=�=�=Q�=
>>>(>->@>U>n>	~>�>�>�>�>�>
�>�>	�>
�>
?
??'?
-?	8?	B? L?&m?�?&�?�?�?�?�?�?�?@)@/@;@
H@S@
_@
j@u@�@�@�@�@�@�@RAdA{A�A�A1�A�ABAB`B
eBpB	xB	�B�B	�B�B"�B�B�BCC-C5CKC+\CC�C?�CDD
D	$D	.D8D@DUDeD
�D�D�D�D
�D��DFELEXE	aE#kE"�E"�E!�E�E.�E-FAF
SFaFqF��F&G:G	?GIG_G4lG�Gy�G/H5HEHKHZHaHzH�H�H�H�H�H
�H�H�H
�HII	I�I�I�I�I�I�I
�I
	J!J9J'SJ2{J�J�J�J�J�J�J�J
�J
K!K'6K	^K<hK�K�K�K
�K�K�K
LL*L:L1?L	qL{L	�L�L	�LJ�L�L/MN3M.�MQ�MQNUN`XN�N�N�N�NO
(O!6OXOTqO�O�O�O�OP,PBPGP^PcPjPrPP�P	�P�P�P�P	�P�P
�P	�P�P
QQ	Q$Q	5Q5?QGuQ,�Q�Q�Q
�QRRR&R
2R	@RJR
WRbRtR/|R�R�R�R
�R2�RS�(S�S
�S�S�ST
T
T$T,T;T	DT	NT$XT%}T
�T
�T�T
�T�T�T	UUUU*UHU
UU
`UkU�U�U
�U�U	�U�U�U�U	�U�U	VV)V6VNV_V�oV#�V#W#2X2VX�X�X�X�X�X�XY!Y4YNYgYvY{Y6�Y�Y�Y,�YZ	Z0 ZQZgZ
}Z'�Z�Z�Z	�Z�Z�Z
�Z�Z[[[,[D[H[N[S[X[
a[o[w[�[	�[	�[!�[Z�[3\EM\A�\r�](H^*q^6�^@�^r_<�_,�_/�_7!`3Y`	�`�`��`kCac�abb
 b+b3b9bTb`b	mbwb|b�b�b�b�b�b
�b�b�b�b�b
cc*c<cYcjc�cQ�c�c<�c2d	7d	AdKdedwd�d�d(�d'�de
e#e4eEeWe
^elexe��e'$fMLf�f!�f
�f�f�f�f�fg	g2gAgEgMgSgXgjg
�g$�g�g�g�g�g�g�g�gh
h	hh+hAhIh6Oh4�h.�h�klll9lRlol�l�l�l�l"�l.�l(m<@m8}m[�m*n=nj\n.�n�n�n
o&o;o$Bogowo�o�o�o�o�o�o	�o�o�o	ppp/p<p&Rp yp �p�p��p��q,r9rLr\r)or�r0�r�r�r�rs+sJsashsosvs}s�s�s$�s�s�s�stt't=tDtQt^tetlt�t�t�t	�t�t�t�t�t�t'�tu#u0u=uDu3Qu�u�u�u!�u�u�u�u�uHv	NvXvevxv�v+�v�v�v;�v w-w=wDw	Qw[wbwow|w�w&�w�w�w�w�w�w�w�wxxx$x1x>xNxUxbxrxx�x�x�x�x�x�x
�x�x�xyy	:yDyPyWy^yny�y�y	�y	�y�y�y�y�y�y�yzz9zOzez3{z�z�z�z�z'{;{Q{KX{�{�{�{	�{�{	�{�{�{$|3|O|e|u|	�|�|�|*�|Q�|-/}]}d}k}r}y}�}�}�}!�}�}�}�}�}�}�~�~�~�~
�~ �~&�~ �~&>1Ew����h�?�R�	Y�c�p�?w���9ˀ����*�1�	D�N�U�Y�`�m���������ˁҁف=��%�,�9�F�	S�]�m���!��/��������
��$�	1�;�H� g���?��ԃۃ���-�C�P�W�^�e�	l�v�	��	����N��	�2��K-�0y�H��N�B�_F���!��ކ��	�$�B�JU�����Ç܇��$�)�B�G�N�U�b�r�y�������������ˆψ	������'�5E�{���������‰ʉ׉���	��+�02�c�s�z�	��8��ʊ��w�~���������	��	����	ы	ۋ�'��0�7�	D�N�[�n���������*��Ōٌ̌����(�	9�C�P�f�	m�w���������Ǎڍ��t�����-������0�!7�Y�l�������Ӑ�	�B�4�;� Q�r�y�!����ʑ��	� �'�.�5�	E�O�_�s�z���	��������	����͒֒�	�	���:�%N�9t����Gx�$��!��?&�^f�9ŕ.��+.�3Z���	�������DD�B��̗ӗڗ	�����!�)�0�7�D�K�X�e�r������
������˜Ϙߘ��	��U&�|�9��ҙٙ����)�<�X�n���	����������ƚ֚�T�%?�3e���!��˛	؛����	�
�;�P�T�[�a�h�x�
��$��ǜ��	������
���$�7�M�T�3[�2���D�:&AY����k5;2�hl��L@�(%Sp:����&/3�SR����?*8<g)�����Ks���9��y8���,Q���2��8IP�����71�3��o�O�$d�`
��fzhA�X�[��/��-W�<^'����BE��"����L�>T7�KF-5�{�?���#��/6�M@,�nd�Z��"1VV__���H]	�0��)���+e�

zT	HC�u4�Z���5G.N���w�%��R��@=���&i%Je
� ��}���u�a�)k�4(�O.-�.�f�vaot�r�
��\1�:��4�]D����t����B��X�Cm ���0,��[�����m���i����j3`�����6��b�gYQ!Ep�#C����W�#��$��w��xc����=�<G�������*9��=��"��U���7��|N��2����(y��+}'�;�>��M��I���������b����B�l�j�{q>~� �'	c^*$0�����+n�A!v�J������
s�F�U�xP!�~q��r;�\?�|�69���%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required'How to' guides(no title)+ Add Field1 field requires attention<b>Connection Error</b>. Sorry, please try again<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.<b>Success</b>. Import tool added %s field groups: %s<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %sA new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActionsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new %s Add rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAdvanced Custom Fields ProAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCreated byCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Date PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDisabledDisabled <span class="count">(%s)</span>Disabled <span class="count">(%s)</span>DiscussionDisplayDisplay FormatDoneDownload & InstallDownload export fileDrag and drop to reorderDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineErrorError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField TypesField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile NameFile SizeFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeFunctionsGalleryGenerate export codeGetting StartedGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicenseLicense KeyLimit the media library choiceLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo File selectedNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease note that all text will first be passed through the wp function Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPrepend an extra checkbox to toggle all choicesPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReturn formatReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OptionsSave OtherSave TermsSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's newSee what's new inSelectSelect %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show a different monthShow this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click “Upgrade Database”.The format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please seeTodayToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTutorialsTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgradeUpgrade ACFUpgrade DatabaseUpgrade NoticeUpgrade completeUpgrading data toUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWarningWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopydetails & pricingeg. Show extra contentelliot condonhttp://www.advancedcustomfields.com/http://www.elliotcondon.com/idis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?uploaded to this postversionwidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2015-08-11 23:50+0200
PO-Revision-Date: 2018-03-14 09:58+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Amos Lee <470266798@qq.com>
Language: zh_CN
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=1; plural=0;
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d 个字段需要注意%s 已添加%s 已存在%s 字段组已被复制。%s 字段组已同步。%s 需要至少 %s 个选择%s 的值是必填项新手向导(无标题)+ 添加字段1 个字段需要注意<b>连接错误</b>,再试一次<b>错误</b>,不能连接到更新服务器<b>错误</b>,无法加载扩展列表<b>选择</b>需要在编辑界面<b>隐藏</b>的条目。 <b>成功</b>,导入工具添加了 %s 字段组: %s<b>警告</b>,导入工具检测到 %s 字段组已经存在了。忽略的字段组:%s新添加了一个嵌入内容用的字段平滑的自定义字段体验ACF 专业版有重复数据,弹性内容布局,相册功能,还可以创建页面的管理选项。ACF 现在用单独的内容对象字段设置操作激活许可证激活启用 <span class="count">(%s)</span>添加为自定义值添加 'other' 选择添加 / 编辑添加文件添加图片添加图片到相册新建添加新字段添加字段组添加新布局添加行添加布局添加新的 %s添加行添加规则组添加到相册附加功能高级自定义字段Advanced Custom Fields 数据库升级Advanced Custom Fields 专业版Advanced Custom Fields 专业版所有之前的 4 个高级功能扩展现在被组合成了一个新的 <a href="%s">ACF 专业版</a>。许可证分为两种,个人与开发者,现在这些高级功能更实惠也更易用。在这个 "tab field" (或直到定义了其它的 "tab field" ) 以下的所有字段,都会被用这个字段标签作为标题的标签(Tab)组织到一块。所有图片所有内容类型所有分类法所有用户角色显示 HTML 文本,而不是渲染 HTML是否允许空值?在编辑时允许可以创建新的分类词汇允许的文字类型外观在 input 后面显示在 input 前面显示创建新内容的时候显示在 input 内部显示追加存档附件作者自动添加 &lt;br&gt;自动添加段落基本先把数据库更新到最新版。字段之下标签之下更好的前端表单选项页面更好的验证方式更好的版本控制区块批量动作按钮标签类别居中居中显示初始地图更新日志字符限制重新检查复选框子页面(有父页面)选项选项清除清除位置点击下面的 "%s" 按钮创建布局关闭关闭字段关闭窗口折叠颜色选择用英文逗号分隔开,留空则为全部类型评论评论条件逻辑连接所选分类词汇到内容内容内容编辑器控制怎么显示新行创建分类词汇创建一组规则以确定自定义字段在哪个编辑界面上显示创建者当前用户当前用户角色当前版本字段用强大专业的字段定制 WordPress。自定义地图高度需要升级数据库数据库升级完成,<a href="%s">返回网络面板</a>日期选择关闭许可证默认默认模板默认值删除删除布局删除字段描述禁用禁用 <span class="count">(%s)</span>讨论显示显示格式完成下载并安装下载导出文件拖拽排序拖拽排序复制复制布局复制字段复制此项便捷的升级编辑编辑字段编辑字段组编辑文件编辑图片编辑字段编辑字段组元素电子邮件嵌入尺寸端点输入 URL输入选项,每行一个每行输入一个默认值错误文件上传失败,请重试错误。转义 HTML摘要展开导出字段组导出字段组到PHP特色图像字段字段组字段组字段 Keys字段标签字段名称字段类型字段类型字段组已删除。字段组草稿已更新。字段组已被复制。%s字段组已发布。字段组已保存。字段组已定时。字段组设置添加了标签位置与介绍位置字段组已提交。字段组已同步。 %s字段组的标题是必填项字段组已更新。序号小的字段组会排在最前面字段类型不存在字段字段现在可以用在评论,小工具还有所有的用户表单上。文件文件数组文件ID文件名文件尺寸文件URL文件尺寸文件尺寸至少得是 %s。文件尺寸最大不能超过 %s。字段类型必须是 %s。按内容类型筛选按分类筛选根据角色过滤过滤器搜索当前位置大段内容灵活内容字段需要至少一个布局如果需要更多控制,你按照一下格式,定义一个值和标签对:表单验证现在使用 PHP + AJAX 的方式格式表单首页原图功能相册生成导出代码起步再见了扩展,欢迎专业版谷歌地图高度隐藏元素高(标题之后)水平如果多个字段组同时出现在编辑界面,会使用第一个字段组里的选项(就是序号最小的那个字段组)图像图像数组图像ID图像 URL图像高度至少得是 %dpx。图像高度最大不能超过 %dpx。图像宽度至少得是 %dpx。图像宽度最大不能超过 %dpx。导入导入 / 导出现在用 JSON 代替以前的 XML导入字段组导入的文件是空白的改善的数据改善的设计改善用户体验Select2 这个库,改善了内容对象,分类法,选择列表等字段的用户体验与速度。文本类型不对信息已安装说明位置说明显示给内容作者的说明文字,在提交数据时显示ACF 专业版介绍升级前最好先备份一下。确定现在升级吗?标签标签位置大最新版本样式留空则不限制左对齐长度库许可许可证号限制媒体库的选择加载分类词汇载入内容分类词汇的值加载本地 JSON定位位置登录很多字段变漂亮了,比如相册,关系,oEmbed 。最大最大最大布局最大行数最大选择最大值最大文章数已到最大行数 ({max} 行)已到最大选择达到了最大值 ( {max} 值 ) {label} 已到最大限制 ({max} {identifier})中消息最小最小最小布局最小行数最小选择最小值最小内容已到最小行数 ({min} 行)已到最小值 ( {min} values )更多 AJAX更多字段使用 AJAX 搜索,这让页面加载速度更快移动移动完成。移动自定义字段移动字段把字段移动到其它群组确定要删除吗?移动字段多选多选名称文本新字段新建字段组新表单新相册新行新的用来过滤的关系字段设置(搜索,内容类型,分类法)新设置在 page_link 字段选择里的新的存档群组新的自动 JSON 导出功能让字段设置可以包含在版本控制里改进了新的自动导出 JSON 功能的速度新的字段组功能可以让我们在群组与爸爸之间移动字段选项页面的新功能,可以让你同时创建父菜单与子菜单页面否这个选项页上还没有自定义字段群组。<a href="%s">创建自定义字段群组</a>没有找到字段组回收站中没有找到字段组没找到字段回收站里没有字段没有选择文件无格式在 URL 里没发现嵌入。没选择字段组没有字段,点击<strong>添加</strong>按钮创建第一个字段。没选择文件没有选择图片没找到匹配的结果还没有选项页面没有可用的切换字段没有可用更新。None正常(内容之后)Null号码选项选项页面选项已更新序号序号其他页面页面属性页面链接父级页面页面模板页面类型父页面(有子页)父字段密码固定链接点位符文本位置在上面输入许可证号解锁更新请注意,所有文本将首页通过WP过滤功能请选择这个字段的位置位置内容内容类别内容格式Post ID文章对象内容状态内容分类法内容类型内容已更新文章页强大的功能前置添加一个可以切换所有选择的复选框预览图大小发布单选按钮单选框了解更多关于 <a href="%s">ACF PRO 的功能</a>。阅读更新任务...重新设计了数据结构,让子字段独立于它的爸爸。这样我们可以把字段放到父字段里,也可以从父字段里拿出来。注册关系关系关系字段删除删除布局删除行重排序重排序布局重复器必填?资源限制什么类型的文件可以上传限制可以上传的图像限制返回格式返回值返回格式颠倒当前排序检查网站并升级修订行行规则存档为字段的选择的 'other' 的值保存保存其它保存分类词汇无缝(无 metabox)搜索搜索字段组搜索字段搜索地址... 搜索...查看更新查看更新内容于选择选择 %s选择颜色选择字段组选择文件选择图像是否选择多个值?选择内容类型选择分类选择你想导入的 Advanced Custom Fields JSON 文件,然后点击 <b>导入</b> 按钮可以导入 JSON 文件里定义的字段组。为这个字段选择外观选择你想导出的字段组,然后选择导出的方法。使用 <b>下载</b> 按钮可以导出一个 .json 文件,你可以在其它的网站里导入它。使用 <b>生成</b> 按钮可以导出 PHP 代码,这些代码可以放在你的主题或插件里。选择要显示的分类法选择的元素将在每个结果中显示。发送 Trackbacks设置初始缩放级别设置文本区域的高度设置是否显示媒体上传按钮?显示其他月份显示此字段组的条件显示此字段的条件在字段组列表中显示输入数据时显示兄弟字段边栏单个值单个字符串,不能有空格,可以用横线或下画线。网站网站已是最新版网站需要从  %s 升级到 %s别名更聪明的字段设置抱歉,浏览器不支持定位按修改日期排序按上传日期排序按标题排序指定前端返回的值标准(WP Metabox)状态步长样式装饰的界面子字段超级管理员用 JSON 替代 XML同步有可用同步同步字段组选项卡表标签标签分类法分类词汇内容ID对象缓存文本文本段纯文本感谢升级 %s v%s!感谢升级到更好的 ACF %s,你会喜欢上它的。%s 字段现在会在 %s 字段组里如果浏览其它页面,会丢失当前所做的修改下面的代码可以用来创建一个本地版本的所选字段组。本地字段组加载更快,可以版本控制。你可以把下面这些代码放在你的主题的 functions.php 文件里。下面的网站需要升级数据库,点击 “升级数据库” 。编辑内容的时候显示的格式通过模板函数返回的格式改进了相册字段的显示"field_" 这个字符串不能作为字段名字的开始部分标签字段不能在 Table 样式的重复字段或者灵活内容字段布局里正常显示保存这个字段的修改以后才能移动这个字段这个字段限制最大为 {max} {identifier}这个字段需要至少 {min} {identifier}这个字段需要至少 {min} {label} {identifier}在编辑界面显示的名字缩略图标题启用更新,先在 <a href="%s">更新</a> 页面输入许可证。还没有许可证,请查看 <a href="%s">详情与定价</a><a href="%s">登录到商店帐户</a>,可以方便以后升级。解锁更新,输入许可证号。还没有许可证号,请看今天切换切换所有工具条工具顶级页面 (无父页面)顶部对齐真/假教程类型工作原理更新可用更新更新文件更新图像更新信息更新插件更新升级升级 ACF升级数据库更新通知升级完成升级数据到升级数据到 %s 版本上传到内容上传到这个内容地址使用 "标签字段" 可以把字段组织起来更好地在编辑界面上显示。使用 AJAX 惰性选择?使用这个字段作为端点去创建新的标签群组用户用户表单用户角色用户无法添加新的 %s验证失败验证成功值必须是数字值必须是有效的地址值要大于等于 %d值要小于等于 %d垂直新字段查看字段组查看后端查看前端显示显示与文本只有显示警告阅读 <a href="%s">升级手册</a>,需要帮助请联系 <a href="%s">客服</a>你会喜欢在 %s 里做的修改。我们改进了为您提供高级功能的方法。每周开始于欢迎使用高级自定义字段更新日志小工具宽度包装属性可视化编辑器是缩放acf_form() 现在可以在提交的时候创建新的内容与已选class复制详情与定价例如:显示附加内容elliot condonhttp://www.advancedcustomfields.com/http://www.elliotcondon.com/id等于不等于jQuery布局布局oEmbed或 red : Red 删除 {layout}?上传到这个内容版本宽度{available} {label} {identifier} 可用 (max {max}){required} {label} {identifier} 需要 (min {min})PK�
�[Ĩ�f�f�lang/acf-hr_HR.monu�[�������w�)x7y7�7�76�7:�7"8
78B8N80i8)�8=�809"39�V9;�9	7:A:R:MY:�:-�:
�:�:	�:�:;
;";6;E;
M;X;g;o;~;�;�;'�;�;�;�;�<�<
�<=="=!1=S=g=At=�=,�=4�=$>7>
@>K>c> |>�>�>�>�>�>
�>
�>�>�>?8?c>?�?�?�?�?�?�?@@$@1@>@K@X@_@
g@r@y@	�@�@�@�@�@�@�@�@�@9�@5AQAaAgAsA�A	�A�A/�A�A�A�A"�AB&B#5BYBkB[xB
�B�B�BC
CCE'CmC�CG�C:�C#D/D MDnD�D�D�D�D!�D"E#9E!]E,E,�E%�E�E!F%?F%eF-�F!�F*�FGG!G
2GZ@GV�G�GH
HH*H
6HAHIH,XH$�H
�H�H�H	�H�H�HII)I
.I9I	JI
TI
_IjI{I
�I�I
�I�I	�I �I&�I&�I%J>JEJQJYJhJ|J�J�J�J�J
�J�J
�J
�J�J�JK.KEKXKRsK�K�K�KL1-L_LyLA�L�L
�L�L�L	�L	�L�L"M9MOMcMvM�M�M�M+�MC�M?$NdNkN
qN	|N�N�N�N
�N�N=�NOOO
.O�9O�O�O�O	�O#�O"	P",P!OP.qP�P�P�P
�P�P�PQQQ�^QRRR	 R*R@R4MR�Ry�RSSS*SISOS^SeS~S�S�S�S�S�S�S
�S�S
�S�ST
!T,T5T	>T�HT�T�T�TUU
$U
2U!@UbU'|U2�U�U�U	�U�U�UV
VVV&V3V
EV
SV!aV'�V	�V<�V�V�VW
W#W?W
\WjWwW�W�W1�W	�W�W	�W�W	�WJXPX/]XN�X.�XQYQ]Y�Y`�YZ)ZHZXZ
qZ!Z�ZT�Z[ [2[C[Z[i[�[�[�[�[�[�[�[�[�[�[�[\\	\'\-\2\	B\L\
X\	f\p\w\
�\�\	�\�\	�\Z�\5)],_]�]�]
�]�]�]�]�]
�]
�]	�]�]
^^$^8^K^/S^�^�^�^�^�^
�^�^2�^	_�"_�_
�_�_�_�_
`
``&`5`	>`	H`$R`%w`
�`
�`�`�`�`	�`�`�`a+	a*5a`ala
xa
�a�a3�a�a�a
�ab	b.!b	PbZbgb{b�b�b0�b�b+�bc&c�6c#�c�c#�d5e7Se>�e?�e#
f1.f%`fG�fV�f&%g:Lg<�g2�g�g	hh,hEhNhih�h�h�h�h�h�h6�h i%i,8ieiji0�i�i�i
�i
�i'�i0"j4Sj�j'�j�j�j	�j�j�j
kkk#k8k=kLkdkhknkskxk
�k�k�k�k	�k	�k�k�k1�k!lZ@l3�lE�lAm^Wn(�n*�n#
o6.o@eo<�o,�o/p7@p3xp	�p�p5�p�p��pk�q�r�r
�r�r�r�r�r�r�rss
s's;sBsSs_sls
s�s�s�s
�s�s�s�sttt;t	@t	JtTtnt}t�t�t�t�t(�t'u-uHu
Qu\umu~u�u
�u�u��u'UvM}v�v�v!�v
wwww/w>wBw2Gwzw~w�w�w�w%�w�w�w�w�w�wx
	xx x'x	*x4x	ExOx[xgx6mx4�xi�x&C|
j|u|G�|P�|}-}:}F}3b}5�}H�}"~:8~�s~,K\n�v�+�
,�:�I�U�l�r�~���	����€	πـ�����0�K�
O��]�(�	D�
N�Y�	i�"s�����4ł��/�<C���������̃+��,�;�J�R�Y�k�r�x�����l���%�"2�(U�~�������
υ
݅�����
�	�(�
G�U�l�}�$������Ɔ͆;݆&�&@�g�
o�}���
����a���	�'�!7�Y�b�%w�����Dň

��*�A�
Q�
_�Pm���%Љq��Gh�
��	��Ȋ
Ί	ي�����	�!�2�6�C�O�
V�
d�r�z�����������ċ֋u�p^�ό��
�����;%�!a�
������
��̍�
�����)�5�D�P�\�m�
v�������	��-��.�<�Q�o�x���������Ə֏܏���
�	�#�8�J�c�y���c���'�D�\�7r�����vő<�E�X�j�{���)��#ǒ���:�M�U�p�4��=��c��Y�`�f�x�����(��˔
הI�,�3�:�Q��^������
�%"�)H�&r�*��*Ė��$�"6�Y�m�	�����o���������ĘӘ?٘��/������� Й���� �<�M�U�\�r�z�	������ĚԚ�"���0�
9�RD���������ě֛
ߛ.�+�BE�;��Ĝ̜՜�	���
���#�4�E�	M�-W�����T��	��(�8�H�g�{�
����!��ўמ�
�
��
��G�
g�:u�/��0�F�mX�ƠVɠ � ;�\�&z�
��0��ݡN�A�Y�n�!}���)��Ѣ������3�K�R�q�z���
����������ϣܣ���#�<�K�S�_�q�Pz�3ˤ���(�/�
A�	O�Y�
`�n���
������ťץ!�
�6#�Z�/m�����	��
����?Ħ#��(�٧
������
,�	7�A�^�	r�
|�+��%��٨ �
��0�O�X�\�h�Ep�2���
�
����:�	Z�d�t�����4��
ܪ����
�,�@@�!��6��ګ���������ۭ8�",�,O�|�����4��A�6�%K�*q�6��ӯ
�#���9�!B�d�����$��
˰ٰ�=�1�&>�Ie�����5DZ#��!�?�T�6Y�)��(���(�,�@�G�M�R�	g�q�}���
������ֳ޳������,�H�N�Z�#j�%��*��%ߴg�Jm�L��M�yS�(ͷ���$1�AV�A��3ڸ2�:A�5|�����:ٹ���Ѻ�Q��
�"�/�$5�Z�m�z�~�������	��ȼݼ���(�4�L�g�z�����Ľ	޽#���
)�%7�]�o���
����ž5�5�&O�
v���������ֿ߿
����-��N��
��.)�X�e�l�t�������O����
���%8�^�
a�l�y���	������������������	����;��9,��O��hy$0������R�|����'~�Lsl�"uWt�D����v�J-i�eDdfQ�!<wM�Z�XG����
;��5^x3����_��K�pB}���4DUK�u��]+��o���K���7I�QE�t�\{,:|E�����\����?}'r�f��d�1Fh��bz
�7X��,[��m���Nax�P��a������8���S�t���u��^:�zC��m����%�N��{�����vX��*=�]Cs���YR��p��Hp=�+�n~V�m;>���5�Ob^_��6����%6���o`�n!L�E��.q7�#c�go!����)�U/�Bk���x�G�<�({���@����Z����T�/�aA��r�hH#��;�� ��YM?��j�3}�Il8q�2"41�-����vg`�q�.W��4��J?J$�is�,'G��2B�	
:[w�C���>��\N����<����w���r�����S�6O��@y�".F��l+)HT	���9M��V����28#]-g�e1���Ffz*A�S$�P)�j��Q`���W�>Zc9�U%� 
�d�
�b(0eij�c y��	RV�[���P/��=Y��5T(���&_I|�*����&�kk0@�n
���A&L��9~�3%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsAccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport FileFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import / Export now uses JSON in favour of XMLImport Field GroupsImport FileImport file emptyImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-02-06 10:08+1000
PO-Revision-Date: 2018-05-05 14:02+0700
Last-Translator: 
Language-Team: Elliot Condon <e@elliotcondon.com>
Language: hr_HR
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 2.0.7
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
X-Poedit-SourceCharset: UTF-8
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
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);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPath-1: acf-pro-hr/acf.pot
X-Poedit-SearchPathExcluded-0: *.js
Nekoliko polja treba vašu pažnje: %dDodano: %s%s već postojiPolja duplicirana (%s).Polja duplicirana (%s).Polja duplicirana (%s).Polja sinkronizirana (%s).Polja sinkronizirana (%s).Polja sinkronizirana (%s).%s je obavezno(bez naziva)Dodaj polje1 polje treba vašu pažnju<b>Greška</b>. Greška prilikom spajanja na server<b>Greška</b>. Greška prilikom učitavanja dodataka<b>Odaberite</b> koje grupe želite <b>sakriti</b> prilikom uređivanja.Novo polje za ugnježdeni sadržajBolje korisničko iskustvo korištenja prilagođenih poljaACF PRO uključuje napredne funkcionalnosti kao ponavljajuća polja, modularni raspored, galerija slika i mogućnost dodavanja novih stranica u postavkama administracije!ACF od sada sprema postavke polja kao objektMulti proširenoAktiviraj licencuAktivanAktivno <span class=“count”>(%s)</span>Aktivno <span class=“count”>(%s)</span>Aktivno <span class=“count”>(%s)</span>DodajDodaj odabir ’ostalo’ za slobodan unostDodaj / UrediDodaj datotekuDodaj slikuDodaj sliku u galerijuDodajDodaj poljeDodaj novo poljeDodaj novi razmještajDodaj redDodaj razmještajDodaj odabirDodaj redDodaj skup pravilaDodaj u galerijuDodaciAdvanced Custom FieldsNadogradnja baze ACFAdvanced Custom Fields PROSveSvi oblici %sSva 4 premium dodakta od sada su ukomponiranu u novu <a href=“%s”>Pro verziju ACF</a>. Sa novim osobnom i razvojnom opcijom licenciranja, premium funkcionalnost je dosupnija i povoljnija nego prije!Sva polje iz %s skupa poljaSve slikeSvi tipoviSve taksonomijeSve ulogeOmogući ‘dodatne’ vrijednostiOmogući odabir arhive tipovaObogući dodatnePrikažite HTML kodove kao tekst umjesto iscrtavanjaDozvoli null vrijednost?Omogući kreiranje pojmova prilikom uređivanjaOmogući prikaz ovog accordion polja bez zatvaranje ostalih.Dozvoljeni tipovi datotekaAlternativni tekstPrikazPrikazuje se iza poljaPrijazuje se ispred poljaPrikazuje se prilikom kreiranje nove objavePrikazuje se unutar poljaUmetni na krajUmetni na krajPrijaviArhivaJeste li sigurni?PrilogAutorDodaj novi red - &lt;br&gt;Dodaj paragrafOsnovnoPrije nego što počnete koristiti nove mogućnosti, molimo ažurirajte bazu podataka na posljednju verziju.Iznad oznakeIspod oznakeBolji prikaz formi na web straniciBolja upravljanje stranica sa postavkamaBolja verifikacija poljaBolje upravljanje verzijamaBlokOboje (podatkovni niz)Skupne akcijeGrupne akcijeSkup dugmadiTekst gumbaOtkažiPotpisKategorijeCentrirajCentriraj prilikom učitavanjaPopis izmjenaOgraniči broj znakovaProvjeri ponovnoSkup dugmadiPod-stranica (Ima matičnu stranicu)OdabirMogući odabiriUkloniUkloni lokacijuKliknite “%s” gumb kako bi započeki kreiranje rasporedAktiviraj vizualno uređivanje na klikKlikni za uključivanje/isključivanjeZatvoriZatvori poljeZatvori prozorSakrij detaljeSklopljenoOdabir bojeDodaj kao niz odvojen zarezom, npr: .txt, .jpg, ... Ukoliko je prazno, sve datoteke su dozvoljeneKomentarKomentariUvjet za prikazSpoji odabrane pojmove sa objavomSadržajUređivač sadržajaOdređuje način prikaza novih linijaKopiraj u međuspremnikKreiraj pojmoveOdaberite pravila koja određuju koji prikaz će koristiti ACF poljaTrenutna bojaTrenutni korisnikTrenutni tip korisnikaTrenutna vezijaDodatna poljaPrilagođeno:Prilagodite WordPress sa moćnim, profesionalnim i intuitivnim dodatnim poljima.Uredi visinu mapePotrebno je nadograditi bazu podatakaBaza podataka je nadograđena. <a href=“%s”>Kliknite ovdje za povratak na administraciju WordPress mreže</a>Nadogradnja baze je dovršena. <a href="%s">Pogledajte što je novo</a>Odabir datumaZavršenoDanasSlijedećiPrethodniTjedanOdabir datuma i sataPrije podnePrije podneZavršenoTrenutno vrijemeSatMikrosekundaMilisekundaMinutaPoslije podnePoslije podneSekundaOdaberiOdaberi vrijemeVrijemeVremenska zonaDeaktiviraj licencuZadanoZadani predložakZadana vrijednostPreciziraj prijelomnu točku za prethoda polja accordion. Ovo će omogućiti novi skup polja nakon prijelomne točke.Preciziraj prijelomnu točku za prethodne kartice. Ovo će omogućiti novi skup kartica nakon prijelomne točke.Odgodi učitavanje?ObrišiObrišiObriši poljeOpisRaspravaPrikazFormat prikazaPrikaži accordion polje kao otvoreno prilikom učitavanja.Prikazuje tekst uz odabirni okvirDokumentacijaPreuzimam datotekePresloži polja povlačenjemDuplicirajDupliciraj razmještajDupliciraj poljeDuplicirajJednostavno ažuriranjeUrediUredi poljeUredi poljeUredi datotekuUredi slikuUredi poljeUredi skup poljaElementiElliot CondonEmailDimenzija umetkaPrijelomna točkaPoveznicaSvaki odabir je potrebno dodati kao novi red.Unesite svaku novu vrijednost u zasebnu linijuGreška prilikom prijenosa datoteke, molimo pokušaj ponovnoGreška prilikom verifikacijeGreška.Onemogući HTMLIzvadakProšireni prikazIzvezi skup poljaDatoteka za izvozIstaknuta slikaPoljeGrupa poljaGrupe poljaOznaka poljaNaziv poljaNaziv poljaTip poljaSkup polja izbrisan.Skica ažurirana.Skup polja %s dupliciranSkup polja objavljen.Skup polja spremljen.Skup polja je označen za.Postavke svakog polja uključuju dodatna polja, polje za opis i polje za upute namjenjene korisnikuSkup polja je spremljen.Skup polja sinkroniziran. %sNaziv polja je obaveznaSkup polja ažuriran.Skup polja sa nižim brojem će biti više pozicioniranTip polja ne postojiPoljaOd sada je moguće dodati polja na sve stranice, uključujući komentare, stranice za uređivanje korisnika i widgete!DatotekaVrijednost kao nizVrijednost kao IDPutanja datotekeNaziv datotekeVeličina datotekeVeličina datoteke mora biti najmanje %s.Datoteke ne smije biti veća od %s.Tip datoteke mora biti %s.Filtriraj po tipu postaFiltriraj prema taksonomijiFiltar prema uloziFilteriPronađi trenutnu lokacijuFleksibilno poljePotrebno je unijeti najmanje jedno fleksibilni poljeZa bolju kontrolu unesite oboje, vrijednost i naziv, kao npr:Verifikacija polja se sada obavlja asinkrono (PHP + AJAX) umjesto dosadašnjeg načina (Javascript)FormatFormePočetna stranicaPuna veličinaGalerijaGeneriraj PHP kodDoviđenja dodaci, upoznajte PRO verzijuGoogle mapaSkup poljaSkupno (Prikazuje odabrana polja kao dodatni skup unutar trenutnog polja)VisinaSakrijVisoko (nakon naslova)HorizontalnoUkoliko je više skupova polja prikazano na istom ekranu, postavke prvog skupa polja će biti korištene (postavke polja sa nižim brojem u redosljedu)SlikaPodaci kao nizID slikePutanja slikeVisina slike mora biti najmanje %dpx.Visina slike ne smije biti veća od %dpx.Širina slike mora biti najmanje %dpx.Širina slike ne smije biti veća od %dpx.Uvoz / Izvoz sada koristi JSON umjesto XMLUvoz skupa poljaDatoteka za uvozOdabrana datoteka za uvoz ne sadržiUnaprijeđeno upravljanje podacimaUnaprijeđen dizajnPoboljšana uporabljivostNeaktivnoNeaktivno <span class=“count”>(%s)</span>Neaktivnih: <span class=“count”>(%s)</span>Neaktivnih: <span class=“count”>(%s)</span>Uključivanje popularne biblioteke Select2 poboljšano je korisničko iskustvo i brzina na velikom broju polja.Nedozvoljeni format datotekeInfoUmetniInstaliranoPozicija uputaUputeUpute priliko uređivanja. Vidljivo prilikom spremanja podatakaPredstavljamo ACF PROPrije nego nastavite preporučamo da napravite sigurnosnu kopiju baze podataka. Jeste li sigurni da želite nastaviti ažuriranje?KljučOznakaPozicija oznakeOznake će biti prikazane kao %sVelikaPosljednja dostupna verzijaFormatOstavite prazno za neograničenoLijevo poravnatoDužinaZbirkaInformacije o licenciLicencaOgraniči odabir iz zbirkePoveznicaVrijednost kao nizPutanja povezniceUčitaj pojmoveUčitaj pojmove iz objaveUčitavanjeUčitavanje polja iz JSON datotekeLociranje u tijekuLokacijaPrijavljenMnoga polja su vizualno osvježena te time ACF sada izgleda bolje nego ikad prije!MaksimumMaksimumNajvišeMaksimalno redovaMaksimalni odabirMaksimumMaksimalnoMaksimalni broj redova je već odabran ({max})Već ste dodali najviše dozovoljenih poljaVeć ste dodali najviše dozvoljenih vrijednosti (najviše: {max})Polje {label} smije sadržavati najviše {max} {identifier}SrednjaIzbornikStavka izbornikaLokacije izbornikaIzborniciPorukaMinimumMinimumNajmanjeMinimalno redovaMinimalni odabriMinimumMinimalnoMinimalni broj redova je već odabran ({min})Minimalna vrijednost je {min}Više AJAX-aViše polja koristi asinkrono pretraživanje kako bi učitavanje stranice bilo bržePremjestiPremještanje dovršeno.Premjesti poljePremjesti poljePremjeti polje u drugu skupinuPremjesti u smeće?Premještanje poljaViše odabiraMulit-proširenjeOmogući odabir više vrijednostiNazivTekst poljeDodaj poljeNovo poljeNove formeNova galerijaBroj linijaNovo postavke polja Veza za filter (pretraga, tip objekta, taksonomija)Nove postavkeNova skupina ‘arhiva’ prilikom odabira polja page_linkNova opcija izvoza u JSON omogućuje verziranjeNova mogućnost automatskog izvoza u JSON oblikuNova funkcionalnost polja omogućuje premještanje polja i skupa poljaNova funkcionalnost kod dodavanja stranica za postavke omogućuju dodavanje izvornih i pod stranica izbornikaNeNiste dodali nijedan skup polja na ovu stranicu, <a href=“%s”>Dodaj skup polja</a>Niste dodali nijedno poljeNije pronađena nijedna stranicaNije pronađeno nijedno poljeNije pronađeno nijedno polje u smećuBez obradeNije pronađen nijedan umetak za unesenu adresu.Niste odabrali poljeNema polja. Kliknite gumb <strong>+ Dodaj polje</strong> da bi kreirali polje.Niste odabrali datotekuNema odabranih slikaNema rezultataNe postoji stranica sa postavkamaNema %sNema polja koji omoguću korisniku odabirNema novih nadogradnji.Bez odabiraNormalno (nakon saržaja)NullBrojTekst za neaktivno stanjeTekst za aktivno stanjeOtvoriOtvori u novom prozoru/karticiPostavkePostavkePostavke spremljeneRedni brojRedni broj.DrugoStraniceAtributi straniceURL straniceMatična stranicaPredložak straniceTip straniceMatičniMatičan stranica (Ima podstranice)Matično poljeLozinkaStalna vezaZadana vrijednostPozicijaMolimo provjerite da su svi premium dodaci (%s) ažurirani na najnoviju verziju.Unesite licencu kako bi mogli izvršiti nadogradnjuOdaberite lokaciju za ovo poljePozicijaObjavaKategorija objaveFormat objaveID objaveObjektStatus objaveTaksonomija objavePredložak straniceTip objaveObjava ažuriranaStranica za objaveSuper mogućnostiDodaj prefiks ispred oznakeDodaj prefiks ispred naziva poljaUmetni ispredDodaj okvir za izbor koji omogućje odabir svih opcijaUmetni na početakVeličina prikaza prilikom uređivanja straniceProObjaviRadiogumbRadiogumbiRasponPročitajte više o <a href=“%s”>mogućnostima ACF PRO</a>.Učitavam podatke za nadogradnju…Nova arhitektura polja omogućuje pod poljima da budu korištena zasebno bez obzira kojem skupu polja pripadaju. Ovo vam omogućuje premještanje polja iz jednog skupa u drugi!RegistrirajRelacijskiVezaPolje za povezivanje objektaUkloniUkloni razmještajUkloni redPresložiPresloži polja povlačenjemPonavljajuće poljeObavezno?MaterijaliOgraniči tip datoteka koji se smije uvestiOgraniči koje slike mogu biti dodaneOgraničen pristupFormat za prikaz na web straniciVrati vrijednostObrnuti redosljedPregledaj stranice i nadogradiRevizijaRedBroj redovaPravilaSpremi ‘dodatne’ vrijednosti i prikaži ih omogući njihov odabirSpremi ostale vrijednosti i omogući njihov odabirSpremiSpremi formatSpremi ostaleSpremi pojmoveBezZamjena (Prikazuje odabrana polja umjesto trenutnog polja)PretražiPretraži poljaPretraži poljaPretraži po adresi...Pretraga…Pogledaj što je novo u <a href="%s">%s verziji</a>.Odaberi %sOdaberite bojuOdaberite skup poljaOdaberite datotekuOdaberi slikuOdaberite poveznicuOdaberite pod polje koje će biti prikazano dok je red sklopljenDozvoli odabir više vrijednosti?Odaberite jedno ili više polja koja želite kloniratiOdaberi tip postaOdebarite taksonomijuOdaberite ACF JSON datoteku koju želite uvesti. Nakon što kliknete ‘Uvezi’ gumb, ACF će uvesti sva polja iz odabrane datoteke.Odaberite izgled poljaOdaberite polja koja želite izvesti i zatim odaberite željeni format. Klikom na gumb “preuzimanje”, preuzmite .json datoteku sa poljima koju zatim možete uvesti u drugu ACF instalaciju.
Klikom na “generiraj” gumb, izvezite PHP kod koji možete uključiti u WordPress temu.Odaberite taksonomiju za prikazMolimo obrišite 1 znakMolimo obrišite višak znakova - %d znak(ova) je višakMolimo unesite 1 ili više znakovaMolimo unesite najmanje %d ili više znakovaNeuspješno učitavanjeUčitavam rezultate&hellip;Nema rezultataJedan rezultat dostupan, pritisnite enter za odabir.%d rezultata dostupno, za pomicanje koristite strelice gore/dole.Pretražujem&hellip;Moguće je odabrati samo jednu opcijuOdabir opcija je ograničen na najviše %dOdabrani elementi bit će prikazani u svakom rezultatuPošalji povratnu vezuRazdjelnikPostavi zadanu vrijednost uvećanjaPodesi visinu tekstualnog poljaPostavkePrikaži gumb za odabir datoteka?Prikaži ovaj skup polja akoPrikaži polje akoVidljivo u popisuPrikazuje se prilikom unosa podatakaSlična poljaDesni stupacJedan odabirJedna riječ, bez razmaka. Povlaka i donja crta su dozvoljeniWeb stranicaNema novih ažuriranja za web stranicaZa web stranicu je potrebna nadogradnja baze podataka iz %s na verziju %sSlugPametnije postavkeNažalost, ovaj preglednik ne podržava geo lociranjeRazvrstaj po datumu zadnje promjeneRazvrstaj po datumu dodavanjaRazvrstaj po naslovuSpamVrijednost koja će biti vraćena na pristupnom dijeluOdaberite način prikaza kloniranog poljaOdaberite način prikaza odabranih poljaPreciziraj vrijednost za povratPrecizirajte gdje se dodaju novi priloziZadano (WP metabox)StatusKorakStilStilizirano sučeljePod poljaSuper AdminPodrškaJSON umjesto XMLSinkronizirajSinkronizacija dostupnaSinkroniziraj skup poljaKarticaTablicaKarticeOznakeTaksonomijaPojam takosnomijeVrijednost kao: ID pojmaVrijednost pojma kao objektTekstTekst poljeSamo tekstualnoTekst prikazan dok je polje aktivnoTekst prikazan dok je polje neaktivnoHvala što koristite <a href="%s">ACF</a>.Hvala što ste nadogradili %s na v%s!Ažuriranje dovršeno, hvala! ACF %s je veći i bolji nego ikad prije. Nadamo se da će vam se svidjet.Polje %s od sada možete naći na drugoj lokacaiji, kao dio %s skupa poljaIzmjene koje ste napravili bit će izgubljene ukoliko napustite ovu stranicuNavedeni kod možete koristiti kako bi registrirali lokalnu verziju odabranih polja ili skupine polja. Lokalna polje pružaju dodatne mogućnosti kao što je brže očitavanje, verzioniranje i dinamičke postavke polja. Jednostavno kopirajte navedeni kod u functions.php datoteku u vašoj temi ili uključite ih kao vanjsku datoteku.Ažuriranje baze podatak dovršeno. Provjerite koje web stranice u svojoj mreži želite nadograditi i zatim kliknite %s.Format za prikaz prilikom administracijeFormat koji vraća funkcijaFormat koji će biti spremljenPolje Galerija je dobilo novi izgledPolje ne može započinjati sa “field_”, odabrite drugi nazivPotrebno je spremiti izmjene prije nego možete premjestiti poljePolje je ograničeno na najviše {max} {identifier}Polje mora sadržavati najmanje {min} {identifier}Polje mora sadržavati najmanje {min} {label} {identifier}Naziv koji se prikazuje prilikom uređivanja straniceSličicaOdabri vremena (sat i minute)TinyMCE neće biti učitan dok korisnik ne klikne na poljeNazivDa bi omogućili automatsko ažuriranje, molimo unesite licencu na stranici <a href=“%s”>ažuriranja</a>. Ukoliko nemate licencu, pogledajte <a href=“%s”>opcije i cijene</a>.Kako bi pojednostavili ažuriranje, <a href=“%s”>prijavite se s vašim računom</a> i osigurajte besplatnu verziju ACF PRO!Da bi omogućili ažuriranje, molimo unesite vašu licencu i polje ispod. Ukoliko ne posjedujete licencu, molimo posjetite <a href=“%s” target=“_blank”>detalji i cijene</a>.Prikaži/SakrijSakrij sveAlatna trakaAlatiMatična stranica (Nije podstranica)Poravnato sa vrhomTrue / FalseTipIspod haubeNepoznato poljeNepoznato poljeNepoznat skup poljaAžurirajDostupna nadogradnjaAžuriraj datotekuAžuriraj slikuAžuriraj informacijeNadogradi dodatakAžuriranjaNadogradi bazu podatakaObavijest od nadogradnjamaAžuriraj straniceNadogradnja završenaNadogradnja na verziju %sDodani uz trenutnu objavuPostavljeno uz ovu objavuPoveznicaAsinkrono učitaj dostupne odabire?KorisnikKorisnički obrazacTip korisnikaKorisnik nije u mogućnosti dodati %sVerificiraj emailVerifikacija nije uspjelaUspješna verifikacijaVrijednostVrijednost mora biti brojVrijednost molja biti valjanaUnešena vrijednost mora biti jednaka ili viša od %dUnešena vrijednost mora biti jednaka ili niža od %dVrijednosti će biti spremljene kao %sVertikalnoPregledaj poljePregledaj poljePrikazuje administracijki dioPrikazuje web stranicuVizualnoVizualno i tekstualnoSamo vizualniProvjeriti <a href=“%s”>upute za ažuriranje</a> ako imate dodatnih pitanja, ili kontaktirajte našu <a href=“%s”>tim za podršku</a>Mislimo da će vam se svidjeti promjene u %s.Mijanjamo način funkcioniranja premium dodataka, od sada mnogo jednostavnije!Web mjestoTjedan počinjeAdvanced Custom Fields vam želi dobrodošlicuŠto je novoWidgetŠirinaZnačajke prethodnog elementaVizualno uređivanjeDaUvećajacf_form() funkcija od sada omogućuje dodavanje nove objave prilikom spremanjaiodabranoklasakopirajhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idje jednakoje drukčijejQueryrasporedrasporediKlonirajOdaberioEmbedilicrvena : Crvenaukloni {layout}?UrediOdaberiAžurirajširina{available} {label} {identifier} preostalo (najviše {max}){required} {label} {identifier} obavezno (najmanje {min})PK�
�[j!Y�����lang/acf-cs_CZ.monu�[�������*H8I8e8n86�8:�8D�879
L9
W9b9o9{90�9)�9=�9/:�E:	�:�:;M;Z;-^;
�;�;	�;�;�;
�;�;�;�;
<<<"<1<@<H<_<z<~<��<e=
�=�=�=�=!�=�=�=A�=A>,M>4z>�>�>
�>�>�> ?(?A?H?Z?`?
i?
w?�?�?�?�?�?�?�?�?@@C@c@p@}@�@�@�@
�@�@�@	�@�@�@�@�@AA%A-A3A9BA|A�A�A�A�A�A�A	�A�A/�A+B3B<B"NBqByB#�B�B�B�B[�B
.C<CIC[C
kCyCE�C�C�CG�C:BD}D�D �D�D�DEE0E!NE"pE#�E!�E,�E,F%3FYF!wF%�F%�F-�F!G*5G`GsG{G
�GZ�GV�GLHbH
iHwH�H
�H�H�H,�H$�H
II%I	5I?IPI`ItI�I�I
�I�I	�I
�I
�I�I�I
�IJ
JJ	J %J&FJ&mJ�J�J�J�J�J1�J	KKK*K
7KBK
NK
YKdKyK�K�K�K�Ki�K^LuL�L�L1�L�LMTMmM
rM}M�M	�M	�M�M"�M�M�MN!N0N8NNN+_NC�N@�NOOO
&O	1O;OCOPO
kOvO=|O�O
�O�O�O�O�O

P�P�P�P�P	�P#�P"�P"Q!+QMQaQmQ/Q
�Q�Q�Q�QQ�Q�;R�R�R�R	�RSS4*S_SysS�S�S�ST&T,T;TBT[ThToTwT�T�T�T
�T
�T�T
�T�TU
	UU	U�'U�U�U�U�U�U
V
V!VAV'[V�V�V	�V�V�V�V�V�V�V�V�V
�V
�V!
W	/W9W=LW�W�W�W
�W�W�W
�WXXX,X11XcX	pXzX�X	�XU�X�XM
YRXY�Y`�YZ%ZDZTZ
mZ{ZT�Z�Z�Z[[4[C[^[t[�[�[�[�[�[�[�[�[�[�[	�[�[\\	\!\
-\	;\E\L\g\	p\z\	�\Z�\5�\+&],R]]�]
�]�]�]�]�]
�]
�]	�]�]
�]^^+^>^/F^v^�^�^�^�^
�^�^2�^�^�_�_
�_�_�_
�_
�_�_``	`	(`$2`%W`
}`
�`�`�`�`	�`�`�`�`+�`*a@aLa
Xa
cana3�a�a�a
�a�a	�a.b	0b:bGb[bgbtb0�b�b+�b�bc�c#�c�c#�d5�d73e>ke?�e#�e1f%@fGffV�f&g:,g<gg2�g�g�gh	h"h=hVh_hzh�h�h�h�h�h6�h"i'i,:igi0li�i�i
�i
�i'�i0
j4>jsj'�j�j�j	�j�j�j
�j�jkkk"k:k>kDkIkNkWk_kkk	pk	zk�k�k1�k!�kZl3clB�lU�lE0mAvmZ�mAn^Uo(�o*�o#p^,p@�p<�p4	q7>q3vqL�q	�qr5
rCr�Ir��r�s
�s�s�s�s�s�s�s�s
�s�stt#t/t<t
Ot]tetvt
�t�t�t�tW�t*u;uQuUutu
yu	�u�u�u	�u�u�u�u�u�uvv$v:vMvcvyv�v(�v'�v�vw
w*w;wLw^w
ewsw�w'$xMLx�x�x!�x
�x�x�x�x�x
yyMydyhynysy%�y�y�y�y�y�y�y
�y�y
zzz	!z	+z5zAzMz6Sz4�z\�z'~D~P~[a~g�~\%������9�-)�HW������q�z���|���9�T�g�v���
�������
�$�8�H�a�t�}��������Ƀ ��DŽل���&$�K�g�@x���1̅=��<�T�g�n���1��ц�����	$�.�!4�V�
v�����(����чևE�(�7�F�Y�k�s�	{���)����ȈՈ���"�'�	-�7�?�NN�"����
ى�
�
����
'�H5�
~�����'��ъ
׊)�
��6�gF�����ԋ�
�	�_�{���R��N�P�]�d�i�x�����������������ȍԍۍߍ�������'�<�O�Ra�Y���(�/�E�Q�W�
_�j�@}�.����� �
1�<�V�f����������Ԑ����
�,�2�E�R�'^�2��8�����'�@�\R���ƒ
˒
ْ
�
�����$0�U�t�����{œA�"Z�$}���6�����q�����
��������(Е(��"�=�]�u�������@��?�]B����� ��՗���
��$�0�<�:D����
�����������
������*��*�+�+;�g��� ��Y��
� �2�
L��W��ڛ��	����ÜМ	�9�+�gB������� Н����,�H�W�^�g�{�������
��˞
ݞ�	��%�1��>�ߟ����(�<�5R���:��	�����#�+�/�7�O�`�t���5��ԡ�U�
F�Q�`�y� ��$��Ϣߢ����$�)�
6�A�U�
u�R��֣Z�VB���b��&��.&�U� n���&��dΥ3�F�"f���
��-��(�
�!�&�.�@�	P�"Z�}���������Ч֧ߧ���(�5�#<�`�
f�t���n��J��:J�(������©ש����"�9�O�`�{�������ʪ?٪�.�@�
D�O�[�n�Fw����ݫ��	����	������Ϭ �	�
��( �0I�z�������$����
�)�&=�d�u�
��
����.����
��	)�:3�	n�
x���
������>Ư�6�Q�i��z�
�5(�^�|���#��$ײ��)�";�M^�K���� �!0�/R�����&��ڴ.�!�
7�)B�"l�����ɵ
��=�D�M�4f���;��޶���!�20�=c�;��%ݷ,�0�I�N�]�$b�������
����׸	���	��	�#�,�9�
>�
L�#W�%{�1��(ӹq��-n�F��_�KC�?��Hϻj�t��-��(&�*O�Vz�>Ѿ>�.O�7~�5��>�	+�
5�7C�{�����B�	���	�4�C�R�d�	h�r���������������!�8�T�h�����R����
;�*F�	q�{���
������(����#�:�B�S�d�}�������&��.�-3�a���
������������
����+��M�^�o�!��
��������������b��^�`�
h�s�%����������,����'�.�5�A�F�Z�b�i�u�6~�4��^��SRp���@0\�7��$&���qC�wQX�H8u"(���a7c����B\m]/R�NTL�
)[�!�i��� ��P����7�+��y��&|��6*�f��+6n^"g_��0&���oP.����=�5f�e�����:�b s[!sd^%�K����F���3�ik�.��-�9��@�]O��t����g��q��	����V�tSlB�$�<�)���u���k0x�hPB���Gl'���#��Io1Riz,�Ya%*���+�q��D�Zf�Z5b�?�AT��;����>L��a�8���-�p��{XU�Y�15���V�|��3�{�;�	(r�t#>jQ3EK-h~$�p�9�y`xD�L��}���O��S8'Dz
�4WA>
~2M`Ve��H��@�
��F�E���d4F=��w2�GW�UnG�M�v����1�j��vU�N�����`�h�n��}�c���}I�����m�e#�b�OJ9WZ�����������y��c4/��{E�������];)�(�T���N���Q�[�,���w:���
���"�	��u�z�6C<�*j�'�l ��=�I:������k�\MrY2H/CJ<.vs_�,X��
�x��o?����?J����|g%��A��~mr�����_K�d!�%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-09-06 12:21+1000
PO-Revision-Date: 2018-12-11 09:20+0100
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: webees.cz s.r.o. <jakubmachala@webees.cz>
Language: cs_CZ
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 2.2
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Několik polí vyžaduje pozornost (%d)%s přidán%s již existuje%s skupina polí duplikována.%s skupiny polí duplikovány.%s skupin polí duplikováno.%s skupina polí synchronizována.%s skupiny polí synchronizovány.%s skupin polí synchronizováno.%s vyžaduje alespoň %s volbu%s vyžaduje alespoň %s volby%s vyžaduje alespoň %s voleb%s hodnota je vyžadována(bez štítku)(bez názvu)(toto pole)+ Přidat pole1 pole vyžaduje pozornost<b>Chyba</b>. Nelze se připojit k serveru a aktualizovat<b>Chyba</b>. Nelze načíst seznam doplňků<b>Zvolte</b> položky, které budou na obrazovce úprav <b>skryté</b>.Plynulejší zážitekACF PRO obsahuje výkonné funkce, jako jsou opakovatelná data, flexibilní rozložení obsahu, krásné pole galerie a možnost vytvářet další stránky administrátorských voleb!AkordeonAktivujte licenciAktivníAktivní <span class="count">(%s)</span>Aktivní <span class="count">(%s)</span>Aktivních <span class="count">(%s)</span>PřidatPřidat volbu 'jiné', která umožňuje vlastní hodnotyPřidat / EditovatPřidat souborPřidat obrázekPřidat obrázek do galeriePřidat novéPřidat nové polePřidat novou skupinu políPřidat nový typ zobrazeníPřidat řádekPřidat typ zobrazeníPřidat novou volbuPřidat řádekPřidat skupinu pravidelPřidat do galerieDoplňkyAdvanced Custom FieldsAdvanced Custom Fields PROVšeVšechny formáty %sVšechny 4 prémiové doplňky byly spojeny do nové verze <a href="%s">Pro pro ACF</a>. Se svými osobními i vývojovými licencemi je prémiová funkčnost cenově dostupná a přístupnější než kdykoli předtím!Všechna pole z skupiny polí %sVšechny obrázkyVšechny typy příspěvkůVšechny taxonomieVšechny uživatelské rolePovolit přidání 'vlastních' hodnotUmožnit URL adresy archivuPovolit vlastníNevykreslovat efekt, ale zobrazit značky HTML jako prostý textPovolit prázdné?Povolit vytvoření nových pojmů během editacePovolit otevření tohoto akordeonu bez zavření ostatních.Povolené typy souborůAlternativní textVzhledZobrazí se za inputemZobrazí se před inputemObjeví se při vytváření nového příspěvkuZobrazí se v inputuZobrazit poPřidat na konecPoužítArchivyJste si jistí?PřílohaAutorAutomaticky přidávat &lt;br&gt;Automaticky přidávat odstavceZákladníPod poliPod štítkyLepší vizuální stránka formulářůLepší validaceBlokObě (pole)Import i export lze snadno provést pomocí nové stránky nástroje.Hromadné akceHromadné akceSkupina tlačítekNápis tlačítkaZrušitPopisekKategorieVycentrovatVycentrovat počáteční zobrazení mapySeznam změnLimit znakůZkontrolujte znovuZaškrtávátkoZaškrtnutoPodřazená stránka (má rodiče)VolbaMožnostiVymazatVymazat polohuKlikněte na tlačítko "%s" níže pro vytvoření vlastního typu zobrazeníKlikněte pro inicializaci TinyMCEKlikněte pro přepnutíKlonovat poleZavřítZavřít poleZavřít oknoSbalit podrobnostiSbalenoVýběr barvySeznam oddělený čárkami. Nechte prázdné pro povolení všech typůKomentářKomentářePodmíněná logikaPřipojte vybrané pojmy k příspěvkuObsahEditor obsahuŘídí, jak se vykreslují nové řádkyZkopírovánoZkopírovat od schránkyVytvořit pojmyVytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita tato vlastní poleAktuální barvaAktuální uživatelAktuální uživatelská roleSoučasná verzeVlastní poleVlastní:Upravte si WordPress pomocí výkonných, profesionálních a intuitivně použitelných polí.Upravit výšku mapyVyžadován upgrade databázeAktualizace databáze je dokončena. <a href="%s">Návrat na nástěnku sítě</a>Upgrade databáze byl dokončen. <a href="%s">Podívejte se, co je nového</a>Výběr dataHotovoDnesNásledujícíPředchozíTýdenVýběr data a časudopodHotovoNyníHodinaMikrosekundaMilisekundaMinutaodpdoVteřinaVybratZvolit časČasČasové pásmoDeaktivujte licenciVýchozí nastaveníVýchozí šablonaVýchozí hodnotaDefinujte koncový bod pro předchozí akordeon. Tento akordeon nebude viditelný.Definujte koncový bod pro předchozí záložky. Tím se začne nová skupina záložek.Zpoždění inicializace?SmazatSmazat typ zobrazeníSmazat polePopisDiskuzeZobrazovatFormát zobrazeníZobrazit tento akordeon jako otevřený při načtení stránky.Zobrazí text vedle zaškrtávacího políčkaDokumentaceStáhnout a instalovatPřetažením změníte pořadíDuplikovatDuplikovat typ zobrazeníDuplikovat poleDuplikovat tuto položkuSnadný import/exportSnadná aktualizaceUpravitUpravit poleUpravit skupinu políUpravit souborUpravit obrázekUpravit poleEditovat skupinu políPrvkyElliot CondonEmailVelikost pro EmbedKoncový bodVložte URLZadejte každou volbu na nový řádek.Zadejte každou výchozí hodnotu na nový řádekChyba při nahrávání souboru. Prosím zkuste to znovuEscapovat HTMLStručný výpisRozbalit podrobnostiExportovat skupiny políExportovat souborExportovaná 1 skupina polí.Exportované %s skupiny polí.Exportovaných %s skupin polí.Uživatelský obrázekPoleSkupina políSkupiny políKlíče políŠtítek poleJméno poleTyp poleSkupina polí smazána.Koncept skupiny polí aktualizován.Skupina polí duplikována. %sSkupina polí publikována.Skupina polí uložena.Skupina polí naplánována.Bylo přidáno nastavení skupiny polí bylo přidáno pro aktivní, umístění štítků, umístění instrukcí a popis.Skupina polí odeslána.Skupina polí synchronizována. %sVyžadován nadpis pro skupinu políSkupina polí aktualizována.Skupiny polí s nižším pořadím se zobrazí prvníTyp pole neexistujePolePole lze nyní mapovat na nabídky, položky nabídky, komentáře, widgety a všechny uživatelské formuláře!SouborPole souboruID souboruAdresa souboruJméno souboruVelikost souboruVelikost souboru musí být alespoň %s.Velikost souboru nesmí přesáhnout %s.Typ souboru musí být %s.Filtrovat dle typu příspěvkuFiltrovat dle taxonomieFiltrovat podle roleFiltryNajít aktuální umístěníFlexibilní obsahFlexibilní obsah vyžaduje minimálně jedno rozložení obsahuPro větší kontrolu můžete zadat jak hodnotu, tak štítek:Validace formuláře nyní probíhá prostřednictvím PHP + AJAX a to ve prospěch pouze JS.FormátFormulářeSvěží uživatelské rozhraníHlavní stránkaPlná velikostGalerieVytvořit PHPSbohem doplňkům. Pozdrav verzi PROMapa GoogleSkupinaSkupina (zobrazuje vybrané pole ve skupině v tomto poli)Skupinové poleMá libovolnou hodnotuNemá hodnotuVýškaSkrýt na obrazovceVysoko (po nadpisu)HorizontálníPokud se na obrazovce úprav objeví více skupin polí, použije se nastavení dle první skupiny polí (té s nejnižším pořadovým číslem)ObrázekPole obrázkuID obrázkuAdresa obrázkuVýška obrázku musí být alespoň %dpx.Výška obrázku nesmí přesáhnout %dpx.Šířka obrázku musí být alespoň %dpx.Šířka obrázku nesmí přesáhnout %dpx.Importovat skupiny políImportovat souborImportovaný soubor je prázdnýImportovaná 1 skupina políImportované %s skupiny políImportovaných %s skupin políVylepšené údajeZlepšený designVylepšená použitelnostNeaktivníNeaktivní <span class="count">(%s)</span>Neaktivní <span class="count">(%s)</span>Neaktivních <span class="count">(%s)</span>Zahrnutí oblíbené knihovny Select2 zlepšilo jak použitelnost, tak i rychlost v různých typech polí, včetně objektu příspěvku, odkazu na stránku, taxonomie a možnosti výběru.Nesprávný typ souboruInformaceVložitInstalovánoUmístění instrukcíInstrukceInstrukce pro autory. Jsou zobrazeny při zadávání datPředstavujeme ACF PRODůrazně doporučujeme zálohovat databázi před pokračováním. Opravdu chcete aktualizaci spustit?KlíčŠtítekUmístění štítkůŠtítky budou zobrazeny jako %sVelkýNejnovější verzeTyp zobrazeníNechte prázdné pro nastavení bez omezeníZarovnat zlevaDélkaKnihovnaInformace o licenciLicenční klíčOmezit výběr knihovny médiíOdkazPole odkazůOdkaz poleURL adresa odkazuNahrát pojmyNahrát pojmy z příspěvkůNačítáníLokální JSONUmístěníPřihlášenMnoho polí podstoupilo osvěžení grafiky, aby ACF vypadalo lépe než kdy jindy! Znatelné změny jsou vidět na polích galerie, vztahů a oEmbed (novinka)!MaxMaximumMaximální rozloženíMaximum řádkůMaximální výběrMaximální hodnotaMaximum příspěvkůMaximální počet řádků dosažen ({max} řádků)Maximální výběr dosaženDosaženo maximálního množství hodnot ( {max} hodnot )StředníNabídkaPoložka nabídkyUmístění nabídkyNabídkyZprávaMinMinimumMinimální rozloženíMinimum řádkůMinimální výběrMinimální hodnotaMinimum příspěvkůMinimální počet řádků dosažen ({min} řádků)Více AJAXuDalší úpravyVíce polí využívá vyhledávání pomocí AJAX pro rychlé načítání stránky.PřesunoutPřesun hotov.Přesunout vlastní polePřesunout polePřesunout pole do jiné skupinyPřesunout do koše. Jste si jistí?Pohyblivá poleVícenásobný výběrVícenásobné rozbaleníVíce hodnotJménoTextNové funkceNové poleNová skupina políUmístění nového formulářeNové řádkyByly přidány nové akce a filtry PHP (a JS), které umožňují další úpravy.Nová nastaveníNová funkce automatického exportu do JSONu zvyšuje rychlost a umožňuje synchronizaci.Nová funkčnost skupiny polí umožňuje přesouvání pole mezi skupinami a rodiči.NeNebyly nalezeny žádné vlastní skupiny polí. <a href="%s">Vytvořit vlastní skupinu polí</a>Nebyly nalezeny žádné skupiny políV koši nebyly nalezeny žádné skupiny políNenalezeno žádné poleV koši nenalezeno žádné poleŽádné formátováníNebyly vybrány žádné skupiny políŽádná pole. Klikněte na tlačítko<strong>+ Přidat pole</strong> pro vytvoření prvního pole.Dokument nevybránNení vybrán žádný obrázekNebyly nalezeny žádné výsledkyNeexistuje stránka nastaveníNic pro %sŽádné zapínatelné pole není k dispoziciK dispozici nejsou žádné aktualizace.Normální (po obsahu)NulaČísloText (neaktivní)Text (aktivní)OtevřítOtevřít v novém okně/záložceKonfiguraceStránka konfiguraceNastavení aktualizovánoPořadíPořadové č.JinéStránkaAtributy stránkyOdkaz stránkyRodičovská stránkaŠablona stránkyTyp stránkyRodičRodičovská stránka (má potomky)HesloTrvalý odkazZástupný textUmístěníZkontrolujte také, zda jsou všechny prémiové doplňky ( %s) nejprve aktualizovány na nejnovější verzi.Pro odemčení aktualizací zadejte prosím výše svůj licenční klíčVyberte alespoň jednu stránku, kterou chcete upgradovat.Prosím zvolte umístění pro toto polePozicePříspěvekRubrika příspěvkuFormát příspěvkuID příspěvkuObjekt příspěvkuStav příspěvkuTaxonomie příspěvkuŠablona příspěvkuTyp příspěvkuPříspěvek aktualizovánStránka příspěvkuVýkonné funkcePrefix štítku polePrefix jména poleZobrazit předPřidat zaškrtávátko navíc pro přepnutí všech možnostíPřidat na začátekVelikost náhleduProPublikovatPřepínačRadio přepínačeRozmezíPřečtěte si další informace o funkcích <a href="%s">ACF PRO</a>.Čtení úkolů aktualizace...Přepracování datové architektury umožnilo, aby podřazená pole žila nezávisle na rodičích. To umožňuje jejich přetahování mezi rodičovskými poli!RegistrovatRelačníVztahOdstranitOdstranit typ zobrazeníOdebrat řádekZměnit pořadíZměnit pořadí typu zobrazeníOpakovačPožadováno?ZdrojeOmezte, které typy souborů lze nahrátOmezte, které typy obrázků je možné nahrátOmezenoFormát návratové hodnotyVrátit hodnotuPřevrátit aktuální pořadíZkontrolujte stránky a aktualizujteRevizeŘádekŘádkyPravidlaUložit 'vlastní' hodnoty do voleb políUložit 'jiné' hodnoty do voleb políUložit vlastníUložit formátUložit JinéUložit pojmyBezokrajové (bez metaboxu)Bezešvé (nahradí toto pole vybranými poli)HledatHledat skupiny políVyhledat poleVyhledat adresu...Hledat...Podívejte se, co je nového ve <a href="%s">verzi %s</a>.Zvolit %sVýběr barvyZvolit skupiny políVybrat souborVybrat obrázekVybrat odkazZvolte dílčí pole, které se zobrazí při sbalení řádkuVybrat více hodnot?Vyberte jedno nebo více polí, které chcete klonovatZvolit typ příspěvkuZvolit taxonomiiVyberte Advanced Custom Fields JSON soubor, který chcete importovat. Po klepnutí na tlačítko importu níže bude ACF importovat skupiny polí.Vyberte vzhled tohoto poleVyberte skupiny polí, které chcete exportovat, a vyberte způsob exportu. Použijte tlačítko pro stažení pro exportování do souboru .json, který pak můžete importovat do jiné instalace ACF. Pomocí tlačítka generovat můžete exportovat do kódu PHP, který můžete umístit do vašeho tématu.Zvolit zobrazovanou taxonomiiProsím odstraňte 1 znakProsím odstraňte %d znakůProsím zadejte 1 nebo více znakůProsím zadejte %d nebo více znakůNačítání selhaloNačítání dalších výsledků&hellip;Nebyly nalezeny žádné výsledkyJeden výsledek je k dispozici, stiskněte klávesu enter pro jeho vybrání.%d výsledků je k dispozici, použijte šipky nahoru a dolů pro navigaci.Vyhledávání&hellip;Můžete vybrat pouze 1 položkuMůžete vybrat pouze %d položekVybrané prvky se zobrazí v každém výsledkuVýběr je větší nežVýběr je menší nežOdesílat zpětné linkování odkazůOddělovačNastavit počáteční úroveň přiblíženíNastavuje výšku textového poleNastaveníZobrazit tlačítka nahrávání médií?Zobrazit tuto skupinu polí, pokudZobrazit toto pole, pokudZobrazit v seznamu skupin políZobrazit při zadávání datNa straněJednotlivá hodnotaJedno slovo, bez mezer. Podtržítka a pomlčky jsou povolenyStránkyStránky jsou aktuálníStránky vyžadují aktualizaci databáze z %s na %sAdresaJe nám líto, ale tento prohlížeč nepodporuje geolokaciŘadit dle data změnyŘadit dle data nahráníŘadit dle názvuZjištěn spamZadat konkrétní návratovou hodnotu na frontenduUrčení stylu použitého pro vykreslení klonovaných políUrčení stylu použitého pro vykreslení vybraných políZadat konkrétní návratovou hodnotuUrčete, kde budou přidány nové přílohyStandardní (WP metabox)StavVelikost krokuStylStylizované uživatelské rozhraníPodřazená poleSuper AdminPodporaSynchronizaceSynchronizace je k dispoziciSynchronizujte skupinu políZáložkaTabulkaZáložkyŠtítkyTaxonomieID pojmuObjekt pojmuTextTextové polePouze textText zobrazený při aktivním poliText zobrazený při neaktivním poliDěkujeme, že používáte <a href="%s">ACF</a>.Děkujeme vám za aktualizaci na %s v%s!Děkujeme za aktualizaci! ACF %s je větší a lepší než kdykoli předtím. Doufáme, že se vám bude líbit.Pole %s lze nyní najít ve skupině polí %sSkupina polí poskytuje jednoduchý způsob vytvoření skupiny polí.Pole odkazu poskytuje jednoduchý způsob, jak vybrat nebo definovat odkaz (URL, název, cíl).Pokud opustíte tuto stránku, změny, které jste provedli, budou ztracenyKlonované pole umožňuje vybrat a zobrazit existující pole.Celý plugin je redesignován včetně nových typů polí a nastavení!Následující kód lze použít k registraci lokální verze vybrané skupiny polí. Místní skupina polí může poskytnout mnoho výhod, jako jsou rychlejší doby načítání, řízení verzí a dynamická pole / nastavení. Jednoduše zkopírujte a vložte následující kód do souboru functions.php svého motivu nebo jej vložte do externího souboru.Následující stránky vyžadují upgrade DB. Zaškrtněte ty, které chcete aktualizovat, a poté klikněte na %s.Formát zobrazený při úpravě příspěvkuFormát vrácen pomocí funkcí šablonyFormát použitý při ukládání hodnotyoEmbed pole umožňuje snadno vkládat videa, obrázky, tweety, audio a další obsah.Řetězec "pole_" nesmí být použit na začátku názvu poleToto pole nelze přesunout, dokud nebudou uloženy jeho změnyToto pole má limit {max}{label}  {identifier}Toto pole vyžaduje alespoň {min} {label} {identifier}Toto je jméno, které se zobrazí na stránce úpravTato verze obsahuje vylepšení databáze a vyžaduje upgrade.MiniaturaVýběr časuTinyMCE nebude inicializován, dokud nekliknete na poleNázevChcete-li povolit aktualizace, zadejte prosím licenční klíč na stránce <a href="%s">Aktualizace</a>. Pokud nemáte licenční klíč, přečtěte si <a href="%s">podrobnosti a ceny</a>.Chcete-li povolit aktualizace, zadejte prosím licenční klíč. Pokud nemáte licenční klíč, přečtěte si <a href="%s">podrobnosti a ceny</a>.PřepnoutPřepnout všeLišta nástrojůNástrojeStránka nejvyšší úrovně (žádný nadřazený)Zarovnat shoraPravda / NepravdaTypNeznámýNeznámé poleSkupina neznámých políAktualizaceAktualizace je dostupnáAktualizovat souborAktualizovat obrázekAktualizovat informaceAktualizovat pluginAktualizaceAktualizovat databáziUpozornění na aktualizaciUpgradovat stránkyAktualizace dokončena.Upgrade se nezdařil.Aktualizace dat na verzi %sUpgrade na ACF PRO je snadný. Stačí online zakoupit licenci a stáhnout plugin!Nahráno k příspěvkuNahrán k tomuto příspěvkuAdresa URLK načtení volby použít AJAX lazy load?UživatelPole uživatelůUživatelský formulářID uživateleObjekt uživateleUživatelská roleUživatel není schopen přidat nové %sOvěřit emailOvěření selhaloOvěření úspěšnéHodnotaHodnota obsahujeHodnota je rovnaHodnota je větší nežHodnota je menší nežHodnota není rovnaHodnota odpovídá masceHodnota musí být čísloHodnota musí být validní adresa URLHodnota musí být rovna nebo větší než %dHodnota musí být rovna nebo menší než %dHodnoty budou uloženy jako %sVertikálníZobrazit poleProhlížet skupinu políProhlížíte backendProhlížíte frontendGrafikaGrafika a textPouze grafikaTaké jsme napsali <a href="%s">průvodce aktualizací</a> na zodpovězení jakýchkoliv dotazů, ale pokud i přes to nějaký máte, kontaktujte prosím náš tým podpory prostřednictvím <a href="%s">Help Desku</a>.Myslíme si, že změny v %s si zamilujete.Měníme způsob poskytování prémiových funkcí vzrušujícím způsobem!Webová stránkaTýden začínáVítejte v Advanced Custom FieldsCo je novéhoWidgetŠířkaAtributy obalového poleWysiwyg EditorAnoPřiblíženíacf_form() může nyní vytvořit nový příspěvek po odeslání se spoustou nových možností.atřídakopírovathttp://www.elliotcondon.com/https://www.advancedcustomfields.com/identifikátorje rovnonení rovnojQuerytyp zobrazenítyp zobrazenítyp zobrazenítypy zobrazeníKlonovatVybratoEmbedoEmbed polenebocervena : ČervenáUpravitVybratAktualizacešířka{available} {label} {identifier} dostupný (max {max}){required} {label} {identifier} povinný (min {min})PK�
�[�9i����lang/acf-nb_NO.monu�[�����}U�'@5A5]5f56x5:�5D�5/6
D6O6[60v6)�6=�607"@7�c7;8D8U8M\8�8-�8
�8�8	�8�89
9%999H9
P9[9j9r9�9�9�9'�9�9�9��9��:d;
�;�;�;�;!�;�;�;A�;@<,L<y<�<
�<�<�< �<�<==$=
-=8=?=\=y=c=�=�=�=>)>;>R>X>e>r>>
�>�>�>	�>�>�>�>�>�>�>??9?U?q?�?�?�?�?	�?�?/�?�?@	@"@>@F@#U@y@[�@
�@�@�@A
AE-AsA�AG�A:�A)B5B SBtB�B�B�B�B!�B"C#?C!cC,�C,�C%�CD!#D%ED%kD-�D!�D*�DEE'E
8EFE\E
cEqE~E
�E�E�E$�E
�E�E�EF	F!F2FBFVFeF
jFuF	�F
�F
�F�F�F
�F�F
�F	�F	�F �F&G&;GbG{G�G�G�G�G�G�G�G�G�G
H
H
H
$H/HDH_HzH�H�HR�HI)IFIdI1yI�I�IA�IJ
JJ&J	/J	9JCJ"bJ�J�J�J�J�J�J�J+KC,K?pK�K�K
�K	�K�K�K�K

L=LSLZLiL
|L��LMM M	)M#3M"WM"zM!�M�M.�M�M	N/N
KNYNiN|NQ�N��NyO�O�O	�O�O�O4�O�OyP�P�P�P�P�P�P�P�PQQQ#Q/Q
NQYQuQ
}Q�Q�Q	�Q��QERIRQRaRnR
�R
�R!�R�R'�R2S3S:SBSFSNS^SkS
}S
�S!�S'�S	�S<�S*T/T>T
PTwT
�T�T�T�T1�T	�TU	UU	&UJ0U{U/�UN�U.VQ6VQ�V�V`�V>WTWsW�W
�W!�W�WT�W:XKX]XnX�X�X�X�X�X�X�X�X�X�XYY	Y$Y*Y/Y	?YIY
UY	cYmYtY
�Y�Y	�Y�Y	�Y5�Y,Z.Z7Z
<ZJZVZ^ZjZ
vZ	�Z�Z
�Z�Z�Z�Z�Z/�Z[0[=[E[
R[2`[�[��[T\
]\h\u\�\
�\
�\�\�\�\	�\	�\$�\%]
']
2]@]M]c]	z]�]�]�]+�]*�]�]�]
^

^^3.^b^i^
}^�^	�^.�^	�^�^�^__0_O_+g_�_�_��_#D`h`#wa5�a7�a>	b?Hb#�b1�b%�bGcVLc&�c:�c<d2Bdud�d�d�d�d�d�d	e#e<eKePe6]e�e�e,�e�e�e0�e&f<f
Rf
`f'nf0�f4�f�f'g?gUg	\gfglg
xg�g�g�g�g�g�g�g�g�g�g�g
�ghhh	h	&h0hGh1`h!�hZ�h3iECiA�i^�j(*k*Sk#~k6�k@�krl<�l,�l/�l7'm3_m	�m�m5�m�m��mk�n��n�o
�o�o�o�o�o�o�o�o
�opp!p2p>pKp
^plptp�p
�p�p�p�p�p�pQ�pMq<lq�q	�q	�q�q�q�q�qrr0r(Jr'sr�r�r
�r�r�r�r�r
ss�s'�sM�s9t!Ht
jtut|t�t�t�t�t2�t�t�t�t�t�t%u:u=uIuYu`ugu
ouzu�u�u	�u�u	�u�u�u�u6�u4
v�?v9yOy[y2ry8�y2�yz%z4zDz4Wz0�zE�z1{35{�i{@|\|k|Oq|�|:�|}}%}4}L}X}k}�}�}�}�}�}�}�}�}~/~K~f~�k~�E����%�,7�d�x�H��Հ/��$�5�>�R�'e���������	ʁԁ�
�e�
y�������Ђ���
����
)�
4�?�G�b�o�����������ƒȃ<؃!�7�K�	P�Z�g�v���(��	��„΄!ބ��%�@�YO�����΅���@�M� a�V��Fن
 �	+�5�:�@�H�L�\�_�	a�k�o�t���������������������
ˇه
���
�
�*�	6�@�D�*S�
~�������ӈ܈
����'�/�<�O�
[�i�v�	��
������
��
É%щ,��1$�"V�y����������Պ�
����
��"�+�?�Z�s�����S����:�W�/m�����J���	
���#�
+�!9�%[�������ˍߍ��.�@B�@��ĎˎԎ܎��� �;,�h�o���
�����1�	7�A�	J�"T�%w�!��%���/��
3�1A�s�������P������ʒ֒
ߒ�
�;�K��b������
�'�/�M�\�	c�m�
�����%��ߔ
����
��
�������ɕߕ��)�F�(]�,������–ʖҖ�����(/�%X�~�F��Ηԗ�
��
�$)�N�
Z�
h�v�{�	��
������
��K��
�&�EC�)��Z��Y�h�ql�ޚ&���2�R�+d���^����)�&:�!a�"������ÜȜ͜	֜������)�/�4�D�P�]�e�n�w�����
����
9͝&�.�7�?�P�_�n�}���������ʞޞ��>�S�b�~�
����5��՟���	��	����
��à
ɠ	נ��	�	�	%�(/�)X�	����
����$̡
�����=
�&K�r���������5����	��/�18�j�
r�}���
��.��ѣ-��%�l4��������ۥ�'�&4�[� m���;��Kۦ'�6�T�'s�����ʧ
�!��&�<�S�
r�����;��ͨ֨-��%�5@�v�������#ѩ/��6%�\�x�������Īɪ	�
�����#�?�V�Z�a�g�	s�}���������
����۫/��&*�aQ�%��M٬='�ke�+Ѯ)��+'�DS�>��}ׯ7U�1��,��4�+!�
M�
[�2f������nb��Ѳp�w�
��������ʳ׳ܳ���	��+�8�G�_�
o�}�������ϴ��#�''�3O�A��ŵ̵ٵ!���)�>�D�"^�*��)��ֶ����
�#�/�7�H��U�%�G9���$����øʸѸ����6��3�	6�@�G�N�%k���������������Ĺɹй
ֹ�������:�2M��EZ��)�5x��&�$�R�=
H#jf�>u��,wW=���d_�[tW�+X�il}�q�}j�u-��:R���6�$��Rtn��(�YT��-o�G ���	��F�B�1;���X���VAD�JD('��p*f���\7����	��)�8N���m|3eww���QP_�B������d;����J��
�E�@��4�Mmv�^n'�AU�*�k+F�_���"������sAr�����6�@�4��O1y{0Zg��i/cn�I
�,�-����v��V��2E�z�B���Q`��j7�?�&"�{�4?�]a�K&^�p�qYg�ay�#!���,���#�8~�:�W��%u���2o�K5J��g�z��P�L�\3!�[h
IC<r�I�|�)c��0�Gs��z���>��pT �S��*38dH��o|N\MY�=s�L��P���:'��m����`L<�Or?](�c�<O.6��f�k2yQ.0��~�;��Ta����`>��l�N9lb+������xv1H%@%��qF���9tChUVx���"i�7�e�b�������/5��$�{�h�M!S
 e^��
��k[X9UG��b}]K��	���D��/C.��Z��S%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk actionsButton LabelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-06-27 15:33+1000
PO-Revision-Date: 2018-02-06 10:06+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: 
Language: nb_NO
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d felter må ses på%s lagt til%s eksisterer allerede%s feltgruppe duplisert.%s feltgrupper duplisert.%s feltgruppe synkronisert.%s feltgrupper synkronisert.%s krever minst %s valgt%s krever minst %s valgte%s verdi som kreves(ingen tittel)+ Legg til felt1 felt må ses på<b>Feil</b>. Kan ikke koble til oppdateringsserveren<b>Feil</b>. Kunne ikke laste liste over tillegg<b>Velg</b> elementer som skal <b>skjules</b> fra redigeringsvinduet.Et nytt felt for å bygge inn innhold er lagt tilEn velfungerende opplevelse av egendefinerte felterACF PRO inneholder kraftige funksjoner som repeterende data, fleksible innholdsstrukturer, et vakkert gallerifelt og muligheten til å lage ekstra administrasjonsegenskapssider!ACF lagrer nå feltegenskapene som individuelle innleggsobjekterAktiver lisensAktivAktive <span class="count"> (%s)</span>Aktive <span class="count"> (%s)</span>Legg tilLegg til 'andre'-valg for å tillate egendefinerte verdierLegg til / RedigerLegg til filLegg til bildeLegg bildet til galleriLegg til nyLegg til nytt feltLegg til ny feltgruppeLegg til nytt oppsettLegg til radLegg til oppsettLegg til nytt valgLegg til radLegg til regelgruppeLegg til galleriTilleggAdvanced Custom FieldsDatabaseoppgradering for Advanced Custom FieldsAdvanced Custom Fields ProAlleAlle fire premium-tilleggene har blitt kombinert i en ny <a href="%s">Pro-versjon av ACF</a>. Med både personlig- og utviklerlisenser tilgjengelig er premiumfunksjonalitet billigere og mer tilgjengelig enn noensinne!Alle felter som kommer etter dette "fane-feltet" (eller til et annet "fane-felt" defineres) blir gruppert under overskriften til dette fane-feltet.Alle felt fra %s feltgruppeAlle bilderAlle innleggstyperAlle taksonomierAlle brukerrollerTillat at "egendefinerte" verdier legges tilTillat arkiv-URL-erTillat egendefinertTillat HTML-kode til å vise oppføringsteksten i stedet for gjengivelseTillat Null?Tillat at nye termer opprettes under redigeringTillatte filtyperAlternativ tekstUtseendeVises etter inndataVises før inndataVises når du oppretter et nytt innleggVises i inndataeneTilføyTilføy til sluttenArkivVedleggForfatterLegg til &lt;br&gt;Automatisk legge til avsnittGrunnleggendeFør du begynner å bruke de nye funksjonene, må du oppdatere din database til den nyeste versjonen.Nedenfor feltNedenfor etiketterBedre frontend-skjemaerBedre sider for innstillingerBedre valideringBedre versjonskontrollBlokkBegge (Array)MassehandlingerKnappetikettBildetekstKategorierSentrerSentrer det første kartetEndringsloggKarakterbegrensningSjekk igjenAvkryssingsboksBarn-side (har foreldre)ValgValgFjernTøm plasseringKlikk "%s"-knappen nedenfor for å begynne å lage oppsettetKlikk for å initialisere TinyMCEKlikk for å veksleLukkLukk feltLukk vinduetSkjul detaljerSammenfoldetFargevelgerKommaseparert liste. Tomt for alle typerKommentarKommentarerBetinget logikkKoble valgte termer til innleggetInnholdInnholdsredigererKontroller hvordan linjeskift gjengisOpprett termerLag et sett regler for å bestemme hvilke redigeringsvinduer som vil bruke disse feltene.Nåværende fargeNåværende brukerRolle nåværende brukerGjeldende versjonEgendefinerte feltTilpass WordPress med kraftige, profesjonelle og intuitive felt.Tilpasse karthøydeDatabaseoppgradering er påkrevdDatabaseoppgradering er fullført. <a href="%s">Gå tilbake til nettverksdashboard</a>Databaseoppgradering er fullført. <a href="%s">Se hva som er nytt</a>DatovelgerFullførtIdagNesteForrigeukeDato/tid-velgerAMAFullførtNåTimeMikrosekundMillisekundMinuttPMPSekundVelgVelg tidTidTidssoneDeaktiver lisensStandardverdiStandardmalStandardverdiUtsette initialisering?SlettSlett oppsettSlett feltBeskrivelseDiskusjonVisVisningsformatViser tekst ved siden av avkryssingsboksenDokumentasjonLast ned og installerLast ned eksportfilDra for å endre rekkefølgeDupliserDupliser oppsettDupliser feltDupliser dette elementetEnkel oppgraderingRedigerRediger feltRediger feltgruppeRediger filRediger bildeRediger feltRediger feltgruppeElementerElliot CondonEpostEmbed-størrelseAvslutningSkriv inn URLSkriv inn hvert valg på en ny linje.Skriv inn hver standardverdi på en ny linjeFeil ved opplasting av fil. Vennligst prøv igjenKunne ikke validere forespørselenFeil.Escape HTMLUtdragUtvid detaljerEksporter feltgrupperEksporter feltgrupper til PHPFremhevet bildeFeltFeltgruppeFeltgrupperFeltnøklerFeltetikettFeltnavnFelttypeFeltgruppe slettet.Feltgruppekladd oppdatert.Feltgruppe duplisert. %sFeltgruppe publisert.Feltgruppe lagret.Feltgruppe planlagt forFeltgruppeinnstillinger er lagt til for etikettplassering og instruksjonsplasseringFeltgruppe sendt inn.Feltgruppe synkronisert. %sFeltgruppetittel er påkrevdFeltgruppe oppdatert.Feltgrupper med lavere rekkefølge vises førstFelttype eksisterer ikkeFeltFeltene kan nå tilordnes til kommentarer, widgets og alle brukerskjemaer!FilFiltabellFil-IDFil-URLFilnavnFilstørrelseFilstørrelse må være minst %s.Filstørrelsen må ikke overstige %s.Filtypen må være %s.Filtrer etter innleggstypeFiltrer etter taksonomiFiltrer etter rolleFiltreFinn nåværende posisjonFleksibelt innholdFleksibelt innholdsfelt krever minst en layoutFor mer kontroll, kan du angi både en verdi og merke som dette:Skjemavalidering skjer nå via PHP + AJAX framfor kun JavaScriptFormatSkjemaerForsideFull størrelseGalleriGenerer eksportkodeFarvel Tillegg. Hei PROGoogle-kartGruppe (viser valgt felt i en gruppe innenfor dette feltet)HøydeSkjul på skjermenHøy (etter tittel)HorisontalHvis flere feltgrupper vises i et redigeringsvindu, vil den første feltgruppens alternativer benyttes. (Den med laveste nummer i rekkefølgen)BildeFiltabellBilde-IDBilde-URLBildehøyden må være minst %dpx.Bilde høyde må ikke overstige %dpx.Bildebredde må være minst %dpx.Bildebredden må ikke overstige %dpx.ImporterImport / eksport bruker nå JSON istedenfor XMLImporter feltgrupperImportfil tomImporterte 1 feltgruppeImporterte %s feltgrupperForbedret dataForbedret designForbedret brukervennlighetInaktivInaktiv <span class="count">(%s)</span>Inaktive <span class="count">(%s)</span>Å inkludere det populære Select2-biblioteket har økt både brukervennlighet og lastetid for flere felttyper, inkludert innleggsobjekter, sidelinker, taksonomi og nedtrekksmenyer.Feil filtypeInformasjonSett innInstallertInstruksjonsplasseringInstruksjonerInstruksjoner for forfattere. Vises når du sender inn dataVi presenterer ACF PRODet anbefales sterkt at du sikkerhetskopierer databasen før du fortsetter. Er du sikker på at du vil kjøre oppdateringen nå?EtikettEtikettplasseringEtiketter vises som %sStorSiste versjonOppsettLa stå tomt for ingen grenseVenstrejustertLengdeBibliotekLisensinformasjonLisensnøkkelBegrense valg av mediebibliotekHent termerHent verdier fra andre innleggstermerLasterLokal JSONLokalisererStedLogget innMange felter har fått en visuell oppfriskning så ACF ser bedre ut enn på lenge! Nevneverdige endringer sees på galleri-, relasjons- og oEmbedfelter!MaksimumMaksimumMaksimum oppsettMaksimum antall raderMaksimum antall valgMaksimal verdiMaksimalt antall innleggMaksimum antall rader nådd ({max} rader)Maksimalt utvalg nåddMaksimumsverdier nådd ( {max} verdier )Maksimalt {label} nådd ({max} {identifier})MediumMeldingMinimumMinimumMinimum oppsettMinimum antall raderMinimum antall valgMinste verdiMinimum antall innleggMinimum antall rader nådd ({min} rader)Minimumsverdier nådd ({min} verdier)Mer AJAXFlere felter bruker AJAX-drevet søk for å kutte ned innlastingstidenFlyttFlytting komplett.Flytt egendefinert feltFlytt feltFlytt felt til en annen gruppeFlytt til papirkurven. Er du sikker?Flytte feltFlervalgsboksFlere verdierNavnTekstNytt feltNy feltgruppeNye skjemaerNytt galleriLinjeskiftNye relasjonsfeltinnstillinger for 'Filtre' (søk, innleggstype, taksonomi)Nye innstillingerNy arkiver gruppe i page_link feltvalgNy autoeksport til JSON lar feltinnstillinger bli versjonskontrollertNy automatisk eksport til JSON sparer tidNy feltgruppe-funksonalitet gir deg mulighet til å flytte felt mellom grupper og foreldreNye funksjoner på Valg-siden tillater oppretting av menysider for både foreldre og barnNeiIngen egendefinerte feltgrupper funnet for denne valg-siden. <a href="%s">Opprette en egendefinert feltgruppe</a>Ingen feltgrupper funnetIngen feltgrupper funnet i papirkurvenIngen felter funnetIngen felt funnet i papirkurvenIngen formateringFant ingen innbygging for den gitte URL-en.Ingen feltgrupper valgtIngen felt. Klikk på <strong>+  Legg til felt</strong> knappen for å lage ditt første felt.Ingen fil valgtIngen bilde valgtFant ingen treffIngen side for alternativer eksistererIngen av/på- felter tilgjengeligIngen oppdateringer tilgjengelige.IngenNormal (etter innhold)NullTallAv tekstPå tekstValgAlternativer-sideAlternativer er oppdatertRekkefølgeRekkefølgeAndreSideSideattributterSidekoblingSideforelderSidemalSidetypeForelderForeldreside (har barn)ForeldrefelterPassordPermalenkePlassholdertekstPlasseringOppgi lisensnøkkelen ovenfor for låse opp oppdateringerVennligst velg målet for dette feltetPosisjonInnleggInnleggskategoriInnleggsformatID for innleggInnleggsobjektInnleggsstatusInnleggstaksonomiInnleggstypeInnlegg oppdatertInnleggssideKraftige funksjonerPrefiks feltetiketterPrefiks feltnavnSett inn foranLegg til ekstra avkryssingsboks for å velge alle alternativerSett inn foranForhåndsvisningsstørrelsePubliserRadioknappRadioknapperLes mer om <a href="%s">ACF PRO-funksjonaliteten</a>.Leser oppgraderingsoppgaver ...Omskriving av dataarkitekturen tillater underfelter å leve uavhengig av foreldrene sine. Det betyr at du kan dra og slippe felter til og fra foreldrefeltene sine!RegistrerRelaterteForholdRelasjonsfeltFjernFjern oppsettFjern radEndre rekkefølgeEndre rekkefølge på oppsettGjentakerPåkrevd?RessurserBegrense hvilke filer som kan lastes oppBegrense hvilke bilder som kan lastes oppBegrensetFormat som skal returneresReturverdiSnu gjeldende rekkefølgeGå igjennom nettsteder og oppgraderRevisjonerRadRaderReglerLagre "egendefinerte" verdier som alternativer i feltets valgLagre 'andre'-verdier til feltets valgLagre egendefinertLagre formatLagre annenLagre termerSømløs (ingen metabox)Sømløs (erstatter dette feltet med utvalgte felter)SøkSøk i feltgrupperSøkefeltSøk etter adresseSøk …Se hva som er nytt i <a href="%s">%s-utgaven</a>.Velg %sVelg fargeVelg feltgrupperVelg filVelg bildeVelg et underfelt å vise når raden er skjultVelg flere verdier?Velg ett eller flere felt du ønsker å kloneVelg innleggstypeVelg taksonomiVelg ACF JSON-filen du vil importere. Når du klikker importerknappen under, vil ACF importere feltgruppene.Velg utseendet på dette feltetVelg feltgruppene du vil eksportere og velg eksporteringsmetode. Bruk nedlastingsknappen for å eksportere til en .json-fil du kan importere i en annen installasjon av ACF. Bruk genererknappen for å eksportere PHP-kode du kan legge inn i ditt tema.Velg taksonomien som skal visesVennligst slett ett tegnVennligst slett %d tegnVennligst fyll inn ett eller flere tegnVennligst fyll inn %d eller flere tegnLasting mislyktesLaster flere resultater &hellip;Fant ingen treffEtt resultat er tilgjengelig, trykk enter for å velge det.%d resultater er tilgjengelige, bruk opp- og nedpiltastene for å navigere.Søker&hellip;Du kan bare velge ett elementDu kan bare velge %d elementerValgte elementer vises i hvert resultatSend tilbakesporingerAngi initielt zoom-nivåSetter textarea-høydeInnstillingerVise knapper for mediaopplasting?Vis feltgruppen hvisVis dette feltet hvisVist i feltgruppelisteVises når du skriver inn dataSøskenfelterSideEnkeltverdiEnkeltord, ingen mellomrom. Understreker og streker tillattNettstedNettstedet er oppdatertSiden krever databaseoppgradering fra%s til%sURL-tampSmartere feltinnstillingerBeklager, støtter denne nettleseren ikke geolokasjonSorter etter dato endretSorter etter dato lastet oppSorter etter tittelSøppel avdekketAngi verdien returnert på frontendAngi stil som brukes til å gjengi klone-feltetAngi stilen som brukes til å gjengi de valgte felteneAngi verdien som returneresAngi hvor nye vedlegg er lagtStandard (WP Metabox)StatusStørrelse trinnStilStilisert brukergrensesnittUnderfeltSuperadminSupportByttet XML mot  JSONSynkroniserSynkronisering tilgjengeligSynkroniser feltgruppeTabTabellFanerMerkelapperTaksonomiTaksonomi-termTerm-IDTerm-objektTekstTekstområdeBare tekstTeksten som vises når aktivTeksten som vises når inaktivTakk for at du bygger med <a href="%s">ACF</a>.Takk for at du oppgraderte til %s v%s!Takk for at du oppdaterte! ACF %s er større og bedre enn noen gang før. Vi håper du liker det.%s feltet finnes nå i %s feltgruppenEndringene du har gjort vil gå tapt dersom du navigerer vekk fra denne sidenFølgende kode kan brukes for å registrere en lokal versjon av de(n) valgte feltgruppen(e). En lokal feltgruppe kan gi mange fordeler som raskere lastetid, versjonskontroll og dynamiske felter/innstillinger. Kopier og lim inn den følgende koden i ditt temas functions.php-fil, eller inkluder det med en ekstern fil.Følgende nettsteder krever en databaseoppgradering. Kryss av for de du vil oppdatere og klikk deretter %s.Visningsformat når du redigerer et innleggFormatet som returneres via malfunksjonerFormatet som brukes når du lagrer en verdiGallerietfeltet har gjennomgått en sårt tiltrengt ansiktsløftningStrengen  "field_" kan ikke brukes som starten på et feltnavnFane-feltet vises ikke korrekt når det plasseres i et repeterende felt med tabell-visning eller i et fleksibelt innholdsfeltDette feltet kan ikke flyttes før endringene er lagretDette feltet har en grense på {max} {identifier}Dette feltet krever minst {min} {identifier}Dette feltet krever minst {min} {label} {identifier}Dette navnet vil vises på REDIGERING-sidenMiniatyrbildeTidsvelgerTinyMCE blir ikke initialisert før feltet klikkesTittelFor å låse opp oppdateringer må lisensnøkkelen skrives inn på <a href="%s">oppdateringer</a>-siden. Se <a href="%s" target="_blank">detaljer og priser</a> dersom du ikke har lisensnøkkel.For å gjøre oppgradering enklere, <a href="%s">Logg inn på din konto</a> og hent en gratis kopi av ACF PRO!For å låse opp oppdateringer må lisensnøkkelen skrives inn under. Se <a href="%s" target="_blank">detaljer og priser</a> dersom du ikke har lisensnøkkel.VeksleVelg/avvelg alleVerktøylinjeVerktøyToppnivåside (ingen forelder)ToppjustertSann / UsannTypeUnder panseretUkjent feltUkjent feltgruppeOppdaterOppdatering tilgjengeligOppdater filOppdater bildeOppdateringsinformasjonOppdater pluginOppdateringerOppgrader databaseOppgraderingsvarselOppgrader nettstederOppgradering komplettOppgradere data til versjon%sLastet opp til innleggLastet opp til dette innleggetURLBruk "Fane-felt" til å gruppere felterBruk AJAX for å laste valg i bakgrunnen ved behov?Bruk dette feltet som en avslutning eller start en ny fane-gruppeBrukerBrukerskjemaBrukerrolleBrukeren kan ikke legge til ny %sValider epotValidering mislyktesVellykket valideringVerdiVerdien må være et tallFeltet må inneholde en gyldig URLVerdien må være lik eller høyere enn %dVerdien må være lik eller lavere enn %dVerdier vil bli lagret som %sVertikalVis feltVis feltgruppeSer adminsideSer forsideVisuellVisuell og tekstBare visuellVi har også skrevet en <a href="%s">oppgraderingsveiledning</a> for å besvare de fleste spørsmål, men skulle du fortsatt ha et spørsmål, ta kontakt med via <a href="%s">helpdesken</a>Vi tror du vil elske endringene i %s.Vi endrer måten premium-funksjonalitet leveres på en spennende måte!Uken starter påVelkommen til Advanced Custom FieldsHva er nyttWidgetBreddeOmslags-attributterWYSIWYG EditorJaZoomacf_form() kan nå lage et nytt innlegg ved innsendingogavkryssetklassekopierhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/ider liker ikke likjQueryoppsettoppsettKloneValgoEmbedellersvart : Svartfjern {oppsett}?RedigerVelgOppdaterbredde{available} {label} {identifier} tilgjengelig (maks {max}){required} {label} {identifier} kreves (min {min})PK�
�[�����lang/acf-sv_SE.monu�[�����}U�'@5A5]5f56x5:�5D�5/6
D6O6[60v6)�6=�607"@7�c7;8D8U8M\8�8-�8
�8�8	�8�89
9%999H9
P9[9j9r9�9�9�9'�9�9�9��9��:d;
�;�;�;�;!�;�;�;A�;@<,L<y<�<
�<�<�< �<�<==$=
-=8=?=\=y=c=�=�=�=>)>;>R>X>e>r>>
�>�>�>	�>�>�>�>�>�>�>??9?U?q?�?�?�?�?	�?�?/�?�?@	@"@>@F@#U@y@[�@
�@�@�@A
AE-AsA�AG�A:�A)B5B SBtB�B�B�B�B!�B"C#?C!cC,�C,�C%�CD!#D%ED%kD-�D!�D*�DEE'E
8EFE\E
cEqE~E
�E�E�E$�E
�E�E�EF	F!F2FBFVFeF
jFuF	�F
�F
�F�F�F
�F�F
�F	�F	�F �F&G&;GbG{G�G�G�G�G�G�G�G�G�G
H
H
H
$H/HDH_HzH�H�HR�HI)IFIdI1yI�I�IA�IJ
JJ&J	/J	9JCJ"bJ�J�J�J�J�J�J�J+KC,K?pK�K�K
�K	�K�K�K�K

L=LSLZLiL
|L��LMM M	)M#3M"WM"zM!�M�M.�M�M	N/N
KNYNiN|NQ�N��NyO�O�O	�O�O�O4�O�OyP�P�P�P�P�P�P�P�PQQQ#Q/Q
NQYQuQ
}Q�Q�Q	�Q��QERIRQRaRnR
�R
�R!�R�R'�R2S3S:SBSFSNS^SkS
}S
�S!�S'�S	�S<�S*T/T>T
PTwT
�T�T�T�T1�T	�TU	UU	&UJ0U{U/�UN�U.VQ6VQ�V�V`�V>WTWsW�W
�W!�W�WT�W:XKX]XnX�X�X�X�X�X�X�X�X�X�XYY	Y$Y*Y/Y	?YIY
UY	cYmYtY
�Y�Y	�Y�Y	�Y5�Y,Z.Z7Z
<ZJZVZ^ZjZ
vZ	�Z�Z
�Z�Z�Z�Z�Z/�Z[0[=[E[
R[2`[�[��[T\
]\h\u\�\
�\
�\�\�\�\	�\	�\$�\%]
']
2]@]M]c]	z]�]�]�]+�]*�]�]�]
^

^^3.^b^i^
}^�^	�^.�^	�^�^�^__0_O_+g_�_�_��_#D`h`#wa5�a7�a>	b?Hb#�b1�b%�bGcVLc&�c:�c<d2Bdud�d�d�d�d�d�d	e#e<eKePe6]e�e�e,�e�e�e0�e&f<f
Rf
`f'nf0�f4�f�f'g?gUg	\gfglg
xg�g�g�g�g�g�g�g�g�g�g�g
�ghhh	h	&h0hGh1`h!�hZ�h3iECiA�i^�j(*k*Sk#~k6�k@�krl<�l,�l/�l7'm3_m	�m�m5�m�m��mk�n��n�o
�o�o�o�o�o�o�o�o
�opp!p2p>pKp
^plptp�p
�p�p�p�p�p�pQ�pMq<lq�q	�q	�q�q�q�q�qrr0r(Jr'sr�r�r
�r�r�r�r�r
ss�s'�sM�s9t!Ht
jtut|t�t�t�t�t2�t�t�t�t�t�t%u:u=uIuYu`ugu
ouzu�u�u	�u�u	�u�u�u�u6�u4
v?v#_y
�y�y2�y<�y/
z=z
Xzfz"yz7�z,�zC{CE{�{��{BI|�|�|L�|
�|9�|4}E}T}d}
�}�}�}�}�}�}�}~~&~9~B~*Y~�~�~��~���.�:�M�a�!v�����FĀ�4 �U�h�q�z���"��Łف�����!�(9�b�vh�߂����/�B�\�b�h�
w���
��������̃�	���
�
'�2�8�>D�$������Ƅӄ��
��3	�	=�G�S�#c�	���� ��
Dž&Յ��� �7�
I�IT��� ��Z׆C2�
v�������������������ÇƇ̇؇������	���
��$�-�:�I�c�
j�x���
��������
ʈ؈�&�	*�4�C�S�j���������
��lj։�
��
�	�
�#*�'N�3v���ɊΊ�
����4�@�
F�Q�^�
k�	v�����&��ȋ����R3�������ڌ:��0�H�KN���	��	��	����
č&ύ$���2�M�e�y�����*��KՎH!�j�	q�{���������
Ǐ2ҏ���1��=���
Ő
А
ې+�)�+<�)h�	��4��ё�2��/�A� U�v�P~��ϒ����������
ғ$����������֔۔�)��-�	4�>�P�$]�
��'����
��ʕוݕ������ ��͖���4,�$a�:��7����
��� �9�V�
q��3��7Ș�5	�?�F�U�g� t�)����љٙ��
���
��
+�O6���"��V��?�\S�]���]�p�*����#ʜ�&�(�e@�����
ŝ!ӝ$��!�<�B�
[�f�m�u�
~���������͞Ӟ؞�����
��9�	I�
S�^�	o�Ly�-Ɵ�����
%�3�B�Q�b�n���������Ѡ1��'�	C�M�]�0o�(���ɡ
����������
��
â΢ݢ��
��(�)G�
q�|�����$��	ӣݣ��+�.�I�Y�h�
t���0��ϤԤ
���3�@�I�U�	f�
p�6{���(ʥ
��������Χ��*%�+P�|�����.��;�	!�+�I�$h��� ����٩'��&�<�V�r�	~���H��	��;�
B�M�<j���ƫ���;�?K�/��!��&ݬ��
!�,�1�
A�L�`�h�|�������­ɭЭ׭�����	��$�&C�1j�%��p®*3�U^�X��a
�0o�)��,ʱ>��B6��y�>	�3H�/|�9��*���7&�^��d�r-����O�[�
h�v�~���
������ŶҶ	��
��$�<�
O�]�p�������з��i�@z�?��
���
�%'�M�]�u�����!��0ѹ0�3�I�
R�]�
m�{����������6c�J���&���,�3�19�k�z�}�3��������żͼ%���� �'�.�7�<�I�P�V�b�s�z�	����A��5ҽ�EZ��)�5x��&�$�R�=
H#jf�>u��,wW=���d_�[tW�+X�il}�q�}j�u-��:R���6�$��Rtn��(�YT��-o�G ���	��F�B�1;���X���VAD�JD('��p*f���\7����	��)�8N���m|3eww���QP_�B������d;����J��
�E�@��4�Mmv�^n'�AU�*�k+F�_���"������sAr�����6�@�4��O1y{0Zg��i/cn�I
�,�-����v��V��2E�z�B���Q`��j7�?�&"�{�4?�]a�K&^�p�qYg�ay�#!���,���#�8~�:�W��%u���2o�K5J��g�z��P�L�\3!�[h
IC<r�I�|�)c��0�Gs��z���>��pT �S��*38dH��o|N\MY�=s�L��P���:'��m����`L<�Or?](�c�<O.6��f�k2yQ.0��~�;��Ta����`>��l�N9lb+������xv1H%@%��qF���9tChUVx���"i�7�e�b�������/5��$�{�h�M!S
 e^��
��k[X9UG��b}]K��	���D��/C.��Z��S%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk actionsButton LabelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-06-27 15:28+1000
PO-Revision-Date: 2019-05-15 09:55+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Swedish
Language: sv_SE
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=n != 1;
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d fält kräver din uppmärksamhet%s tillagt%s finns redan%s fältgrupp kopierad.%s fältgrupper kopierade.%s fältgrupp synkroniserad.%s fältgrupper synkroniserade.%s kräver minst %s val%s kräver minst %s val%s värde är obligatorisk(ingen titel)+ Lägg till fält1 fält kräver din uppmärksamhet<b>Fel</b>. Kunde inte ansluta till uppdateringsservern<b>Fel</b>. Kunde inte ladda tilläggslistan<b>Välj</b> objekt för att <b>dölja</b> dem från redigeringsvynEtt nytt fält för inbäddning av innehåll (embed) har lagts tillEn smidigare fältupplevelseACF PRO innehåller kraftfulla funktioner som upprepningsfält, flexibelt innehåll, ett vackert gallerifält och möjligheten att skapa extra inställningssidor!ACF sparar nu sina fältinställningar som individuella postobjektAktivera licensAktivAktiv <span class="count">(%s)</span>Aktiva <span class="count">(%s)</span>Lägg tillLägg till värdet 'annat' för att tillåta egna värdenSkapa / RedigeraLägg till filLägg till bildLägg till en bild till galleriLägg till nySkapa nytt fältLägg till ny fältgruppLägg till ny layoutLägg till radLägg till layoutSkapa nytt valLägg till radLägg till regelgruppLägg till galleriTilläggAdvanced Custom FieldsAdvanced Custom Fields databasuppgraderingAdvanced Custom Fields PROAllaSamtliga 4 premiumtillägg har kombineras till en ny <a href="%s">Pro version av ACF</a>. Med både personlig- och utvecklarlicens tillgänglig, så är premium funktionalitet billigare och tillgängligare än någonsin!Alla fält efter detta "flikfält" (eller fram till nästa "flikfält") kommer att grupperas tillsammans genom fältets titel som flikrubrik.Alla fält från %s fältgruppAlla bilderSamtliga posttyperSamtliga taxonomierAlla användarrollerTillåter 'annat val' att väljasTillåt urler från arkivTillåt annat valTillåt HTML kod att visas som synlig text istället för att renderasTillått nollvärde?Tillåt att nya värden läggs till under redigeringTillåtna filtyperAlt TextUtseendeVisas efter fältetVisas före fältetVisas när ett nytt inlägg skapasVisas inuti fältetLägg till efterLägg till i slutetArkivBilagaFörfattareLägg till automatiskt &lt;br&gt;Lägg till styckesindelning automatiskt.EnkelInnan du börjar använda de nya fantastiska funktionerna, vänligen uppdatera din databas till den senaste versionen.Under fältUnder titlarBättre front-end formulärBättre inställningssidorBättre valideringBättre versionshanteringBlockBådaVälj åtgärdKnapp etikettBildtextKategorierCentreraKartans initiala centrumVersionshistorikMaximalt antal teckenKontrollera igenKryssrutaUndersida (har föräldersida)AlternativAlternativRensaRensa platsKlicka på knappen "%s" nedan för att börja skapa din layoutKlicka för att initialisera tinyMCEKlicka för att växlaStängStäng fältStäng fönsterDölj detaljerKollapsaFärgväljareKommaseparerad lista. Lämna blankt för alla typerKommentarKommentarerVisningsvillkorKoppla valda värden till inläggetInnehållInnehållsredigerareReglerar hur nya linjer renderasSkapa värdenReglera var denna fältgrupp ska visasNuvarande färgInloggad användareInloggad användarrollNuvarande versionEgna fältSkräddarsy Wordpress med kraftfulla, professionella och intuitiva fält.Ställ in kartans höjdUppgradering av databasen krävsUppgradering av databas slutförd. <a href="%s">Återvänd till nätverkets startpanel</a>Databasuppgraderingen färdig. <a href="%s">Se vad som är nytt</a>DatumväljareFärdigIdagNästaFöregåendeVDatum/tidväljareAMAKlarNuTimmeMikrosekundMillisekundMinutPMPSekundVäljVälj tidTidTidszonInaktivera licensStandardStandardmallStandardvärdeFördröj initialisering?RaderaRadera layoutRadera fältBeskrivningDiskussionVisaVisa formatVisa text bredvid kryssrutanDokumentationLadda ner & installeraLadda ner exportfilDra och släpp för att ändra ordningDupliceraKopiera layoutDuplicera fältDuplicera detta objektEnkelt att uppgraderaRedigeraRedigera fältRedigera fältgruppRedigera filRedigera bildRedigera fältRedigera fältgruppElementElliot CondonE-postEmbed storlekSlutpunktFyll i URLAnge varje alternativ på en ny radAnge varje standardvärde på en ny radFel vid uppladdning av fil. Vänligen försök igenFel vid validering av begäranFel.Inaktivera HTML-renderingUtdragVisa detaljerExportera fältgrupperExportera fältgrupper till PHPUtvald bildFältFältgruppFältgrupperFältnycklarFälttitelFältnamnFälttypFältgrupper raderades.Utkastet till fältgrupp uppdaterades.Fältgruppen kopierad. %sFältgrupper publicerades.Fältgrupper sparades.Fältgruppen schemalades för.Fältgruppsinställningar har lagts till för placering av titel och instruktionerFältgruppen skickades.Fältgrupp synkroniserad. %sFältgruppen behöver en titelFältgrupper uppdaterades.Fältgrupper med lägre ordningsnummer kommer synas förstFälttyp existerar inteFältFält kan nu kopplas till kommentarer, widgets och alla användarformulär.FilFil arrayFilens IDFiladressFilnamnFilstorlekFilstorlek måste vara åtminstone %s.Filstorlek får inte överskrida %s.Filtyp måste vara %s.Filtrera efter inläggstypFiltrera efter taxonomiFiltrera efter rollFilterHitta nuvarande platsFlexibelt innehållFlexibelt innehåll kräver minst 1 layoutFör mer kontroll, kan du specificera både ett värde och etikett såhär:Validering av formulär görs nu via PHP + AJAX istället för enbart JSFormatFormulärFörstasidaFull storlekGalleriGenerera exportkodAdjö tillägg. Hej PROGoogle MapGrupp (visar valda fält i en grupp i detta fält)HöjdDölj på skärmenHög (efter titel)HorisontellOm flera fältgrupper visas i redigeringsvyn, kommer första gruppens inställningar att användas (den med lägst ordningsnummer)BildBild ArrayBildens IDBildadressBildens höjd måste vara åtminstone %dpx.Bildens höjd får inte överskrida %dpx.Bildens bredd måste vara åtminstone %dpx.Bildens bredd får inte överskrida %dpx.ImporteraImport / Export använder nu JSON istället för XMLImportera fältgrupperImportfilen är tomImporterade 1 fältgruppImporterade %s fältgruppFörbättrad dataFörbättrad designFörbättrad användarvänlighetInaktivInaktiv <span class="count">(%s)</span>Inaktiva <span class="count">(%s)</span>Vi har inkluderat det populära biblioteket Select2 som har förbättrat både användbarhet och laddningstid för ett antal fälttyper såsom inläggsobjekt, sidlänk, taxonomi och val.Felaktig filtypInformationInfogaInstalleradPlacering av instruktionInstruktionerInstruktioner för den som redigerarIntroducerande av ACF PRODet rekommenderas starkt att du säkerhetskopierar din databas innan du fortsätter. Är du säker på att vill köra uppdateringen nu?TitelTitel placeringFälttitlar visas som %sStorSenaste versionLayoutLämna tomt för att ha utan begränsningVänsterjusteradLängdBibliotekLicensinformationLicensnyckelBegränsa urvalet i mediabiblioteketLadda värdenLadda värde från ett inläggs värdenLaddarLokal JSONSöker platsPlatsInloggadMånga fält har genomgått en visuell förbättring för att låta ACF se bättre ut än någonsin! Märkbara förändringar syns på galleriet-, relation- och oEmbed- (nytt) fälten!MaxMaximaltHögsta tillåtna antal layouterHögsta tillåtna antal raderHögsta tillåtna antal valHögsta värdeHögsta antal inläggHögsta tillåtna antal rader uppnått ({max} rader)Högsta tillåtna antal val uppnåttHögsta tillåtna antal värden uppnått ( {max} värden )Maximal {etikett} gräns nåtts ({max} {identifierare})MellanMeddelandeMinMinimaltLägsta tillåtna antal layouterMinsta tillåtna antal raderMinsta tillåtna antal valMinsta värdeMinsta antal inläggMinsta tillåtna antal rader uppnått ({min} rader)Lägsta tillåtna antal värden nått ( {min} värden )Mer AJAXFler fält använder AJAX-sök för snabbare laddningFlyttaFlytt färdig.Flytta egna fältFlytta fältFlytta fält till en annan gruppFlytta till papperskorgen. Är du säker?Flytta runt fältFlervalMultipla värdenNamnTextNytt fältSkapa fältgruppNya formulärNytt galleriNya linjerNy inställning för relationsfält för 'Filter' (Sök, Inläggstyp, Taxonomi)Nya inställningarNy arkivgrupp i page_link fältvalNy auto export till JSON funktion möjliggör versionshantering av fältinställningarNy automatisk export till JSON funktion förbättrar snabbhetenNy fältgrupp funktionalitet tillåter dig att flytta ett fält mellan grupper & föräldrarNya funktioner för inställningssidor tillåter skapande av både föräldra- och undersidorNejInga fältgrupper hittades för denna inställningssida. <a href="%s">Skapa en fältgrupp</a>Inga fältgrupper hittadesInga fältgrupper hittades i papperskorgenInga fält hittadesInga fält hittades i papperskorgenIngen formatteringIngen embed hittades för angiven URL.Inga fältgrupper valdaInga fält. Klicka på knappen <strong>+ Lägg till fält</strong> för att skapa ditt första fält.Ingen fil valdIngen bild valdInga träffarDet finns inga inställningssidorDet finns inga aktiveringsbara fältInga uppdateringar tillgängliga.IngenNormal (efter innehåll)NollvärdeNummerAv textPå textAlternativInställningssidaInställningar uppdateradeOrdningOrdningsnummerAnnatSidaSidattributSidlänkSidans förälderSidmallSidtypFörälderFöräldersida (har undersidor)FöräldrafältLösenordPermalänkPlatshållartextPlaceringVänligen fyll i din licensnyckel här ovan för att låsa upp uppdateringarVälj målet (destinationen) för detta fältPositionInläggInläggskategoriInläggsformatInläggets IDInläggsobjektInläggsstatusInläggstaxonomiInläggstypInlägg uppdateratInläggslistningssidaKraftfulla funktionerPrefix fälttitlarPrefix fältnamnLägg till föreVisa en extra kryssruta för att markera alla valLägg till börjanFörhandsvisningens storlekPubliceraAlternativknappAlternativknapparLäs mer om <a href="%s">ACF PRO funktioner</a>.Läser in uppgifter för uppgradering...Omdesignen av dataarkitekturen har tillåtit underfält att leva självständigt från deras föräldrar. Detta gör att du kan dra och släppa fält in och ut från förälderfälten!RegistreraRelationRelationRelationsfältRaderaRadera layoutRadera radÄndra ordningÄndra layoutens ordningUpprepningsfältObligatorisk?ResurserBegränsa vilka filer som kan laddas uppBegränsa vilka bilder som kan laddas uppBegränsadReturvärdeReturvärdeOmvänd nuvarande ordningKontrollera webbplatser & uppgraderaVersionerRadRaderReglerSpara 'annat val' värdet till fältets valSpara 'annat'-värden till fältets alternativSpara annat valSpara i formatSpara annatSpara värdenTransparent (ingen metabox)Sömlös (ersätter detta fält med valda fält)SökSök fältgruppSök fältSök efter adress...Sök...Se vad som är nytt i <a href=""%s">version %s</a>.Välj %sVälj färgVälj fältgruppVälj filVälj bildVälj ett underfält att visa när raden är kollapsadVälj multipla värden?Välj ett eller fler fält du vill klonaVälj posttypVälj taxonomiVälj den Advanced Custom Fields JSON-fil som du vill importera. När du klickar på import knappen så kommer ACF importera fältgrupperna.Välj utseende för detta fältVälj de fältgrupper som du vill exportera och sedan välj din exportmetod. Använd knappen för exportera till en .json fil som du sedan kan importera till en annan ACF installation. Använd generera-knappen för att exportera PHP kod som du kan lägga till i ditt tema.Välj taxonomi som ska visasVänligen radera 1 bokstavVänligen radera %d bokstäverVänligen skriv in 1 eller fler bokstäverVänligen skriv in %d eller fler bokstäverLaddning misslyckadesLaddar fler resultatInget resultatEtt resultat, tryck enter för att välja det.%d resultat, använd upp och ned pilarna för att navigera.Söker…Du kan bara välja 1 resultatDu kan bara välja %d resultatValda element visas i varje resultatSkicka trackbacksAnge kartans initiala zoom nivåVälj textfältets höjdInställningarVisa knappar för uppladdning av media?Visa detta fält närVisa detta fält närVisas i fältgruppslistanVisas vid inmatning av dataSyskonfältSidopanelEtt enda värdeEtt enda ord, utan mellanslag. Understreck och bindestreck är tillåtnaWebbplatsWebbplatsen är uppdateradWebbplatsen kräver en databasuppgradering från %s till %sPermalänkSmartare fältinställningarTyvärr saknar denna webbläsare stöd för platsinformationSortera efter redigeringsdatumSortera efter uppladdningsdatumSortera efter titelSkräppost UpptäcktVälj vilken typ av värde som ska returneras på front-endSpecificera stilen som ska användas för att skapa klonfältetSpecificera stilen för att rendera valda fältSpecificera värdet att returneraSpecifiera var nya bilagor läggs tillStandard (WP metabox)StatusStegvärdeStilStylat utseendeUnderfältSuperadministratörSupportBytte XML till JSONSynkroniseraSynkronisering tillgängligSynkronisera fältgruppFlikTabellFlikarTaggarTaxonomiTaxonomivärdeTerm IDTerm objektTextTextfältEndast textText som visas när valet är aktivtText som visas när valet är inaktivtTack för att du skapar med <a href="%s">ACF</a>.Tack för du uppdaterade till %s v%s!Tack för att du uppdaterar! ACF %s är större och bättre än någonsin tidigare. Vi hoppas att du gillar det.Fältet %s kan nu hittas i fältgruppen %sDe ändringar som du gjort kommer att förloras om du navigerar bort från denna sidaFöljande kod kan användas för att registrera en lokal version av valda fältgrupp(er). Ett lokal fältgrupp kan ge många fördelar som snabbare laddningstider, versionshantering & dynamiska fält/inställningar. Det är bara att kopiera och klistra in följande kod till ditt temas functions.php fil eller att inkludera det i en extern fil.Följande sajter behöver en databasuppdatering. Kryssa i de du vill uppdatera och klicka på %s.Formatet som visas när du redigerar ett inläggFormatet som returneras av mallfunktionerFormatet som används när ett värde sparasGallerifältet har genomgått en välbehövlig ansiktslyftningSträngen  "field_" får inte användas i början av ett fältnamnFlik fältet kommer att visas felaktigt om de läggs till ett upprepningsfält med tabellutseende eller ett innehållsfält med flexibel layoutDetta fält kan inte flyttas förrän ändringarna har sparatsDetta fält har en gräns på {max} {identifierare}Detta fält kräver minst {min} {identifierare}Detta fält kräver minst {min} {etikett} {identifierare}Detta namn kommer att visas vid redigeringTumnagelTidväljareTinyMCE initialiseras inte förrän fältet klickas påTitelFör att aktivera uppdateringar, vänligen fyll i din licensnyckel på sidan <a href="%s">uppdateringar</a>. Om du inte har en licensnyckel, vänligen gå till sidan <a href="%s">detaljer & priser</a>För att göra uppgraderingen enkel, <a href="%s">logga in till ditt konto</a> och få en gratis kopia av ACF PRO!För att aktivera uppdateringar, vänligen fyll i din licensnyckel här nedanför. Om du inte har en licensnyckel, vänligen gå till sidan <a href="%s">detaljer & priser</a>Slå på/avMarkera allaVerktygsfältVerktygToppsida (Ingen förälder)ToppjusteradSant / FalsktTypUnder huvenOkänt fältOkänd fältgruppUppdateraUppdatering tillgängligUppdatera filUppdatera bildUppdateringsinformationUppdatera tilläggUppdateringarUppgradera databasUppgraderingsnoteringUppgradera sajterUppgradering genomfördUppgradera data till version %sUppladdade till detta inläggUppladdade till detta inläggUrlAnvänd "Flikfält" för att bättre organisera din redigeringsvy genom att gruppera fälten tillsammans.Använda AJAX för att ladda alternativ efter att sidan laddats?Använd detta fält som slutpunkt och starta en ny grupp flikarAnvändareAnvändarformulärAnvändarrollAnvändare kan inte lägga till ny %sValidera E-postValidering misslyckadesValidering lyckadesVärdeVärdet måste vara ett nummerVärdet måste vara en giltig URLVärdet måste vara lika med eller högre än %dVärdet måste vara lika med eller lägre än %dVärden sparas som %sVertikalVisa fältVisa fältgruppVisar baksidaVisar framsidaVisuelltVisuellt & TextEndast visuelltVi skrev även en <a href="%s">uppgraderings guide</a>för svara på eventuella frågor, men om du har en, vänligen kontakta vårt support team via <a href="%s">help desk</a>Vi tror att du kommer uppskatta förändringarna i %s.Vi ändrar hur premium funktionalitet levereras, på ett spännande sätt!Veckor börjar påVälkommen till Advanced Custom FieldsVad är nyttWidgetbreddAttribut för det omslutande elementet (wrappern)WYSIWYG-editorJaZoomacf_form() kan nu skapa ett nytt inlägg vid submitochvaldclasskopierahttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idärinte ärjQuerylayoutlayouterKlonFlerväljareoEmbedellerröd : Rödradera {layout}?ÄndraVäljUppdaterabredd{tillgänglig} {etikett} {identifierare} tillgänglig (max {max}){krävs} {etikett} {identifierare} krävs (min {min})PK�
�[��bz<�<�lang/acf-hr_HR.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2018-02-06 10:08+1000\n"
"PO-Revision-Date: 2018-05-05 14:02+0700\n"
"Last-Translator: \n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: hr_HR\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Poedit 2.0.7\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"
"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-SearchPath-0: .\n"
"X-Poedit-SearchPath-1: acf-pro-hr/acf.pot\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Grupe polja"

#: acf.php:370
msgid "Field Group"
msgstr "Grupa polja"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:559
msgid "Add New"
msgstr "Dodaj"

#: acf.php:372
msgid "Add New Field Group"
msgstr "Dodaj novo polje"

#: acf.php:373
msgid "Edit Field Group"
msgstr "Uredi polje"

#: acf.php:374
msgid "New Field Group"
msgstr "Novo polje"

#: acf.php:375
msgid "View Field Group"
msgstr "Pregledaj polje"

#: acf.php:376
msgid "Search Field Groups"
msgstr "Pretraži polja"

#: acf.php:377
msgid "No Field Groups found"
msgstr "Niste dodali nijedno polje"

#: acf.php:378
msgid "No Field Groups found in Trash"
msgstr "Nije pronađena nijedna stranica"

#: 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:811
msgid "Fields"
msgstr "Polja"

#: acf.php:402
msgid "Field"
msgstr "Polje"

#: acf.php:404
msgid "Add New Field"
msgstr "Dodaj polje"

#: acf.php:405
msgid "Edit Field"
msgstr "Uredi polje"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Dodaj polje"

#: acf.php:407
msgid "View Field"
msgstr "Pregledaj polje"

#: acf.php:408
msgid "Search Fields"
msgstr "Pretraži polja"

#: acf.php:409
msgid "No Fields found"
msgstr "Nije pronađeno nijedno polje"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "Nije pronađeno nijedno polje u smeću"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Neaktivno"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Neaktivno <span class=“count”>(%s)</span>"
msgstr[1] "Neaktivnih: <span class=“count”>(%s)</span>"
msgstr[2] "Neaktivnih: <span class=“count”>(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Skup polja ažuriran."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Skup polja izbrisan."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Skup polja objavljen."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Skup polja spremljen."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Skup polja je spremljen."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Skup polja je označen za."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Skica ažurirana."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Lokacija"

#: includes/admin/admin-field-group.php:184
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Postavke"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Premjesti u smeće?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "odabrano"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Nema polja koji omoguću korisniku odabir"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Naziv polja je obavezna"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopiraj"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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:4048
msgid "or"
msgstr "ili"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Matično polje"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Slična polja"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Premjesti polje"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Potrebno je spremiti izmjene prije nego možete premjestiti polje"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Null"

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Izmjene koje ste napravili bit će izgubljene ukoliko napustite ovu stranicu"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Polje ne može započinjati sa “field_”, odabrite drugi naziv"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Oznaka polja"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktivan"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Premještanje dovršeno."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr ""
"Polje %s od sada možete naći na drugoj lokacaiji, kao dio %s skupa polja"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Zatvori prozor"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Odaberite lokaciju za ovo polje"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Premjesti polje"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktivno <span class=“count”>(%s)</span>"
msgstr[1] "Aktivno <span class=“count”>(%s)</span>"
msgstr[2] "Aktivno <span class=“count”>(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Skup polja %s dupliciran"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Polja duplicirana (%s)."
msgstr[1] "Polja duplicirana (%s)."
msgstr[2] "Polja duplicirana (%s)."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Skup polja sinkroniziran. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Polja sinkronizirana (%s)."
msgstr[1] "Polja sinkronizirana (%s)."
msgstr[2] "Polja sinkronizirana (%s)."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Sinkronizacija dostupna"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Naziv"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Opis"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Prilagodite WordPress sa moćnim, profesionalnim i intuitivnim dodatnim "
"poljima."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Popis izmjena"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Pogledaj što je novo u <a href=\"%s\">%s verziji</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Materijali"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Web mjesto"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentacija"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Podrška"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Hvala što koristite <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Dupliciraj"

#: 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:558
msgid "Duplicate"
msgstr "Dupliciraj"

#: 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 "Pretraži"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Odaberi %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Sinkroniziraj skup polja"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Sinkroniziraj"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Prijavi"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Skupne akcije"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Alati"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Dodatna polja"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Nadogradi bazu podataka"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Pregledaj stranice i nadogradi"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Greška prilikom verifikacije"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Nema novih nadogradnji."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Dodaci"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Greška</b>. Greška prilikom učitavanja dodataka"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Što je novo"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Izvezi skup polja"

#: 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 "Generiraj PHP kod"

#: 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 "Niste odabrali polje"

#: 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] ""
msgstr[1] ""
msgstr[2] ""

#: 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 "Odaberite skup polja"

#: 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 ""
"Odaberite polja koja želite izvesti i zatim odaberite željeni format. Klikom "
"na gumb “preuzimanje”, preuzmite .json datoteku sa poljima koju zatim možete "
"uvesti u drugu ACF instalaciju.\n"
"Klikom na “generiraj” gumb, izvezite PHP kod koji možete uključiti u "
"WordPress temu."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Datoteka za izvoz"

#: 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 ""
"Navedeni kod možete koristiti kako bi registrirali lokalnu verziju odabranih "
"polja ili skupine polja. Lokalna polje pružaju dodatne mogućnosti kao što je "
"brže očitavanje, verzioniranje i dinamičke postavke polja. Jednostavno "
"kopirajte navedeni kod u functions.php datoteku u vašoj temi ili uključite "
"ih kao vanjsku datoteku."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Kopiraj u međuspremnik"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Uvoz skupa polja"

#: 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 ""
"Odaberite ACF JSON datoteku koju želite uvesti. Nakon što kliknete ‘Uvezi’ "
"gumb, ACF će uvesti sva polja iz odabrane datoteke."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "Odaberite datoteku"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Datoteka za uvoz"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:159
msgid "No file selected"
msgstr "Niste odabrali datoteku"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Greška prilikom prijenosa datoteke, molimo pokušaj ponovno"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Nedozvoljeni format datoteke"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Odabrana datoteka za uvoz ne sadrži"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Uvjet za prikaz"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Prikaži polje ako"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "je jednako"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "je drukčije"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "i"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Dodaj skup pravila"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Presloži polja povlačenjem"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Uredi polje"

#: includes/admin/views/field-group-field.php:48
#: 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
msgid "Edit"
msgstr "Uredi"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Dupliciraj polje"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Premjeti polje u drugu skupinu"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Premjesti"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Obriši polje"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Delete"
msgstr "Obriši"

#: includes/admin/views/field-group-field.php:68
msgid "Field Label"
msgstr "Naziv polja"

#: includes/admin/views/field-group-field.php:69
msgid "This is the name which will appear on the EDIT page"
msgstr "Naziv koji se prikazuje prilikom uređivanja stranice"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "Naziv polja"

#: includes/admin/views/field-group-field.php:79
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Jedna riječ, bez razmaka. Povlaka i donja crta su dozvoljeni"

#: includes/admin/views/field-group-field.php:88
msgid "Field Type"
msgstr "Tip polja"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions"
msgstr "Upute"

#: includes/admin/views/field-group-field.php:100
msgid "Instructions for authors. Shown when submitting data"
msgstr "Upute priliko uređivanja. Vidljivo prilikom spremanja podataka"

#: includes/admin/views/field-group-field.php:109
msgid "Required?"
msgstr "Obavezno?"

#: includes/admin/views/field-group-field.php:132
msgid "Wrapper Attributes"
msgstr "Značajke prethodnog elementa"

#: includes/admin/views/field-group-field.php:138
msgid "width"
msgstr "širina"

#: includes/admin/views/field-group-field.php:153
msgid "class"
msgstr "klasa"

#: includes/admin/views/field-group-field.php:166
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:178
msgid "Close Field"
msgstr "Zatvori polje"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Redni broj"

#: 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:584
msgid "Label"
msgstr "Oznaka"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:964
#: pro/fields/class-acf-field-flexible-content.php:597
msgid "Name"
msgstr "Naziv"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Ključ"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tip"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Nema polja. Kliknite gumb <strong>+ Dodaj polje</strong> da bi kreirali "
"polje."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "Dodaj polje"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Pravila"

#: 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 "Odaberite pravila koja određuju koji prikaz će koristiti ACF polja"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Zadano (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Bez"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Pozicija"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Visoko (nakon naslova)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normalno (nakon saržaja)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Desni stupac"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Pozicija oznake"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Poravnato sa vrhom"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Lijevo poravnato"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Pozicija uputa"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Ispod oznake"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Iznad oznake"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Redni broj."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Skup polja sa nižim brojem će biti više pozicioniran"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Vidljivo u popisu"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Sakrij"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Odaberite</b> koje grupe želite <b>sakriti</b> prilikom uređivanja."

#: 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 ""
"Ukoliko je više skupova polja prikazano na istom ekranu, postavke prvog "
"skupa polja će biti korištene (postavke polja sa nižim brojem u redosljedu)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Stalna veza"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Uređivač sadržaja"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Izvadak"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Rasprava"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Komentari"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revizija"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Atributi stranice"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "Istaknuta slika"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Kategorije"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Oznake"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Pošalji povratnu vezu"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Prikaži ovaj skup polja ako"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Ažuriraj stranice"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Nadogradnja baze ACF"

#: 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."
msgstr ""
"Ažuriranje baze podatak dovršeno. Provjerite koje web stranice u svojoj "
"mreži želite nadograditi i zatim kliknite %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Web stranica"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""
"Za web stranicu je potrebna nadogradnja baze podataka iz %s na verziju %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Nema novih ažuriranja za web stranica"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Baza podataka je nadograđena. <a href=“%s”>Kliknite ovdje za povratak na "
"administraciju WordPress mreže</a>"

#: 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 ""
"Prije nego nastavite preporučamo da napravite sigurnosnu kopiju baze "
"podataka. Jeste li sigurni da želite nastaviti ažuriranje?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Nadogradnja završena"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Nadogradnja na verziju %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Ponavljajuće polje"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Fleksibilno polje"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerija"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Postavke"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Potrebno je nadograditi bazu podataka"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Hvala što ste nadogradili %s na 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 ""
"Prije nego što počnete koristiti nove mogućnosti, molimo ažurirajte bazu "
"podataka na posljednju verziju."

#: 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 ""
"Molimo provjerite da su svi premium dodaci (%s) ažurirani na najnoviju "
"verziju."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Učitavam podatke za nadogradnju…"

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Nadogradnja baze je dovršena. <a href=\"%s\">Pogledajte što je novo</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Preuzimam datoteke"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalirano"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Advanced Custom Fields vam želi dobrodošlicu"

#: 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 ""
"Ažuriranje dovršeno, hvala! ACF %s je veći i bolji nego ikad prije. Nadamo "
"se da će vam se svidjet."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Bolje korisničko iskustvo korištenja prilagođenih polja"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Poboljšana uporabljivost"

#: 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 ""
"Uključivanje popularne biblioteke Select2 poboljšano je korisničko iskustvo "
"i brzina na velikom broju polja."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Unaprijeđen dizajn"

#: 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 ""
"Mnoga polja su vizualno osvježena te time ACF sada izgleda bolje nego ikad "
"prije!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Unaprijeđeno upravljanje podacima"

#: 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 ""
"Nova arhitektura polja omogućuje pod poljima da budu korištena zasebno bez "
"obzira kojem skupu polja pripadaju. Ovo vam omogućuje premještanje polja iz "
"jednog skupa u drugi!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Doviđenja dodaci, upoznajte PRO verziju"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Predstavljamo ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Mijanjamo način funkcioniranja premium dodataka, od sada mnogo jednostavnije!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Sva 4 premium dodakta od sada su ukomponiranu u novu <a href=“%s”>Pro "
"verziju ACF</a>. Sa novim osobnom i razvojnom opcijom licenciranja, premium "
"funkcionalnost je dosupnija i povoljnija nego prije!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Super mogućnosti"

#: 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 ""
"ACF PRO uključuje napredne funkcionalnosti kao ponavljajuća polja, modularni "
"raspored, galerija slika i mogućnost dodavanja novih stranica u postavkama "
"administracije!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Pročitajte više o <a href=“%s”>mogućnostima ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Jednostavno ažuriranje"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Kako bi pojednostavili ažuriranje, <a href=“%s”>prijavite se s vašim "
"računom</a> i osigurajte besplatnu verziju ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Provjeriti <a href=“%s”>upute za ažuriranje</a> ako imate dodatnih pitanja, "
"ili kontaktirajte našu <a href=“%s”>tim za podršku</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Ispod haube"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Pametnije postavke"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF od sada sprema postavke polja kao objekt"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Više AJAX-a"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Više polja koristi asinkrono pretraživanje kako bi učitavanje stranice bilo "
"brže"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Učitavanje polja iz JSON datoteke"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Nova mogućnost automatskog izvoza u JSON obliku"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Bolje upravljanje verzijama"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr "Nova opcija izvoza u JSON omogućuje verziranje"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "JSON umjesto XML"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Uvoz / Izvoz sada koristi JSON umjesto XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nove forme"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Od sada je moguće dodati polja na sve stranice, uključujući komentare, "
"stranice za uređivanje korisnika i widgete!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Novo polje za ugnježdeni sadržaj"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nova galerija"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Polje Galerija je dobilo novi izgled"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nove postavke"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Postavke svakog polja uključuju dodatna polja, polje za opis i polje za "
"upute namjenjene korisniku"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Bolji prikaz formi na web stranici"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr ""
"acf_form() funkcija od sada omogućuje dodavanje nove objave prilikom "
"spremanja"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Bolja verifikacija polja"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Verifikacija polja se sada obavlja asinkrono (PHP + AJAX) umjesto "
"dosadašnjeg načina (Javascript)"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Polje za povezivanje objekta"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Novo postavke polja Veza za filter (pretraga, tip objekta, taksonomija)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Premještanje polja"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr "Nova funkcionalnost polja omogućuje premještanje polja i skupa polja"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "URL stranice"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Nova skupina ‘arhiva’ prilikom odabira polja page_link"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Bolja upravljanje stranica sa postavkama"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Nova funkcionalnost kod dodavanja stranica za postavke omogućuju dodavanje "
"izvornih i pod stranica izbornika"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Mislimo da će vam se svidjeti promjene u %s."

#: includes/api/api-helpers.php:947
msgid "Thumbnail"
msgstr "Sličica"

#: includes/api/api-helpers.php:948
msgid "Medium"
msgstr "Srednja"

#: includes/api/api-helpers.php:949
msgid "Large"
msgstr "Velika"

#: includes/api/api-helpers.php:998
msgid "Full Size"
msgstr "Puna veličina"

#: includes/api/api-helpers.php:1339 includes/api/api-helpers.php:1912
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(bez naziva)"

#: includes/api/api-helpers.php:3969
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Širina slike mora biti najmanje %dpx."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Širina slike ne smije biti veća od %dpx."

#: includes/api/api-helpers.php:3990
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Visina slike mora biti najmanje %dpx."

#: includes/api/api-helpers.php:3995
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Visina slike ne smije biti veća od %dpx."

#: includes/api/api-helpers.php:4013
#, php-format
msgid "File size must be at least %s."
msgstr "Veličina datoteke mora biti najmanje %s."

#: includes/api/api-helpers.php:4018
#, php-format
msgid "File size must must not exceed %s."
msgstr "Datoteke ne smije biti veća od %s."

#: includes/api/api-helpers.php:4052
#, php-format
msgid "File type must be %s."
msgstr "Tip datoteke mora biti %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Osnovno"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Sadržaj"

#: includes/fields.php:146
msgid "Choice"
msgstr "Odabir"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relacijski"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: 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: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 "Format"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Tip polja ne postoji"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Nepoznato polje"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Multi prošireno"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Otvori"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Prikaži accordion polje kao otvoreno prilikom učitavanja."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Mulit-proširenje"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Omogući prikaz ovog accordion polja bez zatvaranje ostalih."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Prijelomna točka"

#: 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 ""
"Preciziraj prijelomnu točku za prethoda polja accordion. Ovo će omogućiti "
"novi skup polja nakon prijelomne točke."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Skup dugmadi"

#: 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 "Mogući odabiri"

#: 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 "Svaki odabir je potrebno dodati kao novi red."

#: 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 "Za bolju kontrolu unesite oboje, vrijednost i naziv, kao npr:"

#: 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 "crvena : Crvena"

#: 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 "Dozvoli null vrijednost?"

#: 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 "Zadana vrijednost"

#: 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 "Prikazuje se prilikom kreiranje nove objave"

#: 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 "Horizontalno"

#: 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 "Vertikalno"

#: 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 "Vrati vrijednost"

#: 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 "Vrijednost koja će biti vraćena na pristupnom dijelu"

#: 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 "Vrijednost"

#: 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 "Oboje (podatkovni niz)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Skup dugmadi"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Sakrij sve"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Dodaj odabir"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Obogući dodatne"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Omogući ‘dodatne’ vrijednosti"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Spremi"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Spremi ‘dodatne’ vrijednosti i prikaži ih omogući njihov odabir"

#: 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 "Unesite svaku novu vrijednost u zasebnu liniju"

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr "Prikaži/Sakrij"

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Dodaj okvir za izbor koji omogućje odabir svih opcija"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Odabir boje"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Ukloni"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Zadano"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Odaberite boju"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Trenutna boja"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Odabir datuma"

#: includes/fields/class-acf-field-date_picker.php:33
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Završeno"

#: includes/fields/class-acf-field-date_picker.php:34
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Danas"

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Slijedeći"

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Prethodni"

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Tjedan"

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Format prikaza"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Format za prikaz prilikom administracije"

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Prilagođeno:"

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr "Spremi format"

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr "Format koji će biti spremljen"

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "Format za prikaz na web stranici"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 "Format koji vraća funkcija"

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "Tjedan počinje"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Odabir datuma i sata"

#: includes/fields/class-acf-field-date_time_picker.php:33
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Odaberi vrijeme"

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Vrijeme"

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Sat"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuta"

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunda"

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisekunda"

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunda"

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Vremenska zona"

#: includes/fields/class-acf-field-date_time_picker.php:41
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Trenutno vrijeme"

#: includes/fields/class-acf-field-date_time_picker.php:42
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Završeno"

#: includes/fields/class-acf-field-date_time_picker.php:43
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Odaberi"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "Prije podne"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "Prije podne"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "Poslije podne"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "Poslije podne"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Email"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Zadana vrijednost"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Prikazuje se unutar polja"

#: 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:187
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Umetni ispred"

#: 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:188
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Prijazuje se ispred polja"

#: 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:196
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Umetni na kraj"

#: 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:197
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Prikazuje se iza polja"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Datoteka"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "Uredi datoteku"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "Ažuriraj datoteku"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Postavljeno uz ovu objavu"

#: includes/fields/class-acf-field-file.php:130
msgid "File name"
msgstr "Naziv datoteke"

#: 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
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Veličina datoteke"

#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Ukloni"

#: includes/fields/class-acf-field-file.php:159
msgid "Add File"
msgstr "Dodaj datoteku"

#: includes/fields/class-acf-field-file.php:210
msgid "File Array"
msgstr "Vrijednost kao niz"

#: includes/fields/class-acf-field-file.php:211
msgid "File URL"
msgstr "Putanja datoteke"

#: includes/fields/class-acf-field-file.php:212
msgid "File ID"
msgstr "Vrijednost kao ID"

#: 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 "Zbirka"

#: 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 "Ograniči odabir iz zbirke"

#: 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
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Sve"

#: 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 "Dodani uz trenutnu objavu"

#: 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:234
#: includes/fields/class-acf-field-file.php:245
msgid "Restrict which files can be uploaded"
msgstr "Ograniči tip datoteka koji se smije uvesti"

#: 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 "Maksimum"

#: 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 "Dozvoljeni tipovi datoteka"

#: 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"
msgstr ""
"Dodaj kao niz odvojen zarezom, npr: .txt, .jpg, ... Ukoliko je prazno, sve "
"datoteke su dozvoljene"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google mapa"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "Lociranje u tijeku"

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "Nažalost, ovaj preglednik ne podržava geo lociranje"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "Ukloni lokaciju"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr "Pronađi trenutnu lokaciju"

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "Pretraži po adresi..."

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "Centriraj"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "Centriraj prilikom učitavanja"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "Uvećaj"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "Postavi zadanu vrijednost uvećanja"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Visina"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "Uredi visinu mape"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Skup polja"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "Pod polja"

#: 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 "Odaberite način prikaza odabranih polja"

#: 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 "Blok"

#: 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 "Tablica"

#: 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 "Red"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Slika"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "Odaberi sliku"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Uredi sliku"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Ažuriraj sliku"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "Sve slike"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Nema odabranih slika"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Dodaj sliku"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Podaci kao niz"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "Putanja slike"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "ID slike"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Veličina prikaza prilikom uređivanja stranice"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Prikazuje se prilikom unosa podataka"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Ograniči koje slike mogu biti dodane"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Širina"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Poveznica"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Odaberite poveznicu"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Otvori u novom prozoru/kartici"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Vrijednost kao niz"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Putanja poveznice"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Poruka"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Broj linija"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Određuje način prikaza novih linija"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Dodaj paragraf"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Dodaj novi red - &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Bez obrade"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Onemogući HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Prikažite HTML kodove kao tekst umjesto iscrtavanja"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Broj"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:157
msgid "Minimum Value"
msgstr "Minimum"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:167
msgid "Maximum Value"
msgstr "Maksimum"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:177
msgid "Step Size"
msgstr "Korak"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Vrijednost mora biti broj"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Unešena vrijednost mora biti jednaka ili viša od %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Unešena vrijednost mora biti jednaka ili niža od %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "Poveznica"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Greška."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr "Nije pronađen nijedan umetak za unesenu adresu."

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "Dimenzija umetka"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arhiva"

#: 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 "Matični"

#: 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
msgid "Filter by Post Type"
msgstr "Filtriraj po tipu posta"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "Svi tipovi"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "Filtriraj prema taksonomiji"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr "Sve taksonomije"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Omogući odabir arhive tipova"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "Dozvoli odabir više vrijednosti?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Lozinka"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr "Objekt"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "ID objave"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radiogumb"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Drugo"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Dodaj odabir ’ostalo’ za slobodan unost"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Spremi ostale"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Spremi ostale vrijednosti i omogući njihov odabir"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Raspon"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Veza"

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr "Minimalna vrijednost je {min}"

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr "Već ste dodali najviše dozvoljenih vrijednosti (najviše: {max})"

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "Učitavanje"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr "Nema rezultata"

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "Odaberi tip posta"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "Odebarite taksonomiju"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "Pretraga…"

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "Filteri"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tip objave"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "Taksonomija"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "Elementi"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr "Odabrani elementi bit će prikazani u svakom rezultatu"

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr "Minimalno"

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "Maksimalno"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] ""
msgstr[1] ""
msgstr[2] ""

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Odaberi"

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Jedan rezultat dostupan, pritisnite enter za odabir."

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d rezultata dostupno, za pomicanje koristite strelice gore/dole."

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nema rezultata"

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Molimo unesite 1 ili više znakova"

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Molimo unesite najmanje %d ili više znakova"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Molimo obrišite 1 znak"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Molimo obrišite višak znakova - %d znak(ova) je višak"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Moguće je odabrati samo jednu opciju"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Odabir opcija je ograničen na najviše %d"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Učitavam rezultate&hellip;"

#: includes/fields/class-acf-field-select.php:48
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Pretražujem&hellip;"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Neuspješno učitavanje"

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Odaberi"

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Stilizirano sučelje"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "Asinkrono učitaj dostupne odabire?"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr "Preciziraj vrijednost za povrat"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Razdjelnik"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Kartica"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Pozicija"

#: 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 ""
"Preciziraj prijelomnu točku za prethodne kartice. Ovo će omogućiti novi skup "
"kartica nakon prijelomne točke."

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Nema %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Bez odabira"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr "Odaberite taksonomiju za prikaz"

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Prikaz"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr "Odaberite izgled polja"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Omogući odabir više vrijednosti"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Više odabira"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "Jedan odabir"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Radiogumbi"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Kreiraj pojmove"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr "Omogući kreiranje pojmova prilikom uređivanja"

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Spremi pojmove"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr "Spoji odabrane pojmove sa objavom"

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Učitaj pojmove"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr "Učitaj pojmove iz objave"

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Vrijednost pojma kao objekt"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "Vrijednost kao: ID pojma"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr "Korisnik nije u mogućnosti dodati %s"

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr "%s već postoji"

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr "Dodano: %s"

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr "Dodaj"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Ograniči broj znakova"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Ostavite prazno za neograničeno"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Tekst polje"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Broj redova"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Podesi visinu tekstualnog polja"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Odabri vremena (sat i minute)"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "True / False"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Da"

#: 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 "Ne"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Prikazuje tekst uz odabirni okvir"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Tekst za aktivno stanje"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Tekst prikazan dok je polje aktivno"

#: includes/fields/class-acf-field-true_false.php:165
msgid "Off Text"
msgstr "Tekst za neaktivno stanje"

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr "Tekst prikazan dok je polje neaktivno"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Poveznica"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Vrijednost molja biti valjana"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Korisnik"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "Filtar prema ulozi"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "Sve uloge"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Vizualno uređivanje"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Vizualno"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Tekst polje"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr "Aktiviraj vizualno uređivanje na klik"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Kartice"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Vizualno i tekstualno"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Samo vizualni"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Samo tekstualno"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Alatna traka"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Prikaži gumb za odabir datoteka?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr "Odgodi učitavanje?"

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE neće biti učitan dok korisnik ne klikne na polje"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Uredi skup polja"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Verificiraj email"

#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:573
#: pro/options-page.php:81
msgid "Update"
msgstr "Ažuriraj"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Objava ažurirana"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam"

#: includes/input.php:259
msgid "Expand Details"
msgstr "Prošireni prikaz"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "Sakrij detalje"

#: includes/input.php:261
msgid "Validation successful"
msgstr "Uspješna verifikacija"

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Verifikacija nije uspjela"

#: includes/input.php:263
msgid "1 field requires attention"
msgstr "1 polje treba vašu pažnju"

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr "Nekoliko polja treba vašu pažnje: %d"

#: includes/input.php:265
msgid "Restricted"
msgstr "Ograničen pristup"

#: includes/input.php:266
msgid "Are you sure?"
msgstr "Jeste li sigurni?"

#: includes/input.php:270
msgid "Cancel"
msgstr "Otkaži"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Objava"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Stranice"

#: includes/locations.php:96
msgid "Forms"
msgstr "Forme"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Prilog"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Svi oblici %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Komentar"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Trenutni tip korisnika"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Admin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Trenutni korisnik"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Prijavljen"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Prikazuje web stranicu"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Prikazuje administracijki dio"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Stavka izbornika"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Izbornik"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Lokacije izbornika"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Izbornici"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Matična stranica"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Predložak stranice"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Zadani predložak"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tip stranice"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "Početna stranica"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "Stranica za objave"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr "Matična stranica (Nije podstranica)"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "Matičan stranica (Ima podstranice)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "Pod-stranica (Ima matičnu stranicu)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Kategorija objave"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Format objave"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Status objave"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taksonomija objave"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Predložak stranice"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Pojam takosnomije"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Korisnički obrazac"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Dodaj / Uredi"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registriraj"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Tip korisnika"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Uredi"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Ažuriraj"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s je obavezno"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Objavi"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Niste dodali nijedan skup polja na ovu stranicu, <a href=“%s”>Dodaj skup "
"polja</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Greška</b>. Greška prilikom spajanja na server"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Ažuriranja"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Deaktiviraj licencu"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Aktiviraj licencu"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informacije o licenci"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Da bi omogućili ažuriranje, molimo unesite vašu licencu i polje ispod. "
"Ukoliko ne posjedujete licencu, molimo posjetite <a href=“%s” "
"target=“_blank”>detalji i cijene</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Licenca"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Ažuriraj informacije"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Trenutna vezija"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Posljednja dostupna verzija"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Dostupna nadogradnja"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Nadogradi dodatak"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Unesite licencu kako bi mogli izvršiti nadogradnju"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Provjeri ponovno"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Obavijest od nadogradnjama"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Kloniraj"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Odaberite jedno ili više polja koja želite klonirati"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Prikaz"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Odaberite način prikaza kloniranog polja"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Skupno (Prikazuje odabrana polja kao dodatni skup unutar trenutnog polja)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Zamjena (Prikazuje odabrana polja umjesto trenutnog polja)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Oznake će biti prikazane kao %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Dodaj prefiks ispred oznake"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Vrijednosti će biti spremljene kao %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Dodaj prefiks ispred naziva polja"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Nepoznato polje"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Nepoznat skup polja"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Sva polje iz %s skupa polja"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "Dodaj red"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "raspored"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "rasporedi"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "ukloni {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Polje mora sadržavati najmanje {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Polje je ograničeno na najviše {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Polje mora sadržavati najmanje {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Polje {label} smije sadržavati najviše {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} preostalo (najviše {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} obavezno (najmanje {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "Potrebno je unijeti najmanje jedno fleksibilni polje"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Kliknite “%s” gumb kako bi započeki kreiranje raspored"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Dodaj razmještaj"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Ukloni razmještaj"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr "Klikni za uključivanje/isključivanje"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Reorder Layout"
msgstr "Presloži polja povlačenjem"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Reorder"
msgstr "Presloži"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Delete Layout"
msgstr "Obriši"

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Duplicate Layout"
msgstr "Dupliciraj razmještaj"

#: pro/fields/class-acf-field-flexible-content.php:559
msgid "Add New Layout"
msgstr "Dodaj novi razmještaj"

#: pro/fields/class-acf-field-flexible-content.php:630
msgid "Min"
msgstr "Minimum"

#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Max"
msgstr "Maksimum"

#: pro/fields/class-acf-field-flexible-content.php:670
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "Tekst gumba"

#: pro/fields/class-acf-field-flexible-content.php:679
msgid "Minimum Layouts"
msgstr "Najmanje"

#: pro/fields/class-acf-field-flexible-content.php:688
msgid "Maximum Layouts"
msgstr "Najviše"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Dodaj sliku u galeriju"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "Već ste dodali najviše dozovoljenih polja"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Dužina"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Potpis"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Alternativni tekst"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Dodaj u galeriju"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Grupne akcije"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Razvrstaj po datumu dodavanja"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Razvrstaj po datumu zadnje promjene"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Razvrstaj po naslovu"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Obrnuti redosljed"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Zatvori"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Minimalni odabri"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Maksimalni odabir"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Umetni"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr "Precizirajte gdje se dodaju novi prilozi"

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Umetni na kraj"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Umetni na početak"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Minimalni broj redova je već odabran ({min})"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Maksimalni broj redova je već odabran ({max})"

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "Dodaj red"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "Ukloni red"

#: pro/fields/class-acf-field-repeater.php:419
msgid "Collapsed"
msgstr "Sklopljeno"

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr "Odaberite pod polje koje će biti prikazano dok je red sklopljen"

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "Minimalno redova"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "Maksimalno redova"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Ne postoji stranica sa postavkama"

#: pro/options-page.php:51
msgid "Options"
msgstr "Postavke"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Postavke spremljene"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Da bi omogućili automatsko ažuriranje, molimo unesite licencu na stranici <a "
"href=“%s”>ažuriranja</a>. Ukoliko nemate licencu, pogledajte <a "
"href=“%s”>opcije i cijene</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Getting Started"
#~ msgstr "Kako početi"

#~ msgid "Field Types"
#~ msgstr "Tipovi polja"

#~ msgid "Functions"
#~ msgstr "Funkcije"

#~ msgid "Actions"
#~ msgstr "Akcije"

#~ msgid "Features"
#~ msgstr "Mogućnosti"

#~ msgid "How to"
#~ msgstr "Pomoć"

#~ msgid "Tutorials"
#~ msgstr "Tutorijali"

#~ msgid "FAQ"
#~ msgstr "Česta pitanja"

#~ msgid "Error"
#~ msgstr "Greška"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Izvoz polja u PHP obliku"

#~ msgid "Download export file"
#~ msgstr "Preuzmi datoteku"

#~ msgid "Generate export code"
#~ msgstr "Stvori kod za izvoz"

#~ msgid "Import"
#~ msgstr "Uvoz"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Nije moguće dovrišti nadogradnju tablice 'termmeta', tablica ne postoji u "
#~ "bazi"
PK�
�[kO6�m�m�lang/acf-it_IT.ponu�[���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: 2018-04-16 17:11+1000\n"
"PO-Revision-Date: 2018-07-16 09:34+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: it_IT\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 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__;"
"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"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:81
msgid "Advanced Custom Fields"
msgstr "Campi Personalizzati Avanzati"

#: acf.php:388 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Field Group"

#: acf.php:389
msgid "Field Group"
msgstr "Field Group"

#: acf.php:390 acf.php:422 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:551
msgid "Add New"
msgstr "Aggiungi Nuovo"

#: acf.php:391
msgid "Add New Field Group"
msgstr ""
"Aggiungi Nuovo \n"
"Field Group"

#: acf.php:392
msgid "Edit Field Group"
msgstr ""
"Modifica \n"
"Field Group"

#: acf.php:393
msgid "New Field Group"
msgstr ""
"Nuovo \n"
"Field Group"

#: acf.php:394
msgid "View Field Group"
msgstr ""
"Visualizza \n"
"Field Group"

#: acf.php:395
msgid "Search Field Groups"
msgstr ""
"Cerca \n"
"Field Group"

#: acf.php:396
msgid "No Field Groups found"
msgstr ""
"Nessun \n"
"Field Group\n"
" Trovato"

#: acf.php:397
msgid "No Field Groups found in Trash"
msgstr ""
"Nessun \n"
"Field Group\n"
" trovato nel cestino"

#: acf.php:420 includes/admin/admin-field-group.php:196
#: includes/admin/admin-field-groups.php:510
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Campi"

#: acf.php:421
msgid "Field"
msgstr "Campo"

#: acf.php:423
msgid "Add New Field"
msgstr "Aggiungi Nuovo Campo"

#: acf.php:424
msgid "Edit Field"
msgstr "Modifica Campo"

#: acf.php:425 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Nuovo Campo"

#: acf.php:426
msgid "View Field"
msgstr "Visualizza Campo"

#: acf.php:427
msgid "Search Fields"
msgstr "Ricerca Campi"

#: acf.php:428
msgid "No Fields found"
msgstr "Nessun Campo trovato"

#: acf.php:429
msgid "No Fields found in Trash"
msgstr "Nessun Campo trovato nel cestino"

#: acf.php:468 includes/admin/admin-field-group.php:377
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inattivo"

#: acf.php:473
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inattivo <span class=\"count\">(%s)</span>"
msgstr[1] "Inattivo <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr ""
"Field Group\n"
" aggiornato."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr ""
"Field Group\n"
" cancellato."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr ""
"Field Group\n"
" pubblicato."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr ""
"Field Group\n"
" salvato."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr ""
"Field Group\n"
" inviato."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr ""
"Field Group\n"
" previsto."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr ""
"Bozza \n"
"Field Group\n"
" aggiornata."

#: includes/admin/admin-field-group.php:154
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr ""
"La stringa \"field_\" non può essere usata come inizio nel nome di un Campo"

#: includes/admin/admin-field-group.php:155
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Questo Campo non può essere spostato fino a quando non saranno state salvate "
"le modifiche"

#: includes/admin/admin-field-group.php:156
msgid "Field group title is required"
msgstr "Il titolo del Field Group è richiesto"

#: includes/admin/admin-field-group.php:157
msgid "Move to trash. Are you sure?"
msgstr "Sposta nel cestino. Sei sicuro?"

#: includes/admin/admin-field-group.php:158
msgid "Move Custom Field"
msgstr "Sposta Campo Personalizzato"

#: includes/admin/admin-field-group.php:159
msgid "checked"
msgstr "selezionato"

#: includes/admin/admin-field-group.php:160
msgid "(no label)"
msgstr "(nessuna etichetta)"

#: includes/admin/admin-field-group.php:161
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "copia"

#: includes/admin/admin-field-group.php:162
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:139
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:4158
msgid "or"
msgstr "o"

#: includes/admin/admin-field-group.php:163
msgid "Null"
msgstr "Nullo"

#: includes/admin/admin-field-group.php:197
msgid "Location"
msgstr "Posizione"

#: includes/admin/admin-field-group.php:198
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Impostazioni"

#: includes/admin/admin-field-group.php:347
msgid "Field Keys"
msgstr "Field Key"

#: includes/admin/admin-field-group.php:377
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Attivo"

#: includes/admin/admin-field-group.php:753
msgid "Move Complete."
msgstr "Spostamento Completato."

#: includes/admin/admin-field-group.php:754
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr ""
"Il Campo %s può essere trovato nel \n"
"Field Group\n"
" %s"

#: includes/admin/admin-field-group.php:755
msgid "Close Window"
msgstr "Chiudi Finestra"

#: includes/admin/admin-field-group.php:796
msgid "Please select the destination for this field"
msgstr "Per favore seleziona la destinazione per questo Campo"

#: includes/admin/admin-field-group.php:803
msgid "Move Field"
msgstr "Sposta Campo"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Attivo <span class=\"count\">(%s)</span>"
msgstr[1] "Attivo <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr ""
"Field Group\n"
" duplicato. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s Field Group duplicato."
msgstr[1] "%s Field Group duplicati."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr ""
"Field Group\n"
" sincronizzato. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s Field Group sincronizzato."
msgstr[1] "%s Field Group sincronizzati."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Sync disponibile"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Titolo"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Descrizione"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Stato"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "Personalizza WordPress con campi potenti, professionali e intuitivi."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Novità"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Guarda cosa c'è di nuovo nella <a href=\"%s\">versione %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Risorse"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Sito Web"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Documentazione"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Supporto"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "PRO"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Grazie per aver creato con <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Duplica questo elemento"

#: includes/admin/admin-field-groups.php:667
#: includes/admin/admin-field-groups.php:683
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:550
msgid "Duplicate"
msgstr "Duplica"

#: includes/admin/admin-field-groups.php:700
#: includes/fields/class-acf-field-google-map.php:113
#: includes/fields/class-acf-field-relationship.php:657
msgid "Search"
msgstr "Ricerca"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Seleziona %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr ""
"Sincronizza \n"
"Field Group"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Sync"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Applica"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Azioni di massa"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Strumenti"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Campi Personalizzati"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Aggiorna Database"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Rivedi siti e aggiornamenti"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Errore di convalida richiesta"

#: includes/admin/install.php:210 includes/admin/views/install.php:104
msgid "No updates available."
msgstr "Nessun aggiornamento disponibile."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Add-ons"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Errore</b>. Impossibile caricare l'elenco Add-ons"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informazioni"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Cosa c'è di nuovo"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr ""
"Esporta \n"
"Field Group"

#: 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 "Genera PHP"

#: 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 ""
"Nessun \n"
"Field Group\n"
" selezionato"

#: 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] "Esportato 1 gruppo di campi."
msgstr[1] "Esportati %s gruppi di campi."

#: 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 ""
"Cerca \n"
"Field Group"

#: 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 ""
"Selezionare i \n"
"Field Group\n"
" che si desidera esportare e quindi selezionare il metodo di esportazione. "
"Utilizzare il pulsante di download per esportare in un file .json che sarà "
"poi possibile importare in un'altra installazione ACF. Utilizzare il "
"pulsante generare per esportare il codice PHP che è possibile inserire nel "
"vostro tema."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Esporta file"

#: 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 ""
"Il codice seguente può essere utilizzato per registrare una versione locale "
"del Field Group selezionato(i). Un Field Group locale può fornire numerosi "
"vantaggi come ad esempio i tempi di caricamento più veloci, controllo di "
"versione e campi / impostazioni dinamiche. Semplicemente copia e incolla il "
"seguente codice nel file functions.php del vostro tema."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Copia negli appunti"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Copiato"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr ""
"Importa \n"
"Field Group"

#: 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 ""
"Selezionare il file JSON di Advanced Custom Fields che si desidera "
"importare. Quando si fa clic sul pulsante di importazione di seguito, ACF "
"importerà i \n"
"Field Group\n"
"."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:37
msgid "Select File"
msgstr "Seleziona File"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Importa file"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:154
msgid "No file selected"
msgstr "Nessun file selezionato"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Errore caricamento file. Per favore riprova"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Tipo file non corretto"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "File importato vuoto"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Importato 1 field group"
msgstr[1] "Importati %s field groups"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Condizione Logica"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Mostra questo Campo se"

#: includes/admin/views/field-group-field-conditional-logic.php:126
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "e"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Aggiungi gruppo di regole"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Trascinare per riordinare"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Modifica Campo"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:136
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "Modifica"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Duplica Campo"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Sposta"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Sposta"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Cancella Campo"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:549
msgid "Delete"
msgstr "Cancella"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Etichetta Campo"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Questo è il nome che apparirà sulla pagina Modifica"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nome Campo"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Singola parola, nessun spazio. Sottolineatura e trattini consentiti"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Tipo di Campo"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Istruzioni"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr ""
"Istruzioni per gli autori. Mostrato al momento della presentazione dei dati"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Richiesto?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Attributi Contenitore"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "larghezza"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Chiudi Campo"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordinamento"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:418
#: pro/fields/class-acf-field-flexible-content.php:576
msgid "Label"
msgstr "Etichetta"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:964
#: pro/fields/class-acf-field-flexible-content.php:589
msgid "Name"
msgstr "Nome"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Chiave"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tipo"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Nessun Campo. Clicca il bottone <strong>+ Aggiungi Campo</strong> per creare "
"il primo campo."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Aggiungi Campo"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regole"

#: 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 ""
"Creare un insieme di regole per determinare quale schermate in modifica "
"dovranno utilizzare i campi personalizzati avanzati"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stile"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standard (metabox WP)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Senza giunte (senza metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posizione"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Alto (dopo il titolo)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normale (dopo contenuto)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "A lato"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Posizionamento etichette"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Allineamento in alto"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Allineamento a sinistra"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Posizionamento Istruzione"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Sotto etichette"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Sotto campi"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "N. Ordinamento"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""
"Field groups come inizialmente viene visualizzato in un ordine inferiore"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Mostrato in lista field group"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Nascondi nello schermo"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Seleziona</b> gli elementi per <b>nasconderli</b> dalla pagina Modifica."

#: 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 ""
"Se più gruppi di campi appaiono su una schermata di modifica, verranno usate "
"le opzioni del primo Field Group usato (quello con il numero d'ordine più "
"basso)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Permalink"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Editor Contenuto"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Estratto"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Discussione"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Commenti"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revisioni"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Autore"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Formato"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Attributi di Pagina"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:671
msgid "Featured Image"
msgstr "Immagine di presentazione"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Categorie"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Tag"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Invia Trackbacks"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr ""
"Mostra questo \n"
"Field Group\n"
" se"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Aggiornamento siti"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr ""
"Aggiornamento Database \n"
"Advanced Custom Fields"

#: 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."
msgstr ""
"I seguenti siti hanno necessità di un aggiornamento del DB. Controlla quelli "
"che vuoi aggiornare e clicca %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Sito"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Il sito necessita di un aggiornamento Database da %s a %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Il sito è aggiornato"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Aggiornamento Database completato. <a href=\"%s\">Ritorna alla Network "
"Dashboard</a>"

#: 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 ""
"Si raccomanda vivamente di eseguire il backup del database prima di "
"procedere. Sei sicuro che si desidera eseguire il programma di aggiornamento "
"adesso?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Aggiornamento completato"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Aggiornamento dati alla versione %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Ripetitore"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Contenuto Flessibile"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galleria"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Pagina Opzioni"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Aggiornamento Database richiesto"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Grazie per aver aggiornato a %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 ""
"Prima di iniziare ad utilizzare queste nuove fantastiche funzionalità, "
"aggiorna il tuo Database alla versione più attuale."

#: 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 ""
"Si prega di assicurarsi che anche i componenti premium (%s) siano prima "
"stati aggiornati all'ultima versione."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Lettura attività di aggiornamento ..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Aggiornamento del database completato. <a href=\"%s\">Guarda le novità</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Scarica & Installa"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installato"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Benvenuto in Advanced Custom Fields"

#: 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 ""
"Grazie per l'aggiornamento! ACF %s è più grande e migliore che mai. Speriamo "
"che vi piaccia."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Campi Personalizzati come non li avete mai visti"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Migliorata Usabilità"

#: 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 ""
"Inclusa la famosa biblioteca Select2, che ha migliorato sia l'usabilità, che "
"la velocità di Campi come Post, Link, Tassonomie e Select."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Miglioramento del Design"

#: 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 ""
"Molti Campi hanno subito un aggiornamento visivo per rendere ACF un aspetto "
"migliore che mai! Notevoli cambiamenti li trovate nei Campi Gallery, "
"Relazioni e oEmbed (nuovo)!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Miglioramento dei dati"

#: 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 ""
"Ridisegnare l'architettura dei dati ha permesso ai Sotto-Campi di vivere in "
"modo indipendente dai loro Genitori. Ciò consente di trascinare e rilasciare "
"i Campi dentro e fuori i Campi Genitore!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Ciao, ciao Add-ons. Benvenuto PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Introduzione ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Stiamo cambiando in modo eccitante le funzionalità Premium!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Parallelamente ACF5 è la versione tutta nuova di <a href=\"%s\">ACF5 PRO</"
"a>! Questa versione PRO include tutti e 4 i componenti aggiuntivi premium "
"(Repeater, Gallery, Flexible Content e Pagina Opzioni) e con le licenze "
"personali e di sviluppo disponibili, funzionalità premium è più conveniente "
"che mai!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Potenti funzionalità"

#: 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 ""
"ACF PRO contiene caratteristiche impressionanti come i Campi Repeater, "
"Flexible Layout, Gallery e la possibilità di creare Options Page (pagine "
"opzioni di amministrazione) personalizzabili!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Scopri di più sulle <a href=\"%s\">funzionalità di ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Aggiornamento facile"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Per rendere più semplice gli aggiornamenti, \n"
"<a href=\"%s\">accedi al tuo account</a> e richiedi una copia gratuita di "
"ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Abbiamo inoltre scritto una <a href=\"%s\">guida all'aggiornamento</a> per "
"rispondere alle vostre richieste, ma se ne avete di nuove, contattate il "
"nostro <a href=\"%s\">help desk</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Sotto il cofano"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Impostazioni dei Campi più intelligenti"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF ora salva le impostazioni dei Campi come oggetti Post individuali"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Più AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Altri campi utilizzano la ricerca di AJAX per velocizzare il caricamento "
"della pagina"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "JSON locale"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr ""
"Nuovo esportazione automatica di funzionalità JSON migliora la velocità"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Migliore versione di controllo"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"Nuova esportazione automatica di funzione JSON consente impostazioni dei "
"campi da versione controllati"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "XML scambiato per JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Importa / Esporta ora utilizza JSON a favore di XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nuovi Forme"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"I campi possono essere mappati con i commenti, widget e tutte le forme degli "
"utenti!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "È stato aggiunto un nuovo campo per incorporare contenuti"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nuova Galleria"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Il campo galleria ha subito un lifting tanto necessario"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nuove Impostazioni"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Sono state aggiunte impostazioni di gruppo sul Campo per l'inserimento "
"dell'etichetta e il posizionamento di istruzioni"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Forme Anteriori migliori"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() può ora creare un nuovo post di presentazione"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Validazione Migliore"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Validazione del form ora avviene tramite PHP + AJAX in favore del solo JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Campo Relazione"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Nuove Impostazione Campo Relazione per i 'Filtri' (Ricerca, Tipo di Post, "
"Tassonomia)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Spostamento Campi"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"La nuova funzionalità di Field Group consente di spostare un campo tra i "
"gruppi e genitori"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Link Pagina"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Nuovo gruppo archivi in materia di selezione page_link"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Migliori Pagine Opzioni"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Nuove funzioni per la Pagina Opzioni consentono la creazione di pagine menu "
"genitore e figlio"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Pensiamo che amerete i cambiamenti in %s."

#: includes/api/api-helpers.php:1039
msgid "Thumbnail"
msgstr "Thumbnail"

#: includes/api/api-helpers.php:1040
msgid "Medium"
msgstr "Medio"

#: includes/api/api-helpers.php:1041
msgid "Large"
msgstr "Grande"

#: includes/api/api-helpers.php:1090
msgid "Full Size"
msgstr "Dimensione piena"

#: includes/api/api-helpers.php:1431 includes/api/api-helpers.php:2004
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(nessun titolo)"

#: includes/api/api-helpers.php:4079
#, php-format
msgid "Image width must be at least %dpx."
msgstr "La larghezza dell'immagine deve essere di almeno %dpx."

#: includes/api/api-helpers.php:4084
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "La larghezza dell'immagine non deve superare i %dpx."

#: includes/api/api-helpers.php:4100
#, php-format
msgid "Image height must be at least %dpx."
msgstr "L'altezza dell'immagine deve essere di almeno %dpx."

#: includes/api/api-helpers.php:4105
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "L'altezza dell'immagine non deve superare i %dpx."

#: includes/api/api-helpers.php:4123
#, php-format
msgid "File size must be at least %s."
msgstr "La dimensione massima deve essere di almeno %s."

#: includes/api/api-helpers.php:4128
#, php-format
msgid "File size must must not exceed %s."
msgstr "La dimensione massima non deve superare i %s."

#: includes/api/api-helpers.php:4162
#, php-format
msgid "File type must be %s."
msgstr "La tipologia del File deve essere %s."

#: includes/assets.php:164
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Le modifiche effettuate verranno cancellate se si esce da questa pagina"

#: includes/assets.php:167 includes/fields/class-acf-field-select.php:257
msgctxt "verb"
msgid "Select"
msgstr "Seleziona"

#: includes/assets.php:168
msgctxt "verb"
msgid "Edit"
msgstr "Modifica"

#: includes/assets.php:169
msgctxt "verb"
msgid "Update"
msgstr "Aggiorna"

#: includes/assets.php:170 pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Caricato in questo Post"

#: includes/assets.php:171
msgid "Expand Details"
msgstr "Espandi Dettagli"

#: includes/assets.php:172
msgid "Collapse Details"
msgstr "Chiudi Dettagli"

#: includes/assets.php:173
msgid "Restricted"
msgstr "Limitato"

#: includes/assets.php:174
msgid "All images"
msgstr "Tutte le immagini"

#: includes/assets.php:177
msgid "Validation successful"
msgstr "Validazione avvenuta con successo"

#: includes/assets.php:178 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validazione fallita"

#: includes/assets.php:179
msgid "1 field requires attention"
msgstr "1 Campo necessita di attenzioni"

#: includes/assets.php:180
#, php-format
msgid "%d fields require attention"
msgstr "%d Campi necessitano di attenzioni"

#: includes/assets.php:183
msgid "Are you sure?"
msgstr "Sei sicuro?"

#: includes/assets.php:184 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Si"

#: includes/assets.php:185 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "No"

#: includes/assets.php:186 includes/fields/class-acf-field-file.php:138
#: includes/fields/class-acf-field-image.php:124
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:343
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Rimuovi"

#: includes/assets.php:187
msgid "Cancel"
msgstr "Annulla"

#: includes/assets.php:190
msgid "Has any value"
msgstr "Ha qualunque valore"

#: includes/assets.php:191
msgid "Has no value"
msgstr "Non ha un valore"

#: includes/assets.php:192
msgid "Value is equal to"
msgstr "Valore è uguale a"

#: includes/assets.php:193
msgid "Value is not equal to"
msgstr "Valore non è uguale a"

#: includes/assets.php:194
msgid "Value matches pattern"
msgstr "Valore corrisponde a modello"

#: includes/assets.php:195
msgid "Value contains"
msgstr "Valore contiene"

#: includes/assets.php:196
msgid "Value is greater than"
msgstr "Valore è maggiore di"

#: includes/assets.php:197
msgid "Value is less than"
msgstr "Valore è meno di"

#: includes/assets.php:198
msgid "Selection is greater than"
msgstr "Selezione è maggiore di"

#: includes/assets.php:199
msgid "Selection is less than"
msgstr "Selezione è meno di"

#: includes/fields.php:144
msgid "Basic"
msgstr "Base"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Contenuto"

#: includes/fields.php:146
msgid "Choice"
msgstr "Scegli"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relazionale"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149
#: includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:546
#: pro/fields/class-acf-field-flexible-content.php:595
#: pro/fields/class-acf-field-repeater.php:442
msgid "Layout"
msgstr "Layout"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Il tipo di Campo non esiste"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Sconosciuto"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Fisarmonica"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Apri"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Mostra questa fisarmonica aperta sul caricamento della pagina."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Espansione multipla"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Permetti a questa fisarmonica di aprirsi senza chiudere gli altri."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Endpoint"

#: 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 ""
"Definisce un endpoint per la precedente fisarmonica che deve fermarsi. "
"Questa fisarmonica non sarà visibile."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Gruppo Bottoni"

#: 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:349
msgid "Choices"
msgstr "Scelte"

#: 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:350
msgid "Enter each choice on a new line."
msgstr "Immettere ogni scelta su una nuova linea."

#: 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:350
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Per un maggiore controllo, è possibile specificare sia un valore ed "
"etichetta in questo modo:"

#: 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:350
msgid "red : Red"
msgstr "rosso : Rosso"

#: 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:367
#: includes/fields/class-acf-field-taxonomy.php:793
#: includes/fields/class-acf-field-user.php:409
msgid "Allow Null?"
msgstr "Consenti Nullo?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:146
#: includes/fields/class-acf-field-select.php:358
#: 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 "Valore di default"

#: 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:282
#: includes/fields/class-acf-field-range.php:147
#: 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 "Appare quando si crea un nuovo post"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Orizzontale"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Verticale"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:199
#: includes/fields/class-acf-field-image.php:188
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:833
msgid "Return Value"
msgstr "Valore di ritorno"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:200
#: includes/fields/class-acf-field-image.php:189
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Specificare il valore restituito sul front-end"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:417
msgid "Value"
msgstr "Valore"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:419
msgid "Both (Array)"
msgstr "Entrambi (Array)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Checkbox"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Seleziona tutti"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Aggiungi nuova scelta"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Consenti Personalizzato"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Consenti valori 'personalizzati' da aggiungere"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Salva Personalizzato"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Salvare i valori 'personalizzati' per le scelte del campo"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:359
msgid "Enter each default value on a new line"
msgstr "Immettere ogni valore di default su una nuova linea"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Toggle"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Inserisci un Checkbox extra per poter selezionare tutte le opzioni"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Selettore colore"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Chiaro"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Default"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Seleziona colore"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Colore Corrente"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Selettore data"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Fatto"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Oggi"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Prossimo"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Precedente"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Sett"

#: includes/fields/class-acf-field-date_picker.php:180
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Formato di visualizzazione"

#: includes/fields/class-acf-field-date_picker.php:181
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Il formato visualizzato durante la modifica di un post"

#: includes/fields/class-acf-field-date_picker.php:189
#: includes/fields/class-acf-field-date_picker.php:220
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Personalizzato:"

#: includes/fields/class-acf-field-date_picker.php:199
msgid "Save Format"
msgstr "Salva Formato"

#: includes/fields/class-acf-field-date_picker.php:200
msgid "The format used when saving a value"
msgstr "Il formato utilizzato durante il salvataggio di un valore"

#: includes/fields/class-acf-field-date_picker.php:210
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:698
#: includes/fields/class-acf-field-select.php:412
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:428
msgid "Return Format"
msgstr "Formato di ritorno"

#: includes/fields/class-acf-field-date_picker.php:211
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Il formato restituito tramite funzioni template"

#: includes/fields/class-acf-field-date_picker.php:229
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "La settimana inizia il"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Selettore data/ora"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Scegli tempo"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Orario"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Ore"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuto"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Secondo"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisecondo"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microsecondo"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fuso orario"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Ora"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Fatto"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Seleziona"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Email"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Testo segnaposto"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Appare nella finestra di input"

#: 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:185
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Anteponi"

#: 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:186
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Appare prima dell'input"

#: 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:194
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Accodare"

#: 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:195
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Accodare dopo l'input"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "File"

#: includes/fields/class-acf-field-file.php:38
msgid "Edit File"
msgstr "Modifica File"

#: includes/fields/class-acf-field-file.php:39
msgid "Update File"
msgstr "Aggiorna File"

#: includes/fields/class-acf-field-file.php:125
msgid "File name"
msgstr "Nome file"

#: includes/fields/class-acf-field-file.php:129
#: includes/fields/class-acf-field-file.php:232
#: includes/fields/class-acf-field-file.php:243
#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Dimensione File"

#: includes/fields/class-acf-field-file.php:154
msgid "Add File"
msgstr "Aggiungi file"

#: includes/fields/class-acf-field-file.php:205
msgid "File Array"
msgstr "File Array"

#: includes/fields/class-acf-field-file.php:206
msgid "File URL"
msgstr "File URL"

#: includes/fields/class-acf-field-file.php:207
msgid "File ID"
msgstr "File ID"

#: includes/fields/class-acf-field-file.php:214
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "Libreria"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr "Limitare la scelta alla libreria multimediale"

#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Tutti"

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "Caricato al post"

#: includes/fields/class-acf-field-file.php:228
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr "Minimo"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-file.php:240
msgid "Restrict which files can be uploaded"
msgstr "Limita i tipi di File che possono essere caricati"

#: includes/fields/class-acf-field-file.php:239
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr "Massimo"

#: includes/fields/class-acf-field-file.php:250
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr "Tipologie File permesse"

#: includes/fields/class-acf-field-file.php:251
#: 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"
msgstr "Lista separata da virgole. Lascia bianco per tutti i tipi"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Map"

#: includes/fields/class-acf-field-google-map.php:43
msgid "Sorry, this browser does not support geolocation"
msgstr "Spiacente, questo browser non supporta la geolocalizzazione"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Clear location"
msgstr "Pulisci posizione"

#: includes/fields/class-acf-field-google-map.php:115
msgid "Find current location"
msgstr "Trova posizione corrente"

#: includes/fields/class-acf-field-google-map.php:118
msgid "Search for address..."
msgstr "Cerca per indirizzo..."

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center"
msgstr "Centro"

#: includes/fields/class-acf-field-google-map.php:149
#: includes/fields/class-acf-field-google-map.php:160
msgid "Center the initial map"
msgstr "Centrare la mappa iniziale"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:172
msgid "Set the initial zoom level"
msgstr "Imposta il livello di zoom iniziale"

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Altezza"

#: includes/fields/class-acf-field-google-map.php:182
msgid "Customise the map height"
msgstr "Personalizza l'altezza della mappa iniziale"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Gruppo"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:381
msgid "Sub Fields"
msgstr "Campi Sub"

#: 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 "Specificare lo stile utilizzato per il rendering dei campi selezionati"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:606
#: pro/fields/class-acf-field-repeater.php:450
msgid "Block"
msgstr "Blocco"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:605
#: pro/fields/class-acf-field-repeater.php:449
msgid "Table"
msgstr "Tabella"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:607
#: pro/fields/class-acf-field-repeater.php:451
msgid "Row"
msgstr "Riga"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Immagine"

#: includes/fields/class-acf-field-image.php:42
msgid "Select Image"
msgstr "Seleziona Immagine"

#: includes/fields/class-acf-field-image.php:43
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Modifica Immagine"

#: includes/fields/class-acf-field-image.php:44
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Aggiorna Immagine"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Nessun immagine selezionata"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Aggiungi Immagine"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Array Immagine"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "URL Immagine"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "ID Immagine"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Dimensione Anteprima"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Mostrato durante l'immissione dei dati"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Limita i tipi di immagine che possono essere caricati"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Larghezza"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Seleziona Link"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Apri in una nuova scheda/finestra"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Link Array"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Link URL"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Messaggio"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Nuove Linee"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Controlla come le nuove linee sono renderizzate"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Aggiungi automaticamente paragrafi"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Aggiungi automaticamente &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Nessuna formattazione"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escape HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Visualizza HTML come testo"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Numero"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:155
msgid "Minimum Value"
msgstr "Valore Minimo"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:165
msgid "Maximum Value"
msgstr "Valore Massimo"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:175
msgid "Step Size"
msgstr "Step Dimensione"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Il valore deve essere un numero"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Il valore deve essere uguale o superiore a %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Il valore deve essere uguale o inferiore a %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Inserisci URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Dimensione Embed"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archivi"

#: 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 "Genitore"

#: 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:624
msgid "Filter by Post Type"
msgstr "Filtra per tipo di Post"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:632
msgid "All post types"
msgstr "Tutti i tipi di post"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:638
msgid "Filter by Taxonomy"
msgstr "Fitra per tassonomia"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:646
msgid "All taxonomies"
msgstr "Tutte le Tassonomie"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Consentire URL degli Archivi"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:377
#: includes/fields/class-acf-field-user.php:419
msgid "Select multiple values?"
msgstr "Selezionare più valori?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Password"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post Object"
msgstr "Oggetto Post"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:704
msgid "Post ID"
msgstr "ID Post"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Bottone Radio"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Altro"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Aggiungi scelta 'altro' per consentire valori personalizzati"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Salva Altro"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Salvare i valori 'altri' alle scelte di campo"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Intervallo"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relazioni"

#: includes/fields/class-acf-field-relationship.php:40
msgid "Maximum values reached ( {max} values )"
msgstr "Valori massimi raggiunti ( valori {max} )"

#: includes/fields/class-acf-field-relationship.php:41
msgid "Loading"
msgstr "Caricamento"

#: includes/fields/class-acf-field-relationship.php:42
msgid "No matches found"
msgstr "Nessun risultato"

#: includes/fields/class-acf-field-relationship.php:424
msgid "Select post type"
msgstr "Seleziona Post Type"

#: includes/fields/class-acf-field-relationship.php:450
msgid "Select taxonomy"
msgstr "Seleziona Tassonomia"

#: includes/fields/class-acf-field-relationship.php:540
msgid "Search..."
msgstr "Ricerca ..."

#: includes/fields/class-acf-field-relationship.php:652
msgid "Filters"
msgstr "Filtri"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tipo Post"

#: includes/fields/class-acf-field-relationship.php:659
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Tassonomie"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Elements"
msgstr "Elementi"

#: includes/fields/class-acf-field-relationship.php:667
msgid "Selected elements will be displayed in each result"
msgstr "Gli elementi selezionati verranno visualizzati in ogni risultato"

#: includes/fields/class-acf-field-relationship.php:678
msgid "Minimum posts"
msgstr "Post minimi"

#: includes/fields/class-acf-field-relationship.php:687
msgid "Maximum posts"
msgstr "Post massimi"

#: includes/fields/class-acf-field-relationship.php:791
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s richiede la selezione di almeno %s"
msgstr[1] "%s richiede le selezioni di almeno %s"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Seleziona"

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Un risultato disponibile, premi invio per selezionarlo."

#: includes/fields/class-acf-field-select.php:41
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d risultati disponibili, usa i tasti freccia su e giù per scorrere."

#: includes/fields/class-acf-field-select.php:42
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nessun riscontro trovato"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Per favore inserire 1 o più caratteri"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Inserisci %d o più caratteri"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Per favore cancella 1 carattere"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Cancellare %d caratteri"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Puoi selezionare solo 1 elemento"

#: includes/fields/class-acf-field-select.php:48
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "È possibile selezionare solo %d elementi"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Caricamento altri risultati&hellip;"

#: includes/fields/class-acf-field-select.php:50
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Cercando&hellip;"

#: includes/fields/class-acf-field-select.php:51
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Caricamento fallito"

#: includes/fields/class-acf-field-select.php:387
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "UI stilizzata"

#: includes/fields/class-acf-field-select.php:397
msgid "Use AJAX to lazy load choices?"
msgstr "Usa AJAX per le scelte di carico lazy?"

#: includes/fields/class-acf-field-select.php:413
msgid "Specify the value returned"
msgstr "Specificare il valore restituito"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Separatore"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Scheda"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Posizione"

#: 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 ""
"Definire un endpoint per le schede precedenti da interrompere. Questo "
"avvierà un nuovo gruppo di schede."

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Nessun %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Nessuno"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr "Seleziona la Tassonomia da mostrare"

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Aspetto"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr "Seleziona l'aspetto per questo Campo"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Valori Multipli"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Selezione Multipla"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "Valore Singolo"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Bottoni Radio"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Crea Termini"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr "Abilita la creazione di nuovi Termini"

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Salva Termini"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr "Collega i Termini selezionati al Post"

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Carica Termini"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr "Carica valori dai Termini del Post"

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Oggetto Termine"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "ID Termine"

#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Errore."

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr "Utente non abilitato ad aggiungere %s"

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr "%s esiste già"

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr "%s aggiunto"

#: includes/fields/class-acf-field-taxonomy.php:998
msgid "Add"
msgstr "Aggiungi"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Testo"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limite Carattere"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Lasciare vuoto per nessun limite"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Area di Testo"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Righe"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Imposta le righe dell'area di testo"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Selettore di tempo"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Vero / Falso"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Visualizza il testo a fianco alla casella di controllo"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Testo Attivo"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Testo visualizzato quando è attivo"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Testo Disattivo"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Testo mostrato quando inattivo"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Il valore deve essere una URL valida"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Utente"

#: includes/fields/class-acf-field-user.php:394
msgid "Filter by role"
msgstr "Filtra per ruolo"

#: includes/fields/class-acf-field-user.php:402
msgid "All user roles"
msgstr "Tutti i ruoli utente"

#: includes/fields/class-acf-field-user.php:433
msgid "User Array"
msgstr "Array utente"

#: includes/fields/class-acf-field-user.php:434
msgid "User Object"
msgstr "Oggetto utente"

#: includes/fields/class-acf-field-user.php:435
msgid "User ID"
msgstr "ID Utente"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Editor Wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Visuale"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Testo"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr "Clicca per inizializzare TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Schede"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Visuale e Testuale"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Solo Visuale"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Solo Testuale"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Toolbar"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Mostra Bottoni caricamento Media?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr "Ritardo inizializzazione?"

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""
"TinyMCE non sarà inizializzato fino a quando il campo non viene cliccato"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Modifica Field Group"

#: includes/forms/form-front.php:55
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
msgid "Update"
msgstr "Aggiorna"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Post aggiornato"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam Rilevato"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Post"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Pagina"

#: includes/locations.php:96
msgid "Forms"
msgstr "Moduli"

#: includes/locations.php:247
msgid "is equal to"
msgstr "è uguale a"

#: includes/locations.php:248
msgid "is not equal to"
msgstr "non è uguale a"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Allegato"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Tutti i formati %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Commento"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Ruolo Utente corrente"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Admin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Utente corrente"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Autenticato"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Visualizzando Frond-end"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Visualizzando Back-end"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menu Elemento"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Posizione Menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menu"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Genitore Pagina"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Template Pagina"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Template Default"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipo di Pagina"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Pagina Principale"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Pagina Post"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Pagina di primo livello (no Genitori)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Pagina Genitore (ha Figli)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Pagina Figlio (ha Genitore)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoria Post"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formato Post"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Stato Post"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Tassonomia Post"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Template Post"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Form Utente"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Aggiungi / Modifica"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registra"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Ruolo Utente"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "Il valore %s è richiesto"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Pubblica"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Nessun Field Group personalizzato trovato in questa Pagina Opzioni. <a href="
"\"%s\">Crea un Field Group personalizzato</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Errore</b>.Impossibile connettersi al server di aggiornamento"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aggiornamenti"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Disattivare Licenza"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Attiva Licenza"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informazioni Licenza"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Per sbloccare gli aggiornamenti, si prega di inserire la chiave di licenza "
"qui sotto. Se non hai una chiave di licenza, si prega di vedere <a href=\"%s"
"\" target=\"_blank\">Dettagli e prezzi</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Chiave di licenza"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informazioni di aggiornamento"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Versione corrente"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Ultima versione"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Aggiornamento Disponibile"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Aggiorna Plugin"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Inserisci il tuo codice di licenza per sbloccare gli aggiornamenti"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Ricontrollare"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Avviso di Aggiornamento"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clona"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Selezionare uno o più campi che si desidera clonare"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Visualizza"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Specificare lo stile utilizzato per il rendering del campo clona"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Gruppo (Visualizza campi selezionati in un gruppo all'interno di questo "
"campo)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Senza interruzione (sostituisce questo campo con i campi selezionati)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Etichette verranno visualizzate come %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Prefisso Etichetta Campo"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "I valori verranno salvati come %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Prefisso Nomi Campo"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Campo sconosciuto"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Field Group sconosciuto"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Tutti i campi dal %s field group"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:462
msgid "Add Row"
msgstr "Aggiungi Riga"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "layout"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "layout"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "rimuovi {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Questo campoQuesto campo richiede almeno {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Questo campo ha un limite di {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Questo campo richiede almeno {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Massimo {label} limite raggiunto ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponibile (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} richiesto (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexible Content richiede almeno 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Clicca il bottone \"%s\" qui sotto per iniziare a creare il layout"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Aggiungi Layout"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Rimuovi Layout"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr "Clicca per alternare"

#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Reorder Layout"
msgstr "Riordina Layout"

#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Reorder"
msgstr "Riordina"

#: pro/fields/class-acf-field-flexible-content.php:549
msgid "Delete Layout"
msgstr "Cancella Layout"

#: pro/fields/class-acf-field-flexible-content.php:550
msgid "Duplicate Layout"
msgstr "Duplica Layout"

#: pro/fields/class-acf-field-flexible-content.php:551
msgid "Add New Layout"
msgstr "Aggiungi Nuovo Layout"

#: pro/fields/class-acf-field-flexible-content.php:622
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:635
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:662
#: pro/fields/class-acf-field-repeater.php:458
msgid "Button Label"
msgstr "Etichetta Bottone"

#: pro/fields/class-acf-field-flexible-content.php:671
msgid "Minimum Layouts"
msgstr "Layout Minimi"

#: pro/fields/class-acf-field-flexible-content.php:680
msgid "Maximum Layouts"
msgstr "Layout Massimi"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Aggiungi Immagine alla Galleria"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "Selezione massima raggiunta"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Lunghezza"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Didascalia"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Testo Alt"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Aggiungi a Galleria"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Azioni in blocco"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Ordina per aggiornamento data"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Ordina per data modifica"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Ordina per titolo"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Ordine corrente inversa"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Chiudi"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Seleziona Minima"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Seleziona Massima"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Inserisci"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr "Specificare dove vengono aggiunti nuovi allegati"

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Aggiungere alla fine"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Anteporre all'inizio"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Righe minime raggiunte ({min} righe)"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Righe massime raggiunte ({max} righe)"

#: pro/fields/class-acf-field-repeater.php:335
msgid "Add row"
msgstr "Aggiungi riga"

#: pro/fields/class-acf-field-repeater.php:336
msgid "Remove row"
msgstr "Rimuovi riga"

#: pro/fields/class-acf-field-repeater.php:411
msgid "Collapsed"
msgstr "Collassata"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Selezionare un campo secondario da visualizzare quando la riga è collassata"

#: pro/fields/class-acf-field-repeater.php:422
msgid "Minimum Rows"
msgstr "Righe Minime"

#: pro/fields/class-acf-field-repeater.php:432
msgid "Maximum Rows"
msgstr "Righe Massime"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Nessuna Pagina Opzioni esistente"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opzioni"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opzioni Aggiornate"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Per attivare gli aggiornamenti, per favore inserisci la tua chiave di "
"licenza nella pagina <a href=\"%s\">Aggiornamenti</a>. Se non hai una chiave "
"di licenza, per favore vedi <a href=\"%s\">dettagli e prezzi</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "No conditional fields available"
#~ msgstr "Non ci sono campi condizionali disponibili"

#~ msgid "Parent fields"
#~ msgstr "Campi genitore"

#~ msgid "Sibling fields"
#~ msgstr "Campi di pari livello"

#~ msgid "Left Aligned"
#~ msgstr "Allineamento a sinistra"

#~ msgid "Locating"
#~ msgstr "Localizzazione"

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Valori minimi raggiunti ( valori {min} )"

#~ msgid "Taxonomy Term"
#~ msgstr "Termine Tassonomia"

#~ msgid "No toggle fields available"
#~ msgstr "Nessun Campo Toggle disponibile"

#~ msgid "Export Field Groups to PHP"
#~ msgstr ""
#~ "Esporta \n"
#~ "Field Group\n"
#~ " di PHP"

#~ msgid "Download export file"
#~ msgstr "Scarica file di esportazione"

#~ msgid "Generate export code"
#~ msgstr "Generare codice di esportazione"

#~ msgid "Import"
#~ msgstr "Importa"

#~ msgid "No embed found for the given URL."
#~ msgstr "Nessun embed trovato per l'URL specificato."

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Il campo scheda visualizzerà correttamente quando aggiunto a un campo "
#~ "ripetitore stile di tabella o disposizione flessibile in campo dei "
#~ "contenuti"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Usa \"Campi Scheda\" per organizzare al meglio la vostra schermata di "
#~ "modifica raggruppando i campi insieme."

#~ 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 ""
#~ "Tutti i campi che seguono questo \"campo scheda\" (o finché un altro "
#~ "\"campo tab \" viene definito) verranno raggruppati utilizzando "
#~ "l'etichetta di questo campo come intestazione scheda."

#~ msgid "End-point"
#~ msgstr "Punto finale"

#~ msgid "Use this field as an end-point and start a new group of tabs"
#~ msgstr ""
#~ "Utilizzare questo campo come un punto finale e iniziare un nuovo gruppo "
#~ "di schede"

#~ msgid "Getting Started"
#~ msgstr "Guida introduttiva"

#~ msgid "Field Types"
#~ msgstr "Tipi di Field"

#~ msgid "Functions"
#~ msgstr "Funzioni"

#~ msgid "Actions"
#~ msgstr "Azioni"

#~ msgid "Features"
#~ msgstr "Caratteristiche"

#~ msgid "How to"
#~ msgstr "Come fare"

#~ msgid "Tutorials"
#~ msgstr "Tutorial"

#~ msgid "FAQ"
#~ msgstr "FAQ"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Non è possibile l'aggiornamento del meta termine (la tabella termmeta non "
#~ "esiste)"

#~ msgid "Error"
#~ msgstr "Errore"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 campo richiede attenzione."
#~ msgstr[1] "%d campi richiedono attenzione."

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Errore durante la convalida dell'URL della licenza di ACF PRO (sito web "
#~ "non corrisponde). Si prega di riattivare la licenza"

#~ msgid "See what's new"
#~ msgstr "Guarda cosa c'è di nuovo"

#~ msgid "Disabled"
#~ msgstr "Disabilitato"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Disabilitato <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Disabilitato <span class=\"count\">(%s)</span>"

#~ msgid "'How to' guides"
#~ msgstr "Guide del 'come si fa'"

#~ msgid "Created by"
#~ msgstr "Creato da"

#~ msgid "Text shown when not active"
#~ msgstr "Testo visualizzato quando non è attivo"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Errore nella convalida licenza URL (sito Web non corrisponde). Si prega "
#~ "di ri-attivare la licenza"

#~ msgid "Error loading update"
#~ msgstr "Errore durante il caricamento."

#~ msgid "eg. Show extra content"
#~ msgstr "es. Mostra contenuti extra"

#~ msgid "Select"
#~ msgstr "Seleziona"

#~ msgctxt "Field label"
#~ msgid "Clone"
#~ msgstr "Clona"

#~ msgctxt "Field instruction"
#~ msgid "Clone"
#~ msgstr "Clona"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Errore di connessione</b>. Spiacenti, per favore riprova"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr ""
#~ "<b>Successo</b>. Lo strumento di importazione ha aggiunto %s Field Group: "
#~ "%s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Attenzione</b>. Lo strumento di importazione ha trovato %s \n"
#~ "Field Group\n"
#~ " già esistenti e sono stati ignorati: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Aggiorna ACF"

#~ msgid "Upgrade"
#~ msgstr "Aggiornamento"

#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "I seguenti siti necessitano di un aggiornamento Database. Seleziona "
#~ "quelli da aggiornare e clicca \"Aggiorna Database\""

#~ msgid "Done"
#~ msgstr "Fatto"

#~ msgid "Today"
#~ msgstr "Oggi"

#~ msgid "Show a different month"
#~ msgstr "Mostra un altro mese"

#~ msgid "See what's new in"
#~ msgstr "Guarda cosa c'è di nuovo"

#~ msgid "version"
#~ msgstr "versione"

#~ msgid "Upgrading data to"
#~ msgstr "Aggiornare i dati a"

#~ msgid "Return format"
#~ msgstr "Formato ritorno"

#~ msgid "uploaded to this post"
#~ msgstr "caricare a questo post"

#~ msgid "File Name"
#~ msgstr "Nome file"

#~ msgid "File Size"
#~ msgstr "Dimensione file"

#~ msgid "No File selected"
#~ msgstr "Nessun file selezionato"

#~ msgid "Save Options"
#~ msgstr "Salva Opzioni"

#~ msgid "License"
#~ msgstr "Licenza"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Per sbloccare gli aggiornamenti, inserisci il tuo codice di licenza di "
#~ "seguito. Se non si dispone di una chiave di licenza, si prega di "
#~ "consultare"

#~ msgid "details & pricing"
#~ msgstr "dettagli & prezzi"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Per attivare gli aggiornamenti, inserisci il tuo codice di licenza sulla "
#~ "pagina <a href=\"%s\">Aggiornamenti</a>. Se non si dispone di una chiave "
#~ "di licenza, si prega di consultare <a href=\"%s\">dettagli & prezzi</a>"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

#~ msgid "elliot condon"
#~ msgstr "elliot condon"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Trascina per riordinare"

#~ msgid "Add new %s "
#~ msgstr "Aggiungi %s "

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Si prega di notare che tutto il testo viene prima passato attraverso la "
#~ "funzione wp"

#~ msgid "Warning"
#~ msgstr "Attenzione"

#~ msgid "Import / Export"
#~ msgstr "Importa / Esporta"

#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "I Field Group sono creati in ordine dal più basso al più alto"
PK�
�[�%�!}}lang/acf-id_ID.ponu�[���msgid ""
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: 2018-02-06 10:06+1000\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\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-SourceCharset: UTF-8\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"Plural-Forms: nplurals=1; plural=0;\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language: id_ID\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:266 admin/admin.php:61
msgid "Field Groups"
msgstr "Grup Bidang"

#: acf.php:267
msgid "Field Group"
msgstr "Grup Bidang"

#: acf.php:268 acf.php:300 admin/admin.php:62 pro/fields/flexible-content.php:505
msgid "Add New"
msgstr "Tambah Baru"

#: acf.php:269
msgid "Add New Field Group"
msgstr "Tambah Grup Bidang Baru"

#: acf.php:270
msgid "Edit Field Group"
msgstr "Edit Grup Bidang"

#: acf.php:271
msgid "New Field Group"
msgstr "Grup Bidang Baru"

#: acf.php:272
msgid "View Field Group"
msgstr "Lihat Grup Bidang"

#: acf.php:273
msgid "Search Field Groups"
msgstr "Cari Grup Bidang"

#: acf.php:274
msgid "No Field Groups found"
msgstr "Tidak Ada Grup Bidang Ditemukan"

#: acf.php:275
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
msgid "Fields"
msgstr "Bidang"

#: acf.php:299
msgid "Field"
msgstr "Bidang"

#: acf.php:301
msgid "Add New Field"
msgstr "Tambah bidang baru"

#: acf.php:302
msgid "Edit Field"
msgstr "Edit Bidang"

#: acf.php:303 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111
msgid "New Field"
msgstr "Bidang Baru"

#: acf.php:304
msgid "View Field"
msgstr "Lihat Bidang"

#: acf.php:305
msgid "Search Fields"
msgstr "Bidang Pencarian"

#: acf.php:306
msgid "No Fields found"
msgstr "Tidak ada bidang yang ditemukan"

#: acf.php:307
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
msgid "Disabled"
msgstr "Dimatikan"

#: acf.php:351
#, php-format
msgid "Disabled <span class=\"count\">(%s)</span>"
msgid_plural "Disabled <span class=\"count\">(%s)</span>"
msgstr[0] "Dimatikan <span class=\"count\">(%s)</span>"

#: admin/admin.php:57 admin/views/field-group-options.php:115
msgid "Custom Fields"
msgstr "Bidang Kustom"

#: admin/field-group.php:68 admin/field-group.php:69 admin/field-group.php:71
msgid "Field group updated."
msgstr "Grup bidang diperbarui."

#: admin/field-group.php:70
msgid "Field group deleted."
msgstr "Grup bidang dihapus."

#: admin/field-group.php:73
msgid "Field group published."
msgstr "Grup bidang diterbitkan."

#: admin/field-group.php:74
msgid "Field group saved."
msgstr "Grup bidang disimpan."

#: admin/field-group.php:75
msgid "Field group submitted."
msgstr "Grup bidang dikirim."

#: admin/field-group.php:76
msgid "Field group scheduled for."
msgstr "Grup bidang dijadwalkan untuk."

#: admin/field-group.php:77
msgid "Field group draft updated."
msgstr "Draft grup bidang diperbarui."

#: admin/field-group.php:176
msgid "Move to trash. Are you sure?"
msgstr "Pindahkan ke tong sampah. Yakin?"

#: admin/field-group.php:177
msgid "checked"
msgstr "diperiksa"

#: admin/field-group.php:178
msgid "No toggle fields available"
msgstr "Tidak ada bidang toggle yang tersedia"

#: admin/field-group.php:179
msgid "Field group title is required"
msgstr "Judul grup bidang diperlukan"

#: admin/field-group.php:180 api/api-field-group.php:581
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/views/field-group-locations.php:135 api/api-helpers.php:3401
msgid "or"
msgstr "atau"

#: admin/field-group.php:183
msgid "Parent fields"
msgstr "Bidang parent"

#: admin/field-group.php:184
msgid "Sibling fields"
msgstr "Bidang sibling"

#: admin/field-group.php:185
msgid "Move Custom Field"
msgstr "Pindahkan Bidang Kustom"

#: admin/field-group.php:186
msgid "This field cannot be moved until its changes have been saved"
msgstr "Bidang ini tidak dapat dipindahkan sampai perubahan sudah disimpan"

#: admin/field-group.php:187
msgid "Null"
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"

#: admin/field-group.php:189
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "String \"field_\" tidak dapat digunakan pada awal nama field"

#: admin/field-group.php:214
msgid "Location"
msgstr "Lokasi"

#: admin/field-group.php:215
msgid "Settings"
msgstr "Pengaturan"

#: admin/field-group.php:253
msgid "Field Keys"
msgstr "Kunci Bidang"

#: admin/field-group.php:283 admin/views/field-group-options.php:12
msgid "Active"
msgstr "Aktif"

#: admin/field-group.php:752
msgid "Front Page"
msgstr "Laman Depan"

#: admin/field-group.php:753
msgid "Posts Page"
msgstr "Laman Post"

#: admin/field-group.php:754
msgid "Top Level Page (no parent)"
msgstr "Laman Tingkat Atas (tanpa parent)"

#: admin/field-group.php:755
msgid "Parent Page (has children)"
msgstr "Laman Parent (memiliki anak)"

#: admin/field-group.php:756
msgid "Child Page (has parent)"
msgstr "Laman Anak (memiliki parent)"

#: admin/field-group.php:772
msgid "Default Template"
msgstr "Template Default"

#: admin/field-group.php:794
msgid "Logged in"
msgstr "Log masuk"

#: admin/field-group.php:795
msgid "Viewing front end"
msgstr "Melihat front end"

#: admin/field-group.php:796
msgid "Viewing back end"
msgstr "Melihat back end"

#: admin/field-group.php:815
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
msgid "All"
msgstr "Semua"

#: admin/field-group.php:835
msgid "Add / Edit"
msgstr "Tambah / Edit"

#: admin/field-group.php:836
msgid "Register"
msgstr "Daftar"

#: admin/field-group.php:1067
msgid "Move Complete."
msgstr "Pindah yang Lengkap."

#: admin/field-group.php:1068
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Bidang %s sekarang dapat ditemukan di bidang grup %s"

#: admin/field-group.php:1070
msgid "Close Window"
msgstr "Tutup window"

#: admin/field-group.php:1105
msgid "Please select the destination for this field"
msgstr "Silakan pilih tujuan untuk bidang ini"

#: admin/field-group.php:1112
msgid "Move Field"
msgstr "Pindahkan Bidang"

#: admin/field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktif <span class=\"count\">(%s)</span>"

#: admin/field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Grup bidang diduplikat. %s"

#: admin/field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Grup bidang %s diduplikat"

#: admin/field-groups.php:228
#, php-format
msgid "Field group synchronised. %s"
msgstr "Grup bidang disinkronkan. %s"

#: admin/field-groups.php:232
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "bidang grup %s disinkronkan."

#: admin/field-groups.php:412 admin/field-groups.php:576
msgid "Sync available"
msgstr "Sinkronisasi tersedia"

#: admin/field-groups.php:525
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
msgid "Description"
msgstr "Deskripsi"

#: admin/field-groups.php:527 admin/views/field-group-options.php:5
msgid "Status"
msgstr "Status"

#: admin/field-groups.php:624 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111
msgid "Changelog"
msgstr "Changelog"

#: admin/field-groups.php:625
msgid "See what's new in"
msgstr "Lihat apa yang baru di"

#: admin/field-groups.php:625
msgid "version"
msgstr "versi"

#: admin/field-groups.php:627
msgid "Resources"
msgstr "Sumber"

#: admin/field-groups.php:629
msgid "Getting Started"
msgstr "Perkenalan"

#: admin/field-groups.php:630 pro/admin/settings-updates.php:73 pro/admin/views/settings-updates.php:17
msgid "Updates"
msgstr "Mutakhir"

#: admin/field-groups.php:631
msgid "Field Types"
msgstr "Jenis Field"

#: admin/field-groups.php:632
msgid "Functions"
msgstr "Fungsi"

#: admin/field-groups.php:633
msgid "Actions"
msgstr "Tindakan"

#: admin/field-groups.php:634 fields/relationship.php:717
msgid "Filters"
msgstr "Saringan"

#: admin/field-groups.php:635
msgid "'How to' guides"
msgstr "Panduan \"Bagaimana Caranya\""

#: admin/field-groups.php:636
msgid "Tutorials"
msgstr "Tutorial"

#: admin/field-groups.php:641
msgid "Created by"
msgstr "Dibuat oleh"

#: admin/field-groups.php:684
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
msgid "Duplicate"
msgstr "Duplikat"

#: admin/field-groups.php:746
#, php-format
msgid "Select %s"
msgstr "Pilih %s"

#: admin/field-groups.php:754
msgid "Synchronise field group"
msgstr "Menyinkronkan grup bidang"

#: admin/field-groups.php:754 admin/field-groups.php:771
msgid "Sync"
msgstr "Sinkronkan"

#: admin/settings-addons.php:51 admin/views/settings-addons.php:9
msgid "Add-ons"
msgstr "Add-on"

#: admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Kesalahan</b>. Tidak dapat memuat daftar add-on"

#: admin/settings-info.php:50
msgid "Info"
msgstr "Info"

#: admin/settings-info.php:75
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
msgid "Tools"
msgstr "Perkakas"

#: admin/settings-tools.php:151 admin/settings-tools.php:379
msgid "No field groups selected"
msgstr "Tidak ada grup bidang yang dipilih"

#: admin/settings-tools.php:188
msgid "No file selected"
msgstr "Tak ada file yang dipilih"

#: admin/settings-tools.php:201
msgid "Error uploading file. Please try again"
msgstr "Kesalahan mengunggah file. Silakan coba lagi"

#: admin/settings-tools.php:210
msgid "Incorrect file type"
msgstr "Jenis file salah"

#: admin/settings-tools.php:227
msgid "Import file empty"
msgstr "File yang diimpor kosong"

#: admin/settings-tools.php:323
#, php-format
msgid "<b>Success</b>. Import tool added %s field groups: %s"
msgstr "<b>Sukses</b>. Impor alat ditambahkan %s grup bidang: %s"

#: admin/settings-tools.php:332
#, php-format
msgid "<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %s"
msgstr "<b>Peringatan</b>. Impor alat terdeteksi grup bidang %s sudah ada dan telah diabaikan: %s"

#: admin/update.php:113
msgid "Upgrade ACF"
msgstr "Tingkatkan ACF"

#: admin/update.php:143
msgid "Review sites & upgrade"
msgstr "Meninjau situs & tingkatkan"

#: admin/update.php:298
msgid "Upgrade"
msgstr "Tingkatkan"

#: admin/update.php:328
msgid "Upgrade Database"
msgstr "Tingkatkan Database"

#: admin/views/field-group-field-conditional-logic.php:29
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
#: 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
msgid "No"
msgstr "Tidak"

#: admin/views/field-group-field-conditional-logic.php:62
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
msgid "is equal to"
msgstr "sama dengan"

#: 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
msgid "and"
msgstr "dan"

#: admin/views/field-group-field-conditional-logic.php:164 admin/views/field-group-locations.php:137
msgid "Add rule group"
msgstr "Tambahkan peraturan grup"

#: admin/views/field-group-field.php:54 admin/views/field-group-field.php:58
msgid "Edit field"
msgstr "Edit Bidang"

#: admin/views/field-group-field.php:58 pro/fields/gallery.php:363
msgid "Edit"
msgstr "Edit"

#: admin/views/field-group-field.php:59
msgid "Duplicate field"
msgstr "Duplikat Bidang"

#: admin/views/field-group-field.php:60
msgid "Move field to another group"
msgstr "Pindahkan Bidang ke grup lain"

#: admin/views/field-group-field.php:60
msgid "Move"
msgstr "Pindahkan"

#: admin/views/field-group-field.php:61
msgid "Delete field"
msgstr "Hapus bidang"

#: admin/views/field-group-field.php:61 pro/fields/flexible-content.php:503
msgid "Delete"
msgstr "Hapus"

#: admin/views/field-group-field.php:69 fields/oembed.php:225 fields/taxonomy.php:912
msgid "Error"
msgstr "Error"

#: fields/oembed.php:220 fields/taxonomy.php:900
msgid "Error."
msgstr "Error."

#: admin/views/field-group-field.php:69
msgid "Field type does not exist"
msgstr "Jenis bidang tidak ada"

#: admin/views/field-group-field.php:82
msgid "Field Label"
msgstr "Label Bidang"

#: admin/views/field-group-field.php:83
msgid "This is the name which will appear on the EDIT page"
msgstr "Ini nama yang akan muncul pada laman EDIT"

#: admin/views/field-group-field.php:95
msgid "Field Name"
msgstr "Nama Bidang"

#: admin/views/field-group-field.php:96
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Satu kata, tanpa spasi. Garis bawah dan strip dibolehkan"

#: admin/views/field-group-field.php:108
msgid "Field Type"
msgstr "Jenis Bidang"

#: admin/views/field-group-field.php:122 fields/tab.php:134
msgid "Instructions"
msgstr "Instruksi"

#: admin/views/field-group-field.php:123
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instruksi untuk author. Terlihat ketika mengirim data"

#: admin/views/field-group-field.php:134
msgid "Required?"
msgstr "Diperlukan?"

#: admin/views/field-group-field.php:163
msgid "Wrapper Attributes"
msgstr "Atribut Wrapper"

#: admin/views/field-group-field.php:169
msgid "width"
msgstr "lebar"

#: admin/views/field-group-field.php:183
msgid "class"
msgstr "class"

#: admin/views/field-group-field.php:196
msgid "id"
msgstr "id"

#: admin/views/field-group-field.php:208
msgid "Close Field"
msgstr "Tutup Bidang"

#: admin/views/field-group-fields.php:29
msgid "Order"
msgstr "Suruh"

#: admin/views/field-group-fields.php:30 pro/fields/flexible-content.php:530
msgid "Label"
msgstr "Label"

#: admin/views/field-group-fields.php:31 pro/fields/flexible-content.php:543
msgid "Name"
msgstr "Nama"

#: admin/views/field-group-fields.php:32
msgid "Type"
msgstr "Tipe"

#: admin/views/field-group-fields.php:44
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr "Tidak ada bidang. Klik tombol <strong>+ Tambah Bidang</strong> untuk membuat bidang pertama Anda."

#: admin/views/field-group-fields.php:51
msgid "Drag and drop to reorder"
msgstr "Seret dan jatuhkan untuk mengatur ulang"

#: admin/views/field-group-fields.php:54
msgid "+ Add Field"
msgstr "+ Tambah Bidang"

#: admin/views/field-group-locations.php:5 admin/views/field-group-locations.php:11
msgid "Post"
msgstr "post"

#: admin/views/field-group-locations.php:6 fields/relationship.php:723
msgid "Post Type"
msgstr "Jenis Post"

#: admin/views/field-group-locations.php:7
msgid "Post Status"
msgstr "Status Post"

#: admin/views/field-group-locations.php:8
msgid "Post Format"
msgstr "Format Post"

#: admin/views/field-group-locations.php:9
msgid "Post Category"
msgstr "Kategori Post"

#: admin/views/field-group-locations.php:10
msgid "Post Taxonomy"
msgstr "Post Taksonomi"

#: admin/views/field-group-locations.php:13 admin/views/field-group-locations.php:17
msgid "Page"
msgstr "Laman"

#: admin/views/field-group-locations.php:14
msgid "Page Template"
msgstr "Template Laman"

#: admin/views/field-group-locations.php:15
msgid "Page Type"
msgstr "Jenis Laman"

#: admin/views/field-group-locations.php:16
msgid "Page Parent"
msgstr "Laman Parent"

#: admin/views/field-group-locations.php:19 fields/user.php:36
msgid "User"
msgstr "Pengguna"

#: admin/views/field-group-locations.php:20
msgid "Current User"
msgstr "Pengguna saat ini"

#: admin/views/field-group-locations.php:21
msgid "Current User Role"
msgstr "Peran pengguna saat ini"

#: admin/views/field-group-locations.php:22
msgid "User Form"
msgstr "Form Pengguna"

#: admin/views/field-group-locations.php:23
msgid "User Role"
msgstr "Peran pengguna"

#: admin/views/field-group-locations.php:25 pro/admin/options-page.php:48
msgid "Forms"
msgstr "Form"

#: admin/views/field-group-locations.php:26
msgid "Attachment"
msgstr "Lampiran"

#: admin/views/field-group-locations.php:27
msgid "Taxonomy Term"
msgstr "Taksonomi Persyaratan"

#: admin/views/field-group-locations.php:28
msgid "Comment"
msgstr "Komentar"

#: admin/views/field-group-locations.php:29
msgid "Widget"
msgstr "Widget"

#: admin/views/field-group-locations.php:41
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"

#: admin/views/field-group-locations.php:59
msgid "Show this field group if"
msgstr "Tampilkan grup bidang jika"

#: admin/views/field-group-options.php:20
msgid "Style"
msgstr "Gaya"

#: admin/views/field-group-options.php:27
msgid "Standard (WP metabox)"
msgstr "Standar (WP metabox)"

#: admin/views/field-group-options.php:28
msgid "Seamless (no metabox)"
msgstr "Mulus (tanpa metabox)"

#: admin/views/field-group-options.php:35
msgid "Position"
msgstr "Posisi"

#: admin/views/field-group-options.php:42
msgid "High (after title)"
msgstr "Tinggi (setelah judul)"

#: admin/views/field-group-options.php:43
msgid "Normal (after content)"
msgstr "Normal (setelah konten)"

#: admin/views/field-group-options.php:44
msgid "Side"
msgstr "Samping"

#: admin/views/field-group-options.php:52
msgid "Label placement"
msgstr "Penempatan Label"

#: admin/views/field-group-options.php:59 fields/tab.php:148
msgid "Top aligned"
msgstr "Selaras atas"

#: admin/views/field-group-options.php:60 fields/tab.php:149
msgid "Left aligned"
msgstr "Selaras kiri"

#: admin/views/field-group-options.php:67
msgid "Instruction placement"
msgstr "Penempatan instruksi"

#: admin/views/field-group-options.php:74
msgid "Below labels"
msgstr "Di bawah label"

#: admin/views/field-group-options.php:75
msgid "Below fields"
msgstr "Di bawah bidang"

#: admin/views/field-group-options.php:82
msgid "Order No."
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"

#: admin/views/field-group-options.php:94
msgid "Shown in field group list"
msgstr "Ditampilkan dalam daftar Grup bidang"

#: admin/views/field-group-options.php:104
msgid "Hide on screen"
msgstr "Sembunyikan pada layar"

#: admin/views/field-group-options.php:105
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Pilih</b> item untuk <b>menyembunyikan</b> 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)"
msgstr ""
"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"
msgstr "Permalink"

#: admin/views/field-group-options.php:113
msgid "Content Editor"
msgstr "Konten Edior"

#: admin/views/field-group-options.php:114
msgid "Excerpt"
msgstr "Kutipan"

#: admin/views/field-group-options.php:116
msgid "Discussion"
msgstr "Diskusi"

#: admin/views/field-group-options.php:117
msgid "Comments"
msgstr "Komentar"

#: admin/views/field-group-options.php:118
msgid "Revisions"
msgstr "Revisi"

#: admin/views/field-group-options.php:119
msgid "Slug"
msgstr "Slug"

#: admin/views/field-group-options.php:120
msgid "Author"
msgstr "Author"

#: admin/views/field-group-options.php:121
msgid "Format"
msgstr "Format"

#: admin/views/field-group-options.php:122
msgid "Page Attributes"
msgstr "Atribut Laman"

#: admin/views/field-group-options.php:123 fields/relationship.php:736
msgid "Featured Image"
msgstr "Gambar Fitur"

#: admin/views/field-group-options.php:124
msgid "Categories"
msgstr "Kategori"

#: admin/views/field-group-options.php:125
msgid "Tags"
msgstr "Tag"

#: admin/views/field-group-options.php:126
msgid "Send Trackbacks"
msgstr "Kirim Pelacakan"

#: admin/views/settings-addons.php:23
msgid "Download & Install"
msgstr "Undah dan Instal"

#: admin/views/settings-addons.php:42
msgid "Installed"
msgstr "Sudah Terinstall"

#: admin/views/settings-info.php:9
msgid "Welcome to Advanced Custom Fields"
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."
msgstr ""
"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"
msgstr "Pengalaman bidang kustom yang halus"

#: admin/views/settings-info.php:28
msgid "Improved Usability"
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."
msgstr ""
"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"
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!"
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)!"

#: admin/views/settings-info.php:38
msgid "Improved Data"
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!"
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!"

#: admin/views/settings-info.php:45
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Selamat tinggal Add-on. Halo PRO"

#: admin/views/settings-info.php:50
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!"
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 <a href=\"%s\">Pro version of ACF</a>. 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  <a href=\"%s\">versi Pro ACF</a>. 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"
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!"
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!"

#: admin/views/settings-info.php:58
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Baca lebih tentang <a href=\"%s\">Fitur ACF PRO</a>."

#: admin/views/settings-info.php:62
msgid "Easy Upgrading"
msgstr "Upgrade Mudah"

#: admin/views/settings-info.php:63
#, php-format
msgid "To help make upgrading easy, <a href=\"%s\">login to your store account</a> and claim a free copy of ACF PRO!"
msgstr ""
"Untuk membuat peningkatan yang mudah, <a href=\"%s\">masuk ke akun toko</a> dan klaim salinan gratis ACF PRO!"

#: admin/views/settings-info.php:64
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, please contact "
"our support team via the <a href=\"%s\">help desk</a>"
msgstr ""
"Kami juga menulis  <a href=\"%s\">panduan upgrade</a> untuk menjawab pertanyaan apapun, jika Anda sudah punya, "
"silahkan hubungi tim support kami via <a href=\"%s\">help desk</a>"

#: admin/views/settings-info.php:72
msgid "Under the Hood"
msgstr "Dibawah judul blog"

#: admin/views/settings-info.php:77
msgid "Smarter field settings"
msgstr "Pengaturan bidang yang pintar"

#: admin/views/settings-info.php:78
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF sekarang menyimpan pengaturan bidang sebagai objek post individu"

#: admin/views/settings-info.php:82
msgid "More AJAX"
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"

#: admin/views/settings-info.php:87
msgid "Local JSON"
msgstr "JSON Lokal"

#: admin/views/settings-info.php:88
msgid "New auto export to JSON feature improves speed"
msgstr "Ekspor otomatis ke fitur JSON meningkatkan kecepatan"

#: admin/views/settings-info.php:94
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"

#: admin/views/settings-info.php:99
msgid "Swapped XML for JSON"
msgstr "Swap XML untuk JSON"

#: admin/views/settings-info.php:100
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Impor / ekspor sekarang menggunakan JSON yang mendukung XML"

#: admin/views/settings-info.php:104
msgid "New Forms"
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!"

#: admin/views/settings-info.php:112
msgid "A new field for embedding content has been added"
msgstr "Bidang baru untuk melekatkan konten telah ditambahkan"

#: admin/views/settings-info.php:116
msgid "New Gallery"
msgstr "Galeri baru"

#: admin/views/settings-info.php:117
msgid "The gallery field has undergone a much needed facelift"
msgstr "Bidang Galeri telah mengalami banyak dibutuhkan facelift"

#: admin/views/settings-info.php:121
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"

#: admin/views/settings-info.php:128
msgid "Better Front End Forms"
msgstr "Form Front End Terbaik"

#: admin/views/settings-info.php:129
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() dapat membuat post baru di oengajuan"

#: admin/views/settings-info.php:133
msgid "Better Validation"
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"

#: 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)"

#: 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"

#: admin/views/settings-info.php:150 fields/page_link.php:36
msgid "Page Link"
msgstr "Link Halaman"

#: admin/views/settings-info.php:151
msgid "New archives group in page_link field selection"
msgstr "Grup arsip di page_link bidang seleksi"

#: admin/views/settings-info.php:155
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"

#: admin/views/settings-info.php:165
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Kami kira Anda akan menyukai perbahan di %s."

#: admin/views/settings-tools-export.php:27
msgid "Export Field Groups to PHP"
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."
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."

#: admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Pilih Grup Bidang"

#: admin/views/settings-tools.php:35
msgid "Export Field Groups"
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."
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."

#: admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Undih file eskpor"

#: admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Hasilkan kode ekspor"

#: admin/views/settings-tools.php:64
msgid "Import Field Groups"
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."
msgstr ""
"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"
msgstr "Pilih File"

#: admin/views/settings-tools.php:86
msgid "Import"
msgstr "Impor"

#: admin/views/update-network.php:8 admin/views/update.php:8
msgid "Advanced Custom Fields Database Upgrade"
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”."
msgstr ""
"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"
msgstr "Situs"

#: admin/views/update-network.php:47
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Situs memerlukan database upgrade dari %s ke %s"

#: admin/views/update-network.php:49
msgid "Site is up to date"
msgstr "Situs ini up-to-date"

#: admin/views/update-network.php:62 admin/views/update.php:16
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "Upgrade database selesai. <a href=\"%s\">Kembali ke dasbor jaringan</a>"

#: 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 ""
"Ini sangan direkomendasikan Anda mencadangkan database Anda sebelum memproses. Apakah Anda yakin menjalankan "
"peningkatan sekarang?"

#: admin/views/update-network.php:157
msgid "Upgrade complete"
msgstr "Peningkatan selesai"

#: admin/views/update-network.php:161
msgid "Upgrading data to"
msgstr "Meningkatkan data ke"

#: admin/views/update-notice.php:23
msgid "Database Upgrade Required"
msgstr "Diperlukan Peningkatan Database"

#: admin/views/update-notice.php:25
#, php-format
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."

#: admin/views/update.php:12
msgid "Reading upgrade tasks..."
msgstr "Membaca tugas upgrade..."

#: admin/views/update.php:14
#, php-format
msgid "Upgrading data to version %s"
msgstr "Meningkatkan data ke versi %s"

#: admin/views/update.php:16
msgid "See what's new"
msgstr "Lihat apa yang baru"

#: admin/views/update.php:110
msgid "No updates available."
msgstr "pembaruan tidak tersedia ."

#: api/api-helpers.php:909
msgid "Thumbnail"
msgstr "Thumbnail"

#: api/api-helpers.php:910
msgid "Medium"
msgstr "Sedang"

#: api/api-helpers.php:911
msgid "Large"
msgstr "Besar"

#: api/api-helpers.php:959
msgid "Full Size"
msgstr "Ukuran Penuh"

#: api/api-helpers.php:1149 api/api-helpers.php:1711
msgid "(no title)"
msgstr "(tanpa judul)"

#: api/api-helpers.php:3322
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Lebar gambar harus setidaknya %dpx."

#: api/api-helpers.php:3327
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Lebar gambar tidak boleh melebihi %dpx."

#: api/api-helpers.php:3343
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Tinggi gambar harus setidaknya %dpx."

#: api/api-helpers.php:3348
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Tinggi gambar tidak boleh melebihi %dpx."

#: api/api-helpers.php:3366
#, php-format
msgid "File size must be at least %s."
msgstr "Ukuran file harus setidaknya %s."

#: api/api-helpers.php:3371
#, php-format
msgid "File size must must not exceed %s."
msgstr "Ukuran file harus tidak boleh melebihi %s."

#: api/api-helpers.php:3405
#, php-format
msgid "File type must be %s."
msgstr "Jenis file harus %s."

#: api/api-template.php:1224 pro/fields/gallery.php:572
msgid "Update"
msgstr "Perbarui"

#: api/api-template.php:1225
msgid "Post updated"
msgstr "Post Diperbarui"

#: core/field.php:131
msgid "Basic"
msgstr "Dasar"

#: core/field.php:132
msgid "Content"
msgstr "Konten"

#: core/field.php:133
msgid "Choice"
msgstr "Pilihan"

#: core/field.php:134
msgid "Relational"
msgstr "Relasional"

#: core/field.php:135
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
msgid "Layout"
msgstr "Layout"

#: core/input.php:129
msgid "Expand Details"
msgstr "Perluas Rincian"

#: core/input.php:130
msgid "Collapse Details"
msgstr "Persempit Rincian"

#: core/input.php:131
msgid "Validation successful"
msgstr "Validasi Sukses"

#: core/input.php:132
msgid "Validation failed"
msgstr "Validasi Gagal"

#: core/input.php:133
msgid "1 field requires attention"
msgstr "1 Bidang memerlukan perhatian"

#: core/input.php:134
#, php-format
msgid "%d fields require attention"
msgstr "Bidang %d memerlukan perhatian"

#: core/input.php:135
msgid "Restricted"
msgstr "Dibatasi"

#: core/input.php:533
#, php-format
msgid "%s value is required"
msgstr "Nilai %s diharuskan"

#: fields/checkbox.php:36 fields/taxonomy.php:778
msgid "Checkbox"
msgstr "Kotak centang"

#: fields/checkbox.php:144
msgid "Toggle All"
msgstr "Toggle Semua"

#: fields/checkbox.php:208 fields/radio.php:193 fields/select.php:362
msgid "Choices"
msgstr "Pilihan"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:363
msgid "Enter each choice on a new line."
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:"

#: 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/url.php:117 fields/wysiwyg.php:368
msgid "Default Value"
msgstr "Nilai Default"

#: fields/checkbox.php:218 fields/select.php:372
msgid "Enter each default value on a new line"
msgstr "Masukkan setiap nilai default pada baris baru"

#: fields/checkbox.php:232 fields/radio.php:237
msgid "Vertical"
msgstr "Vertikal"

#: fields/checkbox.php:233 fields/radio.php:238
msgid "Horizontal"
msgstr "Horizontal"

#: fields/checkbox.php:240
msgid "Toggle"
msgstr "Toggle"

#: fields/checkbox.php:241
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Tambahkan sebuah kotak centang untuk toggle semua pilihan"

#: fields/color_picker.php:36
msgid "Color Picker"
msgstr "Pengambil Warna"

#: fields/color_picker.php:82
msgid "Clear"
msgstr "Bersihkan"

#: fields/color_picker.php:83
msgid "Default"
msgstr "Default"

#: fields/color_picker.php:84
msgid "Select Color"
msgstr "Pilih Warna"

#: fields/date_picker.php:36
msgid "Date Picker"
msgstr "Pengambil Tanggal"

#: fields/date_picker.php:72
msgid "Done"
msgstr "Selesai"

#: fields/date_picker.php:73
msgid "Today"
msgstr "Hari ini"

#: fields/date_picker.php:76
msgid "Show a different month"
msgstr "Tampilkan bulan berbeda"

#: fields/date_picker.php:182
msgid "Display Format"
msgstr "Format tampilan"

#: fields/date_picker.php:183
msgid "The format displayed when editing a post"
msgstr "Fromat tampilan ketika mengedit post"

#: fields/date_picker.php:197
msgid "Return format"
msgstr "Kembalikan format"

#: fields/date_picker.php:198
msgid "The format returned via template functions"
msgstr "Format dikembalikan via template function"

#: fields/date_picker.php:213
msgid "Week Starts On"
msgstr "Minggu Dimulai Pada"

#: fields/email.php:36
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
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
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
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
msgid "Prepend"
msgstr "Tambahkan"

#: 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
msgid "Append"
msgstr "Menambahkan"

#: 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"

#: fields/file.php:36
msgid "File"
msgstr "File"

#: fields/file.php:47
msgid "Edit File"
msgstr "Edit File"

#: fields/file.php:48
msgid "Update File"
msgstr "Perbarui File"

#: fields/file.php:49 pro/fields/gallery.php:55
msgid "uploaded to this post"
msgstr "diunggah ke post ini"

#: fields/file.php:142
msgid "File Name"
msgstr "Nama file"

#: fields/file.php:146
msgid "File Size"
msgstr "Ukuran File"

#: fields/file.php:169
msgid "No File selected"
msgstr "Tak ada file yang dipilih"

#: fields/file.php:169
msgid "Add File"
msgstr "Tambahkan File"

#: fields/file.php:214 fields/image.php:195 fields/taxonomy.php:847
msgid "Return Value"
msgstr "Nilai Kembali"

#: fields/file.php:215 fields/image.php:196
msgid "Specify the returned value on front end"
msgstr "Tentukan nilai yang dikembalikan di front-end"

#: fields/file.php:220
msgid "File Array"
msgstr "File Array"

#: fields/file.php:221
msgid "File URL"
msgstr "URL File"

#: fields/file.php:222
msgid "File ID"
msgstr "ID File"

#: fields/file.php:229 fields/image.php:220 pro/fields/gallery.php:655
msgid "Library"
msgstr "Perpustakaan"

#: fields/file.php:230 fields/image.php:221 pro/fields/gallery.php:656
msgid "Limit the media library choice"
msgstr "Batasi pilihan pustaka media"

#: fields/file.php:236 fields/image.php:227 pro/fields/gallery.php:662
msgid "Uploaded to post"
msgstr "Diunggah ke post"

#: fields/file.php:243 fields/image.php:234 pro/fields/gallery.php:669
msgid "Minimum"
msgstr "Minimum"

#: fields/file.php:244 fields/file.php:255
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
msgid "File size"
msgstr "Ukuran File"

#: fields/file.php:254 fields/image.php:267 pro/fields/gallery.php:702
msgid "Maximum"
msgstr "Maksimum"

#: fields/file.php:265 fields/image.php:300 pro/fields/gallery.php:735
msgid "Allowed file types"
msgstr "Jenis file yang diperbolehkan"

#: fields/file.php:266 fields/image.php:301 pro/fields/gallery.php:736
msgid "Comma separated list. Leave blank for all types"
msgstr "Daftar dipisahkan koma. Kosongkan untuk semua jenis"

#: fields/google-map.php:36
msgid "Google Map"
msgstr "Peta Google"

#: fields/google-map.php:51
msgid "Locating"
msgstr "Melokasikan"

#: fields/google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Maaf, browser ini tidak support geolocation"

#: fields/google-map.php:133 fields/relationship.php:722
msgid "Search"
msgstr "Cari"

#: fields/google-map.php:134
msgid "Clear location"
msgstr "Bersihkan lokasi"

#: fields/google-map.php:135
msgid "Find current location"
msgstr "Temukan lokasi saat ini"

#: fields/google-map.php:138
msgid "Search for address..."
msgstr "Cari alamat..."

#: fields/google-map.php:168 fields/google-map.php:179
msgid "Center"
msgstr "Tengah"

#: fields/google-map.php:169 fields/google-map.php:180
msgid "Center the initial map"
msgstr "Pusat peta awal"

#: fields/google-map.php:193
msgid "Zoom"
msgstr "Zoom"

#: fields/google-map.php:194
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
msgid "Height"
msgstr "Tinggi"

#: fields/google-map.php:204
msgid "Customise the map height"
msgstr "Sesuaikan ketinggian peta"

#: fields/image.php:36
msgid "Image"
msgstr "Gambar"

#: fields/image.php:51
msgid "Select Image"
msgstr "Pilih Gambar"

#: fields/image.php:52 pro/fields/gallery.php:53
msgid "Edit Image"
msgstr "Edit Gambar"

#: fields/image.php:53 pro/fields/gallery.php:54
msgid "Update Image"
msgstr "Perbarui Gambar"

#: fields/image.php:54
msgid "Uploaded to this post"
msgstr "Diunggah ke post ini"

#: fields/image.php:55
msgid "All images"
msgstr "Semua gambar"

#: fields/image.php:147
msgid "No image selected"
msgstr "Tak ada gambar yang dipilih"

#: fields/image.php:147
msgid "Add Image"
msgstr "Tambahkan Gambar"

#: fields/image.php:201
msgid "Image Array"
msgstr "Gambar Array"

#: fields/image.php:202
msgid "Image URL"
msgstr "URL Gambar"

#: fields/image.php:203
msgid "Image ID"
msgstr "ID Gambar"

#: fields/image.php:210 pro/fields/gallery.php:645
msgid "Preview Size"
msgstr "Ukuran Tinjauan"

#: fields/image.php:211 pro/fields/gallery.php:646
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
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
msgid "Width"
msgstr "Lebar"

#: fields/message.php:36 fields/message.php:116 fields/true_false.php:106
msgid "Message"
msgstr "Pesan"

#: fields/message.php:125 fields/textarea.php:182
msgid "New Lines"
msgstr "Garis baru"

#: fields/message.php:126 fields/textarea.php:183
msgid "Controls how new lines are rendered"
msgstr "Kontrol bagaimana baris baru diberikan"

#: fields/message.php:130 fields/textarea.php:187
msgid "Automatically add paragraphs"
msgstr "Tambah paragraf secara otomatis"

#: fields/message.php:131 fields/textarea.php:188
msgid "Automatically add &lt;br&gt;"
msgstr "Otomatis Tambah &lt;br&gt;"

#: fields/message.php:132 fields/textarea.php:189
msgid "No Formatting"
msgstr "Jangan format"

#: fields/message.php:139
msgid "Escape HTML"
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"

#: fields/number.php:36
msgid "Number"
msgstr "Jumlah"

#: fields/number.php:186
msgid "Minimum Value"
msgstr "Nilai Minimum"

#: fields/number.php:195
msgid "Maximum Value"
msgstr "Nilai Maksimum"

#: fields/number.php:204
msgid "Step Size"
msgstr "Ukuran Langkah"

#: fields/number.php:242
msgid "Value must be a number"
msgstr "Nilai harus berupa angka"

#: fields/number.php:260
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Nilai harus sama dengan atau lebih tinggi dari %d"

#: fields/number.php:268
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Nilai harus sama dengan atau lebih rendah dari %d"

#: fields/oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: fields/oembed.php:212
msgid "Enter URL"
msgstr "Masukkan URL"

#: fields/oembed.php:225
msgid "No embed found for the given URL."
msgstr "Tidak ada embed ditemukan dari URL yang diberikan."

#: fields/oembed.php:261 fields/oembed.php:272
msgid "Embed Size"
msgstr "Ukuran Embed (Semat)"

#: fields/page_link.php:197
msgid "Archives"
msgstr "Arsip"

#: 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
msgid "All post types"
msgstr "Semua Tipe Post"

#: 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
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
msgid "Allow Null?"
msgstr "Izinkan Nol?"

#: 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?"

#: fields/password.php:36
msgid "Password"
msgstr "Kata Sandi"

#: fields/post_object.php:36 fields/post_object.php:447 fields/relationship.php:768
msgid "Post Object"
msgstr "Objek Post"

#: fields/post_object.php:442 fields/relationship.php:763
msgid "Return Format"
msgstr "Kembalikan format"

#: fields/post_object.php:448 fields/relationship.php:769
msgid "Post ID"
msgstr "ID Post"

#: fields/radio.php:36
msgid "Radio Button"
msgstr "Tombol Radio"

#: fields/radio.php:202
msgid "Other"
msgstr "Lainnya"

#: fields/radio.php:206
msgid "Add 'other' choice to allow for custom values"
msgstr "Tambah pilihan 'lainnya' untuk mengizinkan nilai kustom"

#: fields/radio.php:212
msgid "Save Other"
msgstr "Simpan Lainnya"

#: fields/radio.php:216
msgid "Save 'other' values to the field's choices"
msgstr "Simpan nilai 'lainnya' ke bidang pilihan"

#: fields/relationship.php:36
msgid "Relationship"
msgstr "Hubungan"

#: fields/relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "Nilai minimum mencapai (nilai {min})"

#: fields/relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Nilai maksimum mencapai ( nilai {maks} )"

#: fields/relationship.php:50
msgid "Loading"
msgstr "Loading..."

#: fields/relationship.php:51
msgid "No matches found"
msgstr "Tidak ditemukan"

#: fields/relationship.php:570
msgid "Search..."
msgstr "Cari ..."

#: fields/relationship.php:579
msgid "Select post type"
msgstr "Pilih jenis posting"

#: fields/relationship.php:592
msgid "Select taxonomy"
msgstr "Pilih taksonomi"

#: fields/relationship.php:724 fields/taxonomy.php:36 fields/taxonomy.php:761
msgid "Taxonomy"
msgstr "Taksonomi"

#: fields/relationship.php:731
msgid "Elements"
msgstr "Elemen"

#: fields/relationship.php:732
msgid "Selected elements will be displayed in each result"
msgstr "Elemen terpilih akan ditampilkan disetiap hasil"

#: fields/relationship.php:743
msgid "Minimum posts"
msgstr "Posting minimal"

#: fields/relationship.php:752
msgid "Maximum posts"
msgstr "Posting maksimum"

#: fields/relationship.php:856 pro/fields/gallery.php:817
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s diperlukan setidaknya %s pilihan"

#: fields/select.php:36 fields/select.php:167 fields/taxonomy.php:783
msgid "Select"
msgstr "Pilih"

#: fields/select.php:408
msgid "Stylised UI"
msgstr "Stylised UI"

#: fields/select.php:422
msgid "Use AJAX to lazy load choices?"
msgstr "Gunakan AJAX untuk pilihan lazy load?"

#: fields/tab.php:36
msgid "Tab"
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"
msgstr ""
"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."

#: 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."
msgstr ""
"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"
msgstr "Penempatan"

#: fields/tab.php:156
msgid "End-point"
msgstr "End-point"

#: fields/tab.php:157
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "Gunakan bidang ini sebagai end-point dan mulai grup baru dari tab"

#: fields/taxonomy.php:730
msgid "None"
msgstr "Tidak ada"

#: fields/taxonomy.php:762
msgid "Select the taxonomy to be displayed"
msgstr "Pilih taksonomi yang akan ditampilkan"

#: fields/taxonomy.php:771
msgid "Appearance"
msgstr "Tampilan"

#: fields/taxonomy.php:772
msgid "Select the appearance of this field"
msgstr "Pilih penampilan bidang ini"

#: fields/taxonomy.php:777
msgid "Multiple Values"
msgstr "Beberapa Nilai"

#: fields/taxonomy.php:779
msgid "Multi Select"
msgstr "Pilihan Multi"

#: fields/taxonomy.php:781
msgid "Single Value"
msgstr "Nilai Tunggal"

#: fields/taxonomy.php:782
msgid "Radio Buttons"
msgstr "Tombol Radio"

#: fields/taxonomy.php:805
msgid "Create Terms"
msgstr "Buat Ketentuan"

#: fields/taxonomy.php:806
msgid "Allow new terms to be created whilst editing"
msgstr "Izinkan ketentuan baru dibuat pengeditannya sementara"

#: fields/taxonomy.php:819
msgid "Save Terms"
msgstr "Simpan Ketentuan"

#: fields/taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "Hubungkan ketentuan yang dipilih ke post"

#: fields/taxonomy.php:833
msgid "Load Terms"
msgstr "Load Ketentuan"

#: fields/taxonomy.php:834
msgid "Load value from posts terms"
msgstr "Muat nilai dari ketentuan post"

#: fields/taxonomy.php:852
msgid "Term Object"
msgstr "Objek ketentuan"

#: fields/taxonomy.php:853
msgid "Term ID"
msgstr "ID Ketentuan"

#: fields/taxonomy.php:912
#, php-format
msgid "User unable to add new %s"
msgstr "Pengguna tidak dapat menambahkan %s"

#: fields/taxonomy.php:925
#, php-format
msgid "%s already exists"
msgstr "%s sudah ada"

#: fields/taxonomy.php:966
#, php-format
msgid "%s added"
msgstr "%s ditambahkan"

#: fields/taxonomy.php:1011
msgid "Add"
msgstr "Tambah"

#: fields/text.php:36
msgid "Text"
msgstr "Teks"

#: fields/text.php:184 fields/textarea.php:163
msgid "Character Limit"
msgstr "Batas Karakter"

#: fields/text.php:185 fields/textarea.php:164
msgid "Leave blank for no limit"
msgstr "Biarkan kosong untuk tidak terbatas"

#: fields/textarea.php:36
msgid "Text Area"
msgstr "Area Teks"

#: fields/textarea.php:172
msgid "Rows"
msgstr "Baris"

#: fields/textarea.php:173
msgid "Sets the textarea height"
msgstr "Atur tinggi area teks"

#: fields/true_false.php:36
msgid "True / False"
msgstr "Benar / Salah"

#: fields/true_false.php:107
msgid "eg. Show extra content"
msgstr "contoh. Tampilkan konten ekstra"

#: fields/url.php:36
msgid "Url"
msgstr "URL"

#: fields/url.php:168
msgid "Value must be a valid URL"
msgstr "Nilai harus URL yang valid"

#: fields/user.php:437
msgid "Filter by role"
msgstr "Saring berdasarkan peran"

#: fields/user.php:445
msgid "All user roles"
msgstr "Semua peran pengguna"

#: fields/wysiwyg.php:37
msgid "Wysiwyg Editor"
msgstr "WYSIWYG Editor"

#: fields/wysiwyg.php:320
msgid "Visual"
msgstr "Visual"

#: fields/wysiwyg.php:321
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Teks"

#: fields/wysiwyg.php:377
msgid "Tabs"
msgstr "Tab"

#: fields/wysiwyg.php:382
msgid "Visual & Text"
msgstr "Visual & Teks"

#: fields/wysiwyg.php:383
msgid "Visual Only"
msgstr "Visual Saja"

#: fields/wysiwyg.php:384
msgid "Text Only"
msgstr "Teks saja"

#: fields/wysiwyg.php:391
msgid "Toolbar"
msgstr "Toolbar"

#: fields/wysiwyg.php:401
msgid "Show Media Upload Buttons?"
msgstr "Tampilkan Tombol Unggah Media?"

#: forms/post.php:298 pro/admin/options-page.php:374
msgid "Edit field group"
msgstr "Edit Grup Bidang"

#: pro/acf-pro.php:24
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/acf-pro.php:191
msgid "Flexible Content requires at least 1 layout"
msgstr "Konten fleksibel memerlukan setidaknya 1 layout"

#: pro/admin/options-page.php:48
msgid "Options Page"
msgstr "Opsi Laman"

#: pro/admin/options-page.php:83
msgid "No options pages exist"
msgstr "Tidak ada pilihan halaman yang ada"

#: pro/admin/options-page.php:298
msgid "Options Updated"
msgstr "Pilihan Diperbarui"

#: pro/admin/options-page.php:304
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr "Tidak ada Grup Bidang Kustom ditemukan untuk halaman pilihan ini. <a href=\"%s\">Buat Grup Bidang Kustom</a>"

#: pro/admin/settings-updates.php:137
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Kesalahan.</b> Tidak dapat terhubung ke server yang memperbarui"

#: pro/admin/settings-updates.php:267 pro/admin/settings-updates.php:338
msgid "<b>Connection Error</b>. Sorry, please try again"
msgstr "<b>Error Koneksi.</b> Maaf, silakan coba lagi"

#: pro/admin/views/options-page.php:48
msgid "Publish"
msgstr "Terbitkan"

#: pro/admin/views/options-page.php:54
msgid "Save Options"
msgstr "Simpan Pengaturan"

#: pro/admin/views/settings-updates.php:11
msgid "Deactivate License"
msgstr "Nonaktifkan Lisensi"

#: pro/admin/views/settings-updates.php:11
msgid "Activate License"
msgstr "Aktifkan Lisensi"

#: pro/admin/views/settings-updates.php:21
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"
msgstr ""
"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"
msgstr "Rincian & harga"

#: pro/admin/views/settings-updates.php:33
msgid "License Key"
msgstr "Kunci lisensi"

#: pro/admin/views/settings-updates.php:65
msgid "Update Information"
msgstr "Informasi Pembaruan"

#: pro/admin/views/settings-updates.php:72
msgid "Current Version"
msgstr "Versi sekarang"

#: pro/admin/views/settings-updates.php:80
msgid "Latest Version"
msgstr "Versi terbaru"

#: pro/admin/views/settings-updates.php:88
msgid "Update Available"
msgstr "Pembaruan Tersedia"

#: pro/admin/views/settings-updates.php:96
msgid "Update Plugin"
msgstr "Perbarui Plugin"

#: pro/admin/views/settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Masukkan kunci lisensi Anda di atas untuk membuka pembaruan"

#: pro/admin/views/settings-updates.php:104
msgid "Check Again"
msgstr "Periksa lagi"

#: pro/admin/views/settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Pemberitahuan Upgrade"

#: pro/api/api-options-page.php:22 pro/api/api-options-page.php:23
msgid "Options"
msgstr "Pengaturan"

#: pro/core/updates.php:198
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't have a "
"licence key, please see <a href=\"%s\">details & pricing</a>"
msgstr ""
"Untuk mengaktifkan update, masukkan kunci lisensi Anda pada <a href=\"%s\">Laman</a> pembaruan. Jika Anda tidak "
"memiliki kunci lisensi, silakan lihat <a href=\"%s\">rincian & harga</a>"

#: pro/fields/flexible-content.php:36
msgid "Flexible Content"
msgstr "Konten Fleksibel"

#: pro/fields/flexible-content.php:42 pro/fields/repeater.php:43
msgid "Add Row"
msgstr "Tambah Baris"

#: pro/fields/flexible-content.php:45
msgid "layout"
msgstr "Layout"

#: pro/fields/flexible-content.php:46
msgid "layouts"
msgstr "layout"

#: pro/fields/flexible-content.php:47
msgid "remove {layout}?"
msgstr "singkirkan {layout}?"

#: pro/fields/flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Bidang ini membutuhkan setidaknya {min} {identifier}"

#: pro/fields/flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Bidang ini memiliki batas {max} {identifier}"

#: pro/fields/flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Bidang ini membutuhkan setidaknya {min} {label} {identifier}"

#: pro/fields/flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maksimum {label} mencapai ({max} {identifier})"

#: pro/fields/flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{tersedia} {label} {identifier} tersedia (max {max})"

#: pro/fields/flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{diperlukan} {label} {identifier} diperlukan (min {min})"

#: pro/fields/flexible-content.php:211
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klik tombol\"%s\" dibawah untuk mulai membuat layout Anda"

#: pro/fields/flexible-content.php:356
msgid "Add layout"
msgstr "Tambah Layout"

#: pro/fields/flexible-content.php:359
msgid "Remove layout"
msgstr "Hapus layout"

#: pro/fields/flexible-content.php:362 pro/fields/repeater.php:312
msgid "Click to toggle"
msgstr "Klik untuk toggle"

#: pro/fields/flexible-content.php:502
msgid "Reorder Layout"
msgstr "Susun ulang Layout"

#: pro/fields/flexible-content.php:502
msgid "Reorder"
msgstr "Susun Ulang"

#: pro/fields/flexible-content.php:503
msgid "Delete Layout"
msgstr "Hapus Layout"

#: pro/fields/flexible-content.php:504
msgid "Duplicate Layout"
msgstr "Duplikat Layout"

#: pro/fields/flexible-content.php:505
msgid "Add New Layout"
msgstr "Tambah Layout Baru"

#: pro/fields/flexible-content.php:559 pro/fields/repeater.php:474
msgid "Table"
msgstr "Tabel"

#: pro/fields/flexible-content.php:560 pro/fields/repeater.php:475
msgid "Block"
msgstr "Blok"

#: pro/fields/flexible-content.php:561 pro/fields/repeater.php:476
msgid "Row"
msgstr "Baris"

#: pro/fields/flexible-content.php:576
msgid "Min"
msgstr "Min"

#: pro/fields/flexible-content.php:589
msgid "Max"
msgstr "Maks"

#: pro/fields/flexible-content.php:617 pro/fields/repeater.php:483
msgid "Button Label"
msgstr "Label tombol"

#: pro/fields/flexible-content.php:626
msgid "Minimum Layouts"
msgstr "Minimum Layouts"

#: pro/fields/flexible-content.php:635
msgid "Maximum Layouts"
msgstr "Maksimum Layout"

#: pro/fields/gallery.php:36
msgid "Gallery"
msgstr "Galeri"

#: pro/fields/gallery.php:52
msgid "Add Image to Gallery"
msgstr "Tambahkan Gambar ke Galeri"

#: pro/fields/gallery.php:56
msgid "Maximum selection reached"
msgstr "Batas pilihan maksimum"

#: pro/fields/gallery.php:343
msgid "Length"
msgstr "Panjang"

#: pro/fields/gallery.php:363
msgid "Remove"
msgstr "Singkirkan"

#: pro/fields/gallery.php:543
msgid "Add to gallery"
msgstr "Tambahkan ke galeri"

#: pro/fields/gallery.php:547
msgid "Bulk actions"
msgstr "Aksi besar"

#: pro/fields/gallery.php:548
msgid "Sort by date uploaded"
msgstr "Urutkan berdasarkan tanggal unggah"

#: pro/fields/gallery.php:549
msgid "Sort by date modified"
msgstr "Urutkan berdasarkan tanggal modifikasi"

#: pro/fields/gallery.php:550
msgid "Sort by title"
msgstr "Urutkan menurut judul"

#: pro/fields/gallery.php:551
msgid "Reverse current order"
msgstr "Agar arus balik"

#: pro/fields/gallery.php:569
msgid "Close"
msgstr "Tutup"

#: pro/fields/gallery.php:627
msgid "Minimum Selection"
msgstr "Seleksi Minimum"

#: pro/fields/gallery.php:636
msgid "Maximum Selection"
msgstr "Seleksi maksimum"

#: pro/fields/repeater.php:36
msgid "Repeater"
msgstr "Pengulang"

#: pro/fields/repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "Baris minimal mencapai ({min} baris)"

#: pro/fields/repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "Baris maksimum mencapai ({max} baris)"

#: pro/fields/repeater.php:310
msgid "Drag to reorder"
msgstr "Seret untuk menyusun ulang"

#: pro/fields/repeater.php:357
msgid "Add row"
msgstr "Tambah Baris"

#: pro/fields/repeater.php:358
msgid "Remove row"
msgstr "Hapus baris"

#: pro/fields/repeater.php:406
msgid "Sub Fields"
msgstr "Sub Bidang"

#: pro/fields/repeater.php:436
msgid "Collapsed"
msgstr "Disempitkan"

#: pro/fields/repeater.php:437
msgid "Select a sub field to show when row is collapsed"
msgstr "Pilih sub bidang untuk ditampilkan ketika baris disempitkan"

#: pro/fields/repeater.php:447
msgid "Minimum Rows"
msgstr "Minimum Baris"

#: pro/fields/repeater.php:457
msgid "Maximum Rows"
msgstr "Maksimum Baris"

#. Plugin Name of the plugin/theme
msgid "Advanced Custom Fields Pro"
msgstr ""

#. Plugin URI of the plugin/theme
msgid "http://www.advancedcustomfields.com/"
msgstr ""

#. Description of the plugin/theme
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""

#. Author of the plugin/theme
msgid "elliot condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""
PK�
�[��|����lang/acf-cs_CZ.ponu�[���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: 2018-09-06 12:21+1000\n"
"PO-Revision-Date: 2018-12-11 09:20+0100\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: webees.cz s.r.o. <jakubmachala@webees.cz>\n"
"Language: cs_CZ\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Poedit 2.2\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=3; plural=(n==1) ? 0 : (n>=2 && n<=4) ? 1 : 2;\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:385 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Skupiny polí"

#: acf.php:386
msgid "Field Group"
msgstr "Skupina polí"

#: acf.php:387 acf.php:419 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New"
msgstr "Přidat nové"

#: acf.php:388
msgid "Add New Field Group"
msgstr "Přidat novou skupinu polí"

#: acf.php:389
msgid "Edit Field Group"
msgstr "Upravit skupinu polí"

#: acf.php:390
msgid "New Field Group"
msgstr "Nová skupina polí"

#: acf.php:391
msgid "View Field Group"
msgstr "Prohlížet skupinu polí"

#: acf.php:392
msgid "Search Field Groups"
msgstr "Hledat skupiny polí"

#: acf.php:393
msgid "No Field Groups found"
msgstr "Nebyly nalezeny žádné skupiny polí"

#: acf.php:394
msgid "No Field Groups found in Trash"
msgstr "V koši nebyly nalezeny žádné skupiny polí"

#: acf.php:417 includes/admin/admin-field-group.php:202
#: includes/admin/admin-field-groups.php:510
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Pole"

#: acf.php:418
msgid "Field"
msgstr "Pole"

#: acf.php:420
msgid "Add New Field"
msgstr "Přidat nové pole"

#: acf.php:421
msgid "Edit Field"
msgstr "Upravit pole"

#: acf.php:422 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Nové pole"

#: acf.php:423
msgid "View Field"
msgstr "Zobrazit pole"

#: acf.php:424
msgid "Search Fields"
msgstr "Vyhledat pole"

#: acf.php:425
msgid "No Fields found"
msgstr "Nenalezeno žádné pole"

#: acf.php:426
msgid "No Fields found in Trash"
msgstr "V koši nenalezeno žádné pole"

#: acf.php:465 includes/admin/admin-field-group.php:384
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Neaktivní"

#: acf.php:470
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Neaktivní <span class=\"count\">(%s)</span>"
msgstr[1] "Neaktivní <span class=\"count\">(%s)</span>"
msgstr[2] "Neaktivních <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Skupina polí aktualizována."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Skupina polí smazána."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Skupina polí publikována."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Skupina polí uložena."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Skupina polí odeslána."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Skupina polí naplánována."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Koncept skupiny polí aktualizován."

#: includes/admin/admin-field-group.php:153
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Řetězec \"pole_\" nesmí být použit na začátku názvu pole"

#: includes/admin/admin-field-group.php:154
msgid "This field cannot be moved until its changes have been saved"
msgstr "Toto pole nelze přesunout, dokud nebudou uloženy jeho změny"

#: includes/admin/admin-field-group.php:155
msgid "Field group title is required"
msgstr "Vyžadován nadpis pro skupinu polí"

#: includes/admin/admin-field-group.php:156
msgid "Move to trash. Are you sure?"
msgstr "Přesunout do koše. Jste si jistí?"

#: includes/admin/admin-field-group.php:157
msgid "No toggle fields available"
msgstr "Žádné zapínatelné pole není k dispozici"

#: includes/admin/admin-field-group.php:158
msgid "Move Custom Field"
msgstr "Přesunout vlastní pole"

#: includes/admin/admin-field-group.php:159
msgid "Checked"
msgstr "Zaškrtnuto"

#: includes/admin/admin-field-group.php:160 includes/api/api-field.php:289
msgid "(no label)"
msgstr "(bez štítku)"

#: includes/admin/admin-field-group.php:161
msgid "(this field)"
msgstr "(toto pole)"

#: includes/admin/admin-field-group.php:162
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopírovat"

#: includes/admin/admin-field-group.php:163
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:4073
msgid "or"
msgstr "nebo"

#: includes/admin/admin-field-group.php:164
msgid "Null"
msgstr "Nula"

#: includes/admin/admin-field-group.php:203
msgid "Location"
msgstr "Umístění"

#: includes/admin/admin-field-group.php:204
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Nastavení"

#: includes/admin/admin-field-group.php:354
msgid "Field Keys"
msgstr "Klíče polí"

#: includes/admin/admin-field-group.php:384
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktivní"

#: includes/admin/admin-field-group.php:746
msgid "Move Complete."
msgstr "Přesun hotov."

#: includes/admin/admin-field-group.php:747
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Pole %s lze nyní najít ve skupině polí %s"

#: includes/admin/admin-field-group.php:748
msgid "Close Window"
msgstr "Zavřít okno"

#: includes/admin/admin-field-group.php:789
msgid "Please select the destination for this field"
msgstr "Prosím zvolte umístění pro toto pole"

#: includes/admin/admin-field-group.php:796
msgid "Move Field"
msgstr "Přesunout pole"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktivní <span class=\"count\">(%s)</span>"
msgstr[1] "Aktivní <span class=\"count\">(%s)</span>"
msgstr[2] "Aktivních <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Skupina polí duplikována. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s skupina polí duplikována."
msgstr[1] "%s skupiny polí duplikovány."
msgstr[2] "%s skupin polí duplikováno."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Skupina polí synchronizována. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s skupina polí synchronizována."
msgstr[1] "%s skupiny polí synchronizovány."
msgstr[2] "%s skupin polí synchronizováno."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synchronizace je k dispozici"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Název"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Popis"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Stav"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Upravte si WordPress pomocí výkonných, profesionálních a intuitivně "
"použitelných polí."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Seznam změn"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Podívejte se, co je nového ve <a href=\"%s\">verzi %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Zdroje"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Webová stránka"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentace"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Podpora"

#: includes/admin/admin-field-groups.php:623
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Děkujeme, že používáte <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Duplikovat tuto položku"

#: includes/admin/admin-field-groups.php:667
#: includes/admin/admin-field-groups.php:683
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate"
msgstr "Duplikovat"

#: includes/admin/admin-field-groups.php:700
#: includes/fields/class-acf-field-google-map.php:164
#: includes/fields/class-acf-field-relationship.php:674
msgid "Search"
msgstr "Hledat"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Zvolit %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Synchronizujte skupinu polí"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Synchronizace"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Použít"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Hromadné akce"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Nástroje"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Aktualizovat databázi"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Zkontrolujte stránky a aktualizujte"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Vlastní pole"

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Doplňky"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Chyba</b>. Nelze načíst seznam doplňků"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informace"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Co je nového"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Exportovat skupiny polí"

#: 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 "Vytvořit PHP"

#: 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 "Nebyly vybrány žádné skupiny polí"

#: 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] "Exportovaná 1 skupina polí."
msgstr[1] "Exportované %s skupiny polí."
msgstr[2] "Exportovaných %s skupin polí."

#: 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 "Zvolit skupiny polí"

#: 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 ""
"Vyberte skupiny polí, které chcete exportovat, a vyberte způsob exportu. "
"Použijte tlačítko pro stažení pro exportování do souboru .json, který pak "
"můžete importovat do jiné instalace ACF. Pomocí tlačítka generovat můžete "
"exportovat do kódu PHP, který můžete umístit do vašeho tématu."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Exportovat soubor"

#: 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 ""
"Následující kód lze použít k registraci lokální verze vybrané skupiny polí. "
"Místní skupina polí může poskytnout mnoho výhod, jako jsou rychlejší doby "
"načítání, řízení verzí a dynamická pole / nastavení. Jednoduše zkopírujte a "
"vložte následující kód do souboru functions.php svého motivu nebo jej vložte "
"do externího souboru."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Zkopírovat od schránky"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Zkopírováno"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importovat skupiny polí"

#: 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 ""
"Vyberte Advanced Custom Fields JSON soubor, který chcete importovat. Po "
"klepnutí na tlačítko importu níže bude ACF importovat skupiny polí."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Vybrat soubor"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Importovat soubor"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Dokument nevybrán"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Chyba při nahrávání souboru. Prosím zkuste to znovu"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Nesprávný typ souboru"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Importovaný soubor je prázdný"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Importovaná 1 skupina polí"
msgstr[1] "Importované %s skupiny polí"
msgstr[2] "Importovaných %s skupin polí"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Podmíněná logika"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Zobrazit toto pole, pokud"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "a"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Přidat skupinu pravidel"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:424
#: pro/fields/class-acf-field-repeater.php:294
msgid "Drag to reorder"
msgstr "Přetažením změníte pořadí"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Upravit pole"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Upravit"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Duplikovat pole"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Přesunout pole do jiné skupiny"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Přesunout"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Smazat pole"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete"
msgstr "Smazat"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Štítek pole"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Toto je jméno, které se zobrazí na stránce úprav"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Jméno pole"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Jedno slovo, bez mezer. Podtržítka a pomlčky jsou povoleny"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Typ pole"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instrukce"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instrukce pro autory. Jsou zobrazeny při zadávání dat"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Požadováno?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Atributy obalového pole"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "šířka"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "třída"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "identifikátor"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Zavřít pole"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Pořadí"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:428
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Label"
msgstr "Štítek"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:610
msgid "Name"
msgstr "Jméno"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Klíč"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Žádná pole. Klikněte na tlačítko<strong>+ Přidat pole</strong> pro vytvoření "
"prvního pole."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Přidat pole"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Pravidla"

#: 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 ""
"Vytváří sadu pravidel pro určení, na kterých stránkách úprav budou použita "
"tato vlastní pole"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Styl"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standardní (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Bezokrajové (bez metaboxu)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Pozice"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Vysoko (po nadpisu)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normální (po obsahu)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Na straně"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Umístění štítků"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Zarovnat shora"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Zarovnat zleva"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Umístění instrukcí"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Pod štítky"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Pod poli"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Pořadové č."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Skupiny polí s nižším pořadím se zobrazí první"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Zobrazit v seznamu skupin polí"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Trvalý odkaz"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Editor obsahu"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Stručný výpis"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Diskuze"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Komentáře"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revize"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Adresa"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Formát"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Atributy stránky"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:688
msgid "Featured Image"
msgstr "Uživatelský obrázek"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategorie"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Štítky"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Odesílat zpětné linkování odkazů"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Skrýt na obrazovce"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Zvolte</b> položky, které budou na obrazovce úprav <b>skryté</b>."

#: includes/admin/views/field-group-options.php:129
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 ""
"Pokud se na obrazovce úprav objeví více skupin polí, použije se nastavení "
"dle první skupiny polí (té s nejnižším pořadovým číslem)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Následující stránky vyžadují upgrade DB. Zaškrtněte ty, které chcete "
"aktualizovat, a poté klikněte na %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Upgradovat stránky"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Stránky"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Stránky vyžadují aktualizaci databáze z %s na %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Stránky jsou aktuální"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Aktualizace databáze je dokončena. <a href=\"%s\">Návrat na nástěnku sítě</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Vyberte alespoň jednu stránku, kterou chcete upgradovat."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Důrazně doporučujeme zálohovat databázi před pokračováním. Opravdu chcete "
"aktualizaci spustit?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Aktualizace dat na verzi %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Aktualizace dokončena."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Upgrade se nezdařil."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Čtení úkolů aktualizace..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Upgrade databáze byl dokončen. <a href=\"%s\">Podívejte se, co je nového</a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "K dispozici nejsou žádné aktualizace."

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Zobrazit tuto skupinu polí, pokud"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Opakovač"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Flexibilní obsah"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Stránka konfigurace"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Vyžadován upgrade databáze"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Děkujeme vám za aktualizaci na %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr "Tato verze obsahuje vylepšení databáze a vyžaduje upgrade."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also ensure any premium add-ons (%s) have first been updated to the "
"latest version."
msgstr ""
"Zkontrolujte také, zda jsou všechny prémiové doplňky ( %s) nejprve "
"aktualizovány na nejnovější verzi."

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Stáhnout a instalovat"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalováno"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Vítejte v Advanced Custom Fields"

#: 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 ""
"Děkujeme za aktualizaci! ACF %s je větší a lepší než kdykoli předtím. "
"Doufáme, že se vám bude líbit."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Plynulejší zážitek"

#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Vylepšená použitelnost"

#: includes/admin/views/settings-info.php:20
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 ""
"Zahrnutí oblíbené knihovny Select2 zlepšilo jak použitelnost, tak i rychlost "
"v různých typech polí, včetně objektu příspěvku, odkazu na stránku, "
"taxonomie a možnosti výběru."

#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Zlepšený design"

#: includes/admin/views/settings-info.php:25
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 ""
"Mnoho polí podstoupilo osvěžení grafiky, aby ACF vypadalo lépe než kdy "
"jindy! Znatelné změny jsou vidět na polích galerie, vztahů a oEmbed "
"(novinka)!"

#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Vylepšené údaje"

#: includes/admin/views/settings-info.php:30
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 ""
"Přepracování datové architektury umožnilo, aby podřazená pole žila nezávisle "
"na rodičích. To umožňuje jejich přetahování mezi rodičovskými poli!"

#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Sbohem doplňkům. Pozdrav verzi PRO"

#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Představujeme ACF PRO"

#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Měníme způsob poskytování prémiových funkcí vzrušujícím způsobem!"

#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Všechny 4 prémiové doplňky byly spojeny do nové verze <a href=\"%s\">Pro pro "
"ACF</a>. Se svými osobními i vývojovými licencemi je prémiová funkčnost "
"cenově dostupná a přístupnější než kdykoli předtím!"

#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Výkonné funkce"

#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO obsahuje výkonné funkce, jako jsou opakovatelná data, flexibilní "
"rozložení obsahu, krásné pole galerie a možnost vytvářet další stránky "
"administrátorských voleb!"

#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Přečtěte si další informace o funkcích <a href=\"%s\">ACF PRO</a>."

#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Snadná aktualizace"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"Upgrade na ACF PRO je snadný. Stačí online zakoupit licenci a stáhnout "
"plugin!"

#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Také jsme napsali <a href=\"%s\">průvodce aktualizací</a> na zodpovězení "
"jakýchkoliv dotazů, ale pokud i přes to nějaký máte, kontaktujte prosím náš "
"tým podpory prostřednictvím <a href=\"%s\">Help Desku</a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Nové funkce"

#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Odkaz pole"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Pole odkazu poskytuje jednoduchý způsob, jak vybrat nebo definovat odkaz "
"(URL, název, cíl)."

#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Skupinové pole"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr "Skupina polí poskytuje jednoduchý způsob vytvoření skupiny polí."

#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "oEmbed pole"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"oEmbed pole umožňuje snadno vkládat videa, obrázky, tweety, audio a další "
"obsah."

#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Klonovat pole"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr "Klonované pole umožňuje vybrat a zobrazit existující pole."

#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Více AJAXu"

#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr "Více polí využívá vyhledávání pomocí AJAX pro rychlé načítání stránky."

#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Lokální JSON"

#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Nová funkce automatického exportu do JSONu zvyšuje rychlost a umožňuje "
"synchronizaci."

#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Snadný import/export"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr "Import i export lze snadno provést pomocí nové stránky nástroje."

#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Umístění nového formuláře"

#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Pole lze nyní mapovat na nabídky, položky nabídky, komentáře, widgety a "
"všechny uživatelské formuláře!"

#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Další úpravy"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Byly přidány nové akce a filtry PHP (a JS), které umožňují další úpravy."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Svěží uživatelské rozhraní"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr "Celý plugin je redesignován včetně nových typů polí a nastavení!"

#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Nová nastavení"

#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Bylo přidáno nastavení skupiny polí bylo přidáno pro aktivní, umístění "
"štítků, umístění instrukcí a popis."

#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Lepší vizuální stránka formulářů"

#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() může nyní vytvořit nový příspěvek po odeslání se spoustou nových "
"možností."

#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Lepší validace"

#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"Validace formuláře nyní probíhá prostřednictvím PHP + AJAX a to ve prospěch "
"pouze JS."

#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Pohyblivá pole"

#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Nová funkčnost skupiny polí umožňuje přesouvání pole mezi skupinami a rodiči."

#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Myslíme si, že změny v %s si zamilujete."

#: includes/api/api-helpers.php:1046
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:1047
msgid "Medium"
msgstr "Střední"

#: includes/api/api-helpers.php:1048
msgid "Large"
msgstr "Velký"

#: includes/api/api-helpers.php:1097
msgid "Full Size"
msgstr "Plná velikost"

#: includes/api/api-helpers.php:1339 includes/api/api-helpers.php:1912
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(bez názvu)"

#: includes/api/api-helpers.php:3994
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Šířka obrázku musí být alespoň %dpx."

#: includes/api/api-helpers.php:3999
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Šířka obrázku nesmí přesáhnout %dpx."

#: includes/api/api-helpers.php:4015
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Výška obrázku musí být alespoň %dpx."

#: includes/api/api-helpers.php:4020
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Výška obrázku nesmí přesáhnout %dpx."

#: includes/api/api-helpers.php:4038
#, php-format
msgid "File size must be at least %s."
msgstr "Velikost souboru musí být alespoň %s."

#: includes/api/api-helpers.php:4043
#, php-format
msgid "File size must must not exceed %s."
msgstr "Velikost souboru nesmí přesáhnout %s."

#: includes/api/api-helpers.php:4077
#, php-format
msgid "File type must be %s."
msgstr "Typ souboru musí být %s."

#: includes/assets.php:172
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Pokud opustíte tuto stránku, změny, které jste provedli, budou ztraceny"

#: includes/assets.php:175 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Vybrat"

#: includes/assets.php:176
msgctxt "verb"
msgid "Edit"
msgstr "Upravit"

#: includes/assets.php:177
msgctxt "verb"
msgid "Update"
msgstr "Aktualizace"

#: includes/assets.php:178
msgid "Uploaded to this post"
msgstr "Nahrán k tomuto příspěvku"

#: includes/assets.php:179
msgid "Expand Details"
msgstr "Rozbalit podrobnosti"

#: includes/assets.php:180
msgid "Collapse Details"
msgstr "Sbalit podrobnosti"

#: includes/assets.php:181
msgid "Restricted"
msgstr "Omezeno"

#: includes/assets.php:182 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Všechny obrázky"

#: includes/assets.php:185
msgid "Validation successful"
msgstr "Ověření úspěšné"

#: includes/assets.php:186 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Ověření selhalo"

#: includes/assets.php:187
msgid "1 field requires attention"
msgstr "1 pole vyžaduje pozornost"

#: includes/assets.php:188
#, php-format
msgid "%d fields require attention"
msgstr "Několik polí vyžaduje pozornost (%d)"

#: includes/assets.php:191
msgid "Are you sure?"
msgstr "Jste si jistí?"

#: includes/assets.php:192 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Ano"

#: includes/assets.php:193 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Ne"

#: includes/assets.php:194 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Odstranit"

#: includes/assets.php:195
msgid "Cancel"
msgstr "Zrušit"

#: includes/assets.php:198
msgid "Has any value"
msgstr "Má libovolnou hodnotu"

#: includes/assets.php:199
msgid "Has no value"
msgstr "Nemá hodnotu"

#: includes/assets.php:200
msgid "Value is equal to"
msgstr "Hodnota je rovna"

#: includes/assets.php:201
msgid "Value is not equal to"
msgstr "Hodnota není rovna"

#: includes/assets.php:202
msgid "Value matches pattern"
msgstr "Hodnota odpovídá masce"

#: includes/assets.php:203
msgid "Value contains"
msgstr "Hodnota obsahuje"

#: includes/assets.php:204
msgid "Value is greater than"
msgstr "Hodnota je větší než"

#: includes/assets.php:205
msgid "Value is less than"
msgstr "Hodnota je menší než"

#: includes/assets.php:206
msgid "Selection is greater than"
msgstr "Výběr je větší než"

#: includes/assets.php:207
msgid "Selection is less than"
msgstr "Výběr je menší než"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Typ pole neexistuje"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Neznámý"

#: includes/fields.php:349
msgid "Basic"
msgstr "Základní"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Obsah"

#: includes/fields.php:351
msgid "Choice"
msgstr "Volba"

#: includes/fields.php:352
msgid "Relational"
msgstr "Relační"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:567
#: pro/fields/class-acf-field-flexible-content.php:616
#: pro/fields/class-acf-field-repeater.php:443
msgid "Layout"
msgstr "Typ zobrazení"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Akordeon"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Otevřít"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Zobrazit tento akordeon jako otevřený při načtení stránky."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Vícenásobné rozbalení"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Povolit otevření tohoto akordeonu bez zavření ostatních."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Koncový bod"

#: 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 ""
"Definujte koncový bod pro předchozí akordeon. Tento akordeon nebude "
"viditelný."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Skupina tlačítek"

#: 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:359
msgid "Choices"
msgstr "Možnosti"

#: 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:360
msgid "Enter each choice on a new line."
msgstr "Zadejte každou volbu na nový řádek."

#: 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:360
msgid "For more control, you may specify both a value and label like this:"
msgstr "Pro větší kontrolu můžete zadat jak hodnotu, tak štítek:"

#: 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:360
msgid "red : Red"
msgstr "cervena : Červená"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:377
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:409
msgid "Allow Null?"
msgstr "Povolit prázdné?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:368
#: 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:381
msgid "Default Value"
msgstr "Výchozí hodnota"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Objeví se při vytváření nového příspěvku"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontální"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertikální"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Vrátit hodnotu"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Zadat konkrétní návratovou hodnotu na frontendu"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:427
msgid "Value"
msgstr "Hodnota"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:429
msgid "Both (Array)"
msgstr "Obě (pole)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Zaškrtávátko"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Přepnout vše"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Přidat novou volbu"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Povolit vlastní"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Povolit přidání 'vlastních' hodnot"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Uložit vlastní"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Uložit 'vlastní' hodnoty do voleb polí"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:369
msgid "Enter each default value on a new line"
msgstr "Zadejte každou výchozí hodnotu na nový řádek"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Přepnout"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Přidat zaškrtávátko navíc pro přepnutí všech možností"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Výběr barvy"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Vymazat"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Výchozí nastavení"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Výběr barvy"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Aktuální barva"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Výběr data"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Hotovo"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Dnes"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Následující"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Předchozí"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Týden"

#: includes/fields/class-acf-field-date_picker.php:180
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Formát zobrazení"

#: includes/fields/class-acf-field-date_picker.php:181
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Formát zobrazený při úpravě příspěvku"

#: includes/fields/class-acf-field-date_picker.php:189
#: includes/fields/class-acf-field-date_picker.php:220
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Vlastní:"

#: includes/fields/class-acf-field-date_picker.php:199
msgid "Save Format"
msgstr "Uložit formát"

#: includes/fields/class-acf-field-date_picker.php:200
msgid "The format used when saving a value"
msgstr "Formát použitý při ukládání hodnoty"

#: includes/fields/class-acf-field-date_picker.php:210
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:715
#: includes/fields/class-acf-field-select.php:422
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:428
msgid "Return Format"
msgstr "Formát návratové hodnoty"

#: includes/fields/class-acf-field-date_picker.php:211
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Formát vrácen pomocí funkcí šablony"

#: includes/fields/class-acf-field-date_picker.php:229
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Týden začíná"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Výběr data a času"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Zvolit čas"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Čas"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Hodina"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuta"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Vteřina"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisekunda"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunda"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Časové pásmo"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Nyní"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Hotovo"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Vybrat"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "dop"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "od"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "odp"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "do"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Email"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Zástupný text"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Zobrazí se v inputu"

#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Zobrazit před"

#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Zobrazí se před inputem"

#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Zobrazit po"

#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Zobrazí se za inputem"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Soubor"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Upravit soubor"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Aktualizovat soubor"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Jméno souboru"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Velikost souboru"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Přidat soubor"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Pole souboru"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Adresa souboru"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID souboru"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Knihovna"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Omezit výběr knihovny médií"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Vše"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Nahráno k příspěvku"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Minimum"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Omezte, které typy souborů lze nahrát"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Maximum"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Povolené typy souborů"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Seznam oddělený čárkami. Nechte prázdné pro povolení všech typů"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Mapa Google"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Je nám líto, ale tento prohlížeč nepodporuje geolokaci"

#: includes/fields/class-acf-field-google-map.php:165
msgid "Clear location"
msgstr "Vymazat polohu"

#: includes/fields/class-acf-field-google-map.php:166
msgid "Find current location"
msgstr "Najít aktuální umístění"

#: includes/fields/class-acf-field-google-map.php:169
msgid "Search for address..."
msgstr "Vyhledat adresu..."

#: includes/fields/class-acf-field-google-map.php:199
#: includes/fields/class-acf-field-google-map.php:210
msgid "Center"
msgstr "Vycentrovat"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center the initial map"
msgstr "Vycentrovat počáteční zobrazení mapy"

#: includes/fields/class-acf-field-google-map.php:222
msgid "Zoom"
msgstr "Přiblížení"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Set the initial zoom level"
msgstr "Nastavit počáteční úroveň přiblížení"

#: includes/fields/class-acf-field-google-map.php:232
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Výška"

#: includes/fields/class-acf-field-google-map.php:233
msgid "Customise the map height"
msgstr "Upravit výšku mapy"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Skupina"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:379
msgid "Sub Fields"
msgstr "Podřazená pole"

#: 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 "Určení stylu použitého pro vykreslení vybraných polí"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:627
#: pro/fields/class-acf-field-repeater.php:451
msgid "Block"
msgstr "Blok"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:626
#: pro/fields/class-acf-field-repeater.php:450
msgid "Table"
msgstr "Tabulka"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:452
msgid "Row"
msgstr "Řádek"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Obrázek"

#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Vybrat obrázek"

#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Upravit obrázek"

#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Aktualizovat obrázek"

#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Není vybrán žádný obrázek"

#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Přidat obrázek"

#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Pole obrázku"

#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Adresa obrázku"

#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "ID obrázku"

#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Velikost náhledu"

#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Zobrazit při zadávání dat"

#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Omezte, které typy obrázků je možné nahrát"

#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Šířka"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Odkaz"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Vybrat odkaz"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Otevřít v novém okně/záložce"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Pole odkazů"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL adresa odkazu"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Zpráva"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Nové řádky"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Řídí, jak se vykreslují nové řádky"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Automaticky přidávat odstavce"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Automaticky přidávat &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Žádné formátování"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escapovat HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Nevykreslovat efekt, ale zobrazit značky HTML jako prostý text"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Číslo"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Minimální hodnota"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Maximální hodnota"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Velikost kroku"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Hodnota musí být číslo"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Hodnota musí být rovna nebo větší než %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Hodnota musí být rovna nebo menší než %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Vložte URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Velikost pro Embed"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Odkaz stránky"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archivy"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Rodič"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:641
msgid "Filter by Post Type"
msgstr "Filtrovat dle typu příspěvku"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:649
msgid "All post types"
msgstr "Všechny typy příspěvků"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:655
msgid "Filter by Taxonomy"
msgstr "Filtrovat dle taxonomie"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:663
msgid "All taxonomies"
msgstr "Všechny taxonomie"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Umožnit URL adresy archivu"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:387
#: includes/fields/class-acf-field-user.php:419
msgid "Select multiple values?"
msgstr "Vybrat více hodnot?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Heslo"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:720
msgid "Post Object"
msgstr "Objekt příspěvku"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:721
msgid "Post ID"
msgstr "ID příspěvku"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Přepínač"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Jiné"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Přidat volbu 'jiné', která umožňuje vlastní hodnoty"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Uložit Jiné"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Uložit 'jiné' hodnoty do voleb polí"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Rozmezí"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Vztah"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Dosaženo maximálního množství hodnot ( {max} hodnot )"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Načítání"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Nebyly nalezeny žádné výsledky"

#: includes/fields/class-acf-field-relationship.php:441
msgid "Select post type"
msgstr "Zvolit typ příspěvku"

#: includes/fields/class-acf-field-relationship.php:467
msgid "Select taxonomy"
msgstr "Zvolit taxonomii"

#: includes/fields/class-acf-field-relationship.php:557
msgid "Search..."
msgstr "Hledat..."

#: includes/fields/class-acf-field-relationship.php:669
msgid "Filters"
msgstr "Filtry"

#: includes/fields/class-acf-field-relationship.php:675
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Typ příspěvku"

#: includes/fields/class-acf-field-relationship.php:676
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

#: includes/fields/class-acf-field-relationship.php:683
msgid "Elements"
msgstr "Prvky"

#: includes/fields/class-acf-field-relationship.php:684
msgid "Selected elements will be displayed in each result"
msgstr "Vybrané prvky se zobrazí v každém výsledku"

#: includes/fields/class-acf-field-relationship.php:695
msgid "Minimum posts"
msgstr "Minimum příspěvků"

#: includes/fields/class-acf-field-relationship.php:704
msgid "Maximum posts"
msgstr "Maximum příspěvků"

#: includes/fields/class-acf-field-relationship.php:808
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s vyžaduje alespoň %s volbu"
msgstr[1] "%s vyžaduje alespoň %s volby"
msgstr[2] "%s vyžaduje alespoň %s voleb"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Vybrat"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""
"Jeden výsledek je k dispozici, stiskněte klávesu enter pro jeho vybrání."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d výsledků je k dispozici, použijte šipky nahoru a dolů pro navigaci."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nebyly nalezeny žádné výsledky"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Prosím zadejte 1 nebo více znaků"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Prosím zadejte %d nebo více znaků"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Prosím odstraňte 1 znak"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Prosím odstraňte %d znaků"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Můžete vybrat pouze 1 položku"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Můžete vybrat pouze %d položek"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Načítání dalších výsledků&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Vyhledávání&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Načítání selhalo"

#: includes/fields/class-acf-field-select.php:397
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Stylizované uživatelské rozhraní"

#: includes/fields/class-acf-field-select.php:407
msgid "Use AJAX to lazy load choices?"
msgstr "K načtení volby použít AJAX lazy load?"

#: includes/fields/class-acf-field-select.php:423
msgid "Specify the value returned"
msgstr "Zadat konkrétní návratovou hodnotu"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Oddělovač"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Záložka"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Umístění"

#: 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 ""
"Definujte koncový bod pro předchozí záložky. Tím se začne nová skupina "
"záložek."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Nic pro %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Zvolit zobrazovanou taxonomii"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Vzhled"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Vyberte vzhled tohoto pole"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Více hodnot"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Vícenásobný výběr"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Jednotlivá hodnota"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Radio přepínače"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Vytvořit pojmy"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Povolit vytvoření nových pojmů během editace"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Uložit pojmy"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Připojte vybrané pojmy k příspěvku"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Nahrát pojmy"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Nahrát pojmy z příspěvků"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Objekt pojmu"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID pojmu"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Uživatel není schopen přidat nové %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s již existuje"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s přidán"

#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Přidat"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limit znaků"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Nechte prázdné pro nastavení bez omezení"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Textové pole"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Řádky"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Nastavuje výšku textového pole"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Výběr času"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Pravda / Nepravda"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Zobrazí text vedle zaškrtávacího políčka"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Text (aktivní)"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Text zobrazený při aktivním poli"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Text (neaktivní)"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Text zobrazený při neaktivním poli"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Adresa URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Hodnota musí být validní adresa URL"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Uživatel"

#: includes/fields/class-acf-field-user.php:394
msgid "Filter by role"
msgstr "Filtrovat podle role"

#: includes/fields/class-acf-field-user.php:402
msgid "All user roles"
msgstr "Všechny uživatelské role"

#: includes/fields/class-acf-field-user.php:433
msgid "User Array"
msgstr "Pole uživatelů"

#: includes/fields/class-acf-field-user.php:434
msgid "User Object"
msgstr "Objekt uživatele"

#: includes/fields/class-acf-field-user.php:435
msgid "User ID"
msgstr "ID uživatele"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Wysiwyg Editor"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Grafika"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Klikněte pro inicializaci TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Záložky"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Grafika a text"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Pouze grafika"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Pouze text"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Lišta nástrojů"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Zobrazit tlačítka nahrávání médií?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Zpoždění inicializace?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE nebude inicializován, dokud nekliknete na pole"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:301
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Editovat skupinu polí"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Ověřit email"

#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:588
#: pro/options-page.php:81
msgid "Update"
msgstr "Aktualizace"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Příspěvek aktualizován"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Zjištěn spam"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Příspěvek"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Stránka"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formuláře"

#: includes/locations.php:243
msgid "is equal to"
msgstr "je rovno"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "není rovno"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Příloha"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Všechny formáty %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Komentář"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Aktuální uživatelská role"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Admin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Aktuální uživatel"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Přihlášen"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Prohlížíte frontend"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Prohlížíte backend"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Položka nabídky"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Nabídka"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Umístění nabídky"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Nabídky"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Rodičovská stránka"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Šablona stránky"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Výchozí šablona"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Typ stránky"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Hlavní stránka"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Stránka příspěvku"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Stránka nejvyšší úrovně (žádný nadřazený)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Rodičovská stránka (má potomky)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Podřazená stránka (má rodiče)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Rubrika příspěvku"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formát příspěvku"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Stav příspěvku"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomie příspěvku"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Šablona příspěvku"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Uživatelský formulář"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Přidat / Editovat"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registrovat"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Uživatelská role"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s hodnota je vyžadována"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Publikovat"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Nebyly nalezeny žádné vlastní skupiny polí. <a href=\"%s\">Vytvořit vlastní "
"skupinu polí</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Chyba</b>. Nelze se připojit k serveru a aktualizovat"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aktualizace"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Deaktivujte licenci"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Aktivujte licenci"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informace o licenci"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Chcete-li povolit aktualizace, zadejte prosím licenční klíč. Pokud nemáte "
"licenční klíč, přečtěte si <a href=\"%s\">podrobnosti a ceny</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Licenční klíč"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Aktualizovat informace"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Současná verze"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Nejnovější verze"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Aktualizace je dostupná"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Aktualizovat plugin"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Pro odemčení aktualizací zadejte prosím výše svůj licenční klíč"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Zkontrolujte znovu"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Upozornění na aktualizaci"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klonovat"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Vyberte jedno nebo více polí, které chcete klonovat"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Zobrazovat"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Určení stylu použitého pro vykreslení klonovaných polí"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "Skupina (zobrazuje vybrané pole ve skupině v tomto poli)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Bezešvé (nahradí toto pole vybranými poli)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Štítky budou zobrazeny jako %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Prefix štítku pole"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Hodnoty budou uloženy jako %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Prefix jména pole"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Neznámé pole"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Skupina neznámých polí"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Všechna pole z skupiny polí %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:463
msgid "Add Row"
msgstr "Přidat řádek"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:938
#: pro/fields/class-acf-field-flexible-content.php:1020
msgid "layout"
msgid_plural "layouts"
msgstr[0] "typ zobrazení"
msgstr[1] "typ zobrazení"
msgstr[2] "typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "typy zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:937
#: pro/fields/class-acf-field-flexible-content.php:1019
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Toto pole vyžaduje alespoň {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Toto pole má limit {max}{label}  {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} dostupný (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} povinný (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibilní obsah vyžaduje minimálně jedno rozložení obsahu"

#: pro/fields/class-acf-field-flexible-content.php:302
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
"Klikněte na tlačítko \"%s\" níže pro vytvoření vlastního typu zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:427
msgid "Add layout"
msgstr "Přidat typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:428
msgid "Remove layout"
msgstr "Odstranit typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:429
#: pro/fields/class-acf-field-repeater.php:296
msgid "Click to toggle"
msgstr "Klikněte pro přepnutí"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder Layout"
msgstr "Změnit pořadí typu zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder"
msgstr "Změnit pořadí"

#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete Layout"
msgstr "Smazat typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate Layout"
msgstr "Duplikovat typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New Layout"
msgstr "Přidat nový typ zobrazení"

#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:656
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:683
#: pro/fields/class-acf-field-repeater.php:459
msgid "Button Label"
msgstr "Nápis tlačítka"

#: pro/fields/class-acf-field-flexible-content.php:692
msgid "Minimum Layouts"
msgstr "Minimální rozložení"

#: pro/fields/class-acf-field-flexible-content.php:701
msgid "Maximum Layouts"
msgstr "Maximální rozložení"

#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Přidat obrázek do galerie"

#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Maximální výběr dosažen"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Délka"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Popisek"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Alternativní text"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Přidat do galerie"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Hromadné akce"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Řadit dle data nahrání"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Řadit dle data změny"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Řadit dle názvu"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Převrátit aktuální pořadí"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Zavřít"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Minimální výběr"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Maximální výběr"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Vložit"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Určete, kde budou přidány nové přílohy"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Přidat na konec"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Přidat na začátek"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:656
msgid "Minimum rows reached ({min} rows)"
msgstr "Minimální počet řádků dosažen ({min} řádků)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximální počet řádků dosažen ({max} řádků)"

#: pro/fields/class-acf-field-repeater.php:333
msgid "Add row"
msgstr "Přidat řádek"

#: pro/fields/class-acf-field-repeater.php:334
msgid "Remove row"
msgstr "Odebrat řádek"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Collapsed"
msgstr "Sbaleno"

#: pro/fields/class-acf-field-repeater.php:413
msgid "Select a sub field to show when row is collapsed"
msgstr "Zvolte dílčí pole, které se zobrazí při sbalení řádku"

#: pro/fields/class-acf-field-repeater.php:423
msgid "Minimum Rows"
msgstr "Minimum řádků"

#: pro/fields/class-acf-field-repeater.php:433
msgid "Maximum Rows"
msgstr "Maximum řádků"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Neexistuje stránka nastavení"

#: pro/options-page.php:51
msgid "Options"
msgstr "Konfigurace"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Nastavení aktualizováno"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Chcete-li povolit aktualizace, zadejte prosím licenční klíč na stránce <a "
"href=\"%s\">Aktualizace</a>. Pokud nemáte licenční klíč, přečtěte si <a href="
"\"%s\">podrobnosti a ceny</a>."

#. Plugin URI of the plugin/theme
#| msgid "http://www.advancedcustomfields.com/"
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
#| msgid "elliot condon"
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "Zakázáno"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "<span class=\"count\">(%s)</span> zakázán"
#~ msgstr[1] "<span class=\"count\">(%s)</span> zakázány"
#~ msgstr[2] "<span class=\"count\">(%s)</span> zakázáno"

#~ msgid "Parent fields"
#~ msgstr "Rodičovské pole"

#~ msgid "Sibling fields"
#~ msgstr "Sesterské pole"

#~ msgid "See what's new in"
#~ msgstr "Co je nového v"

#~ msgid "version"
#~ msgstr "verze"

#~ msgid "Getting Started"
#~ msgstr "Začínáme"

#~ msgid "Field Types"
#~ msgstr "Typy polí"

#~ msgid "Functions"
#~ msgstr "Funkce"

#~ msgid "Actions"
#~ msgstr "Akce"

#~ msgid "'How to' guides"
#~ msgstr "Průvodce \"jak na to\""

#~ msgid "Tutorials"
#~ msgstr "Tutoriál"

#~ msgid "Created by"
#~ msgstr "Vytvořil/a"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Úspěch</b>. Nástroj pro import přidal %s skupin polí: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Upozornění</b>. Nástroj pro import rozpoznal %s již existujících "
#~ "skupin polí a ty byly ignorovány: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Aktualizovat ACF"

#~ msgid "Upgrade"
#~ msgstr "Aktualizovat"

#~ msgid "Error"
#~ msgstr "Chyba"

#~ msgid "Error."
#~ msgstr "Chyba."

#~ msgid "Drag and drop to reorder"
#~ msgstr "Chytněte a táhněte pro změnu pořadí"

#~ msgid "Taxonomy Term"
#~ msgstr "Taxonomie"

#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Pro usnadnění aktualizace se <a href=\"%s\">přihlaste do svého obchodu</"
#~ "a> a požádejte o bezplatnou kopii ACF PRO!"

#~ msgid "Under the Hood"
#~ msgstr "Pod kapotou"

#~ msgid "Smarter field settings"
#~ msgstr "Chytřejší nastavení pole"

#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr "ACF nyní ukládá nastavení polí jako individuální objekty"

#~ msgid "Better version control"
#~ msgstr "Lepší verzování"

#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Nový automatický export do formátu JSON umožňuje, aby nastavení polí bylo "
#~ "verzovatelné"

#~ msgid "Swapped XML for JSON"
#~ msgstr "XML vyměněno za JSON"

#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "Import / Export nyní používá JSON místo XML"

#~ msgid "A new field for embedding content has been added"
#~ msgstr "Bylo přidáno nové pole pro vkládání obsahu"

#~ msgid "New Gallery"
#~ msgstr "Nová galerie"

#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr "Pole pro galerii prošlo potřebovaným vylepšením vzhledu"

#~ msgid "Relationship Field"
#~ msgstr "Vztahová pole"

#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr ""
#~ "Nastavení nových polí pro \"Filtry\" (vyhledávání, typ příspěvku, "
#~ "taxonomie)"

#~ msgid "New archives group in page_link field selection"
#~ msgstr "Nová skupina archivů v poli pro výběr page_link"

#~ msgid "Better Options Pages"
#~ msgstr "Vylepšená stránka nastavení"

#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Nové funkce pro stránku nastavení umožňují vytvoření stránek obou "
#~ "rodičovských i podřízených menu"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportujte skupiny polí do PHP"

#~ msgid "Download export file"
#~ msgstr "Stáhnout soubor s exportem"

#~ msgid "Generate export code"
#~ msgstr "Generovat kód pro exportu"

#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Aktualizace databáze Advanced Custom Fields"

#~ msgid "Upgrading data to"
#~ msgstr "Aktualizace dat na"

#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Než začnete používat nové úžasné funkce, aktualizujte databázi na "
#~ "nejnovější verzi."

#~ msgid "See what's new"
#~ msgstr "Podívejte se, co je nového"

#~ msgid "Show a different month"
#~ msgstr "Zobrazit jiný měsíc"

#~ msgid "Return format"
#~ msgstr "Formát návratu"

#~ msgid "uploaded to this post"
#~ msgstr "nahrán k tomuto příspěvku"

#~ msgid "File Size"
#~ msgstr "Velikost souboru"

#~ msgid "No File selected"
#~ msgstr "Nebyl vybrán žádný soubor"

#~ msgid "Locating"
#~ msgstr "Určování polohy"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Berte prosím na vědomí, že veškerý text musí projít přes funkce "
#~ "wordpressu "

#~ msgid "No embed found for the given URL."
#~ msgstr "Pro danou adresu URL nebyl nalezen žádný embed."

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Dosaženo minimálního množství hodnot ( {min} hodnot )"

#~ msgid "Warning"
#~ msgstr "Varování"

#~ 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 se zobrazí nesprávně, pokud je přidáno do opakovače v "
#~ "tabulkovém stylu nebo do flexibilního pole"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Chcete-li lépe uspořádat obrazovku úprav, použijte seskupování polí "
#~ "pomocí Záložek."

#~ 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 ""
#~ "Všechna pole následující po této záložce (až po další záložku nebo konec "
#~ "výpisu) budou seskupena a jako nadpis bude použit štítek záložky."

#~ msgid "Add new %s "
#~ msgstr "Přidat novou %s "

#~ msgid "None"
#~ msgstr "Žádný"

#~ msgid "eg. Show extra content"
#~ msgstr "např. Zobrazit dodatečný obsah"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Chyba připojení</b>. Omlouváme se, zkuste to znovu"

#~ msgid "Save Options"
#~ msgstr "Uložit nastavení"

#~ msgid "License"
#~ msgstr "Licence"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Pro odemčení aktualizací prosím zadejte níže svůj licenční klíč. Pokud "
#~ "nemáte licenční klíč, prosím navštivte"

#~ msgid "details & pricing"
#~ msgstr "detaily a ceny"

#~ msgid "remove {layout}?"
#~ msgstr "odstranit {layout}?"

#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Toto pole vyžaduje alespoň {min} {identifier}"

#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Maximální {label} limit dosažen ({max} {identifier})"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "Custom field updated."
#~ msgstr "Vlastní pole aktualizováno."

#~ msgid "Custom field deleted."
#~ msgstr "Vlastní pole smazáno."

#~ msgid "Field group restored to revision from %s"
#~ msgstr "Skupina polí obnovena z revize %s"

#~ msgid "Error: Field Type does not exist!"
#~ msgstr "Chyba: Typ pole neexistuje!"

#~ msgid "Full"
#~ msgstr "Plný"

#~ msgid "No ACF groups selected"
#~ msgstr "Nejsou vybrány žádné ACF skupiny"

#~ msgid "Add Fields to Edit Screens"
#~ msgstr "Přidat pole na obrazovky úprav"

#~ msgid "Customise the edit page"
#~ msgstr "Přizpůsobit stránku úprav"

#~ msgid "Parent Page"
#~ msgstr "Rodičovská stránka"

#~ msgid "Child Page"
#~ msgstr "Podstránka"

#~ msgid "Normal"
#~ msgstr "Normální"

#~ msgid "Standard Metabox"
#~ msgstr "Standardní metabox"

#~ msgid "No Metabox"
#~ msgstr "Žádný metabox"

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr ""
#~ "Přečtěte si dokumentaci, naučte se funkce a objevte zajímavé tipy &amp; "
#~ "triky pro váš další webový projekt."

#~ msgid "Visit the ACF website"
#~ msgstr "Navštívit web ACF"

#~ msgid "Vote"
#~ msgstr "Hlasujte"

#~ msgid "Follow"
#~ msgstr "Následujte"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "Ověřování selhalo. Jedno nebo více polí níže je povinné."

#~ msgid "Add File to Field"
#~ msgstr "+ Přidat soubor do pole"

#~ msgid "Add Image to Field"
#~ msgstr "Přidat obrázek do pole"

#~ msgid "Attachment updated"
#~ msgstr "Příloha aktualizována."

#~ msgid "No Custom Field Group found for the options page"
#~ msgstr "Žádná vlastní skupina polí nebyla pro stránku konfigurace nalezena"

#~ msgid "Repeater field deactivated"
#~ msgstr "Opakovací pole deaktivováno"

#~ msgid "Options page deactivated"
#~ msgstr "Stránka konfigurace deaktivována"

#~ msgid "Flexible Content field deactivated"
#~ msgstr "Pole flexibilního pole deaktivováno"

#~ msgid "Gallery field deactivated"
#~ msgstr "Pole galerie deaktivováno"

#~ msgid "Repeater field activated"
#~ msgstr "Opakovací pole aktivováno"

#~ msgid "Options page activated"
#~ msgstr "Stránka konfigurace aktivována"

#~ msgid "Flexible Content field activated"
#~ msgstr "Pole flexibilního obsahu aktivováno"

#~ msgid "Gallery field activated"
#~ msgstr "Pole galerie aktivováno"

#~ msgid "License key unrecognised"
#~ msgstr "Licenční klíč nebyl rozpoznán"

#~ 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."
#~ 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."

#~ msgid "Find Add-ons"
#~ msgstr "Hledat přídavky"

#~ msgid "Activation Code"
#~ msgstr "Aktivační kód"

#~ msgid "Repeater Field"
#~ msgstr "Opakovací pole"

#~ msgid "Deactivate"
#~ msgstr "Deaktivovat"

#~ msgid "Activate"
#~ msgstr "Aktivovat"

#~ msgid "Flexible Content Field"
#~ msgstr "Pole flexibilního obsahu"

#~ msgid "Gallery Field"
#~ msgstr "Pole galerie"

#~ 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 ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "Importované skupiny polí <b>budou</b> 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\""

#~ msgid "Save the .xml file when prompted"
#~ msgstr "Uložte .xml soubor při požádání"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "Otevřete Nástroje &raquo; Import a vyberte WordPress"

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "Nainstalujte importní WP plugin, pokud jste o to požádáni"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "Nahrajte a importujte váš exportovaný .xml soubor"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "Vyberte vašeho uživatele a ignorujte možnost Importovat přílohy"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "To je vše! Veselé WordPressování!"

#~ msgid "Export XML"
#~ msgstr "Exportovat XML"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACF vytvoří PHP kód pro vložení do vaší šablony."

#~ msgid "Register Field Groups"
#~ msgstr "Registrovat skupiny polí"

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable "
#~ "field groups. This is useful for including fields in themes."
#~ msgstr ""
#~ "Registrované skupiny polí <b>nebudou</b> 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."
#~ 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."

#~ 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\""

#~ msgid "Copy the PHP code generated"
#~ msgstr "Zkopírujte vygenerovaný PHP kód"

#~ 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 "Back to settings"
#~ msgstr "Zpět na nastavení"

#~ 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"
#~ " */"
#~ 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"
#~ " */"

#~ 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"
#~ " * 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"
#~ " * Tento kód musí proběhnout při každém čtení souboru functions.php\n"
#~ " */"

#~ msgid "No field groups were selected"
#~ msgstr "Nebyly vybrány žádné skupiny polí"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "Nastavení Pokročilých vlastních polí"

#~ msgid "requires a database upgrade"
#~ msgstr "vyžaduje aktualizaci databáze"

#~ msgid "why?"
#~ msgstr "proč?"

#~ msgid "Please"
#~ msgstr "Prosím"

#~ msgid "backup your database"
#~ msgstr "zálohujte svou databázi"

#~ msgid "then click"
#~ msgstr "a pak klikněte"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "Úprava možnosti skupiny polí 'zobrazit na stránce'"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "Úprava možností pole 'taxonomie'"

#~ msgid "No choices to choose from"
#~ msgstr "Žádné možnosti, z nichž by bylo možné vybírat"

#~ msgid "Enter your choices one per line"
#~ msgstr "Vložte vaše možnosti po jedné na řádek"

#~ msgid "Red"
#~ msgstr "Červená"

#~ msgid "Blue"
#~ msgstr "Modrá"

#~ msgid "blue : Blue"
#~ msgstr "modra: Modrá"

#~ msgid "eg. dd/mm/yy. read more about"
#~ msgstr "např. dd/mm/yy. přečtěte si více"

#~ msgid "File Updated."
#~ msgstr "Soubor aktualizován."

#~ msgid "No File Selected"
#~ msgstr "Nebyl vybrán žádný soubor"

#~ msgid "Attachment ID"
#~ msgstr "ID přílohy"

#~ msgid "Media attachment updated."
#~ msgstr "Příloha aktualizována."

#~ msgid "No files selected"
#~ msgstr "Nebyly vybrány žádné soubory."

#~ msgid "Add Selected Files"
#~ msgstr "Přidat vybrané soubory"

#~ msgid "+ Add Row"
#~ msgstr "+ Přidat řádek"

#~ 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 "Edit this Field"
#~ msgstr "Upravit toto pole"

#~ msgid "Read documentation for this field"
#~ msgstr "Přečtěte si dokumentaci pro toto pole"

#~ msgid "Docs"
#~ msgstr "Dokumenty"

#~ msgid "Duplicate this Field"
#~ msgstr "Duplikovat toto pole"

#~ msgid "Delete this Field"
#~ msgstr "Smazat toto pole"

#~ msgid "Save Field"
#~ msgstr "Uložit pole"

#~ msgid "Close Sub Field"
#~ msgstr "Zavřít podpole"

#~ msgid "+ Add Sub Field"
#~ msgstr "+ Přidat podpole"

#~ msgid "Thumbnail is advised"
#~ msgstr "Je doporučen náhled"

#~ msgid "Image Updated"
#~ msgstr "Obrázek aktualizován"

#~ msgid "Grid"
#~ msgstr "Mřížka"

#~ msgid "List"
#~ msgstr "Seznam"

#~ msgid "No images selected"
#~ msgstr "Není vybrán žádný obrázek"

#~ msgid "1 image selected"
#~ msgstr "1 vybraný obrázek"

#~ msgid "{count} images selected"
#~ msgstr "{count} vybraných obrázků"

#~ msgid "Image already exists in gallery"
#~ msgstr "Obrázek v galerii už existuje"

#~ msgid "Image Added"
#~ msgstr "Obrázek přidán"

#~ msgid "Image Updated."
#~ msgstr "Obrázek aktualizován."

#~ msgid "Image Object"
#~ msgstr "Objekt obrázku"

#~ msgid "Add selected Images"
#~ msgstr "Přidat vybrané obrázky"

#~ msgid "Filter from Taxonomy"
#~ msgstr "Filtrovat z taxonomie"

#~ msgid "Repeater Fields"
#~ msgstr "Opakovací pole"

#~ msgid "Table (default)"
#~ msgstr "Tabulka (výchozí)"

#~ msgid "Formatting"
#~ msgstr "Formátování"

#~ msgid "Define how to render html tags"
#~ msgstr "Definujte způsob vypisování HTML tagů"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Definujte způsob výpisu HTML tagů / nových řádků"

#~ msgid "auto &lt;br /&gt;"
#~ msgstr "auto &lt;br /&gt;"

#~ msgid "new_field"
#~ msgstr "nove_pole"

#~ msgid "Field Instructions"
#~ msgstr "Instrukce pole"

#~ msgid "Logged in User Type"
#~ msgstr "Typ přihlášeného uživatele"

#~ msgid "Page Specific"
#~ msgstr "Specifická stránka"

#~ msgid "Post Specific"
#~ msgstr "Specifický příspěvek"

#~ msgid "Taxonomy (Add / Edit)"
#~ msgstr "Taxonomie (přidat / upravit)"

#~ msgid "User (Add / Edit)"
#~ msgstr "Uživatel (přidat / upravit)"

#~ msgid "Media (Edit)"
#~ msgstr "Media (upravit)"

#~ msgid "match"
#~ msgstr "souhlasí"

#~ msgid "all"
#~ msgstr "vše"

#~ msgid "any"
#~ msgstr "libovolné"

#~ msgid "of the above"
#~ msgstr "z uvedeného"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "Odemkněte přídavek konfigurace s aktivačním kódem"

#~ msgid "Field groups are created in order <br />from lowest to highest."
#~ msgstr ""
#~ "Skupiny polí jsou vytvořeny v pořadí <br /> od nejnižšího k nejvyššímu."

#~ msgid "<b>Select</b> items to <b>hide</b> them from the edit screen"
#~ msgstr "<b>Vybrat</b> položky pro <b>skrytí</b> 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)"
#~ msgstr ""
#~ "Pokud se na obrazovce úprav objeví několik skupin polí, bude použito "
#~ "nastavení první skupiny. (s nejnižším pořadovým číslem)"

#~ msgid "Everything Fields deactivated"
#~ msgstr "Všechna pole deaktivována"

#~ msgid "Everything Fields activated"
#~ msgstr "Všechna pole aktivována"

#~ msgid "Navigate to the"
#~ msgstr "Běžte na"

#~ msgid "and select WordPress"
#~ msgstr "a vyberte WordPress"

#~ msgid ""
#~ "Filter posts by selecting a post type<br />\n"
#~ "\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<br />\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ů"

#~ msgid "Set to -1 for infinite"
#~ msgstr "Nastavte na -1 pro nekonečno"

#~ msgid "Row Limit"
#~ msgstr "Limit řádků"
PK�
�[�����lang/acf-pt_BR.monu�[�������w�)�7�7�7�76�7:�7D28w8
�8�8�80�8)�8=90W9"�9��9;P:	�:�:�:M�:�:-;
.;9;	B;L;a;
i;w;�;�;
�;�;�;�;�;�;�;'<)<D<H<�W</=
N=Y=h=w=!�=�=�=A�=>,>5D>z>�>
�>�>�> �>�>??%?+?
4?
B?M?T?q?�?c�?�?@@)@>@P@g@m@z@�@�@�@�@�@
�@�@�@	�@�@AAA-A4A<ABA9QA�A�A�A�A�A�A	�A�A/�A.B6B?B"QBtB|B#�B�B[�B
C&C3CEC
UCcCEkC�C�CG�C:,DgDsD �D�D�D�D	EE!8E"ZE#}E!�E,�E,�E%FCF!aF%�F%�F-�F!�F*GJG]GeG
vGZ�GV�G6HLH
SHaHnH
zH�H�H,�H$�H
�H�HI	I)I:IJI^ImI
rI}I	�I
�I
�I�I�I
�I�I
�I�I	�I �I&J&BJiJ�J�J�J�J�J�J1�J�J
KKK
,K7K
CK
NKYKnK�K�K�K�KR�K<LSLpL�L1�L�L�LA�L8M
=MHMPM	YM	cMmM"�M�M�M�M�M�MNN+*NCVN?�N�N�N
�N	�N�NO
O*O=0OnOuO�O
�O��O)P/P;P	DP#NP"rP"�P!�P.�P	QQ)Q/;Q
kQyQ�Q�QQ�Q��Q�R�R�R	�R�R�R4�RSy/S�S�S�S�S�S�S�S�ST$T+T3TGTSTrT
wT�T
�T�T�T
�T�T�T	�T��T�U�U�U�U�U
�U
�U!�U�U'V2=VpVwV	|V�V�V�V�V�V�V�V�V
�V
�V!�V'W	DW<NW�W�W�W
�W�W�W
�WXXX-X12X	dXnX	~X�X	�XJ�X�X/�XN&Y.uYQ�YQ�YHZ`KZ�Z�Z�Z�Z

[![:[TS[�[�[�[�[�[\\3\8\O\T\[\d\l\q\�\�\�\�\	�\�\�\�\	�\�\
�\	�\	]]
+]9]	B]L]	]]Zg]5�],�]%^.^
3^A^M^U^a^
m^
{^	�^�^
�^�^�^�^�^/�^_5_B_F_N_
[_i_2o_�_��_c`
l`w`�`�`
�`
�`�`�`�`	�`	�`$�`%a
6a
AaOa\ara	�a�a�a�a+�a*�a�ab
b
b'b3=bqbxb
�b�b	�b.�b	�b�bcc c-c09cjc+�c�c�c��c#_d�d#�e5�e7�e>$f?cf#�f1�f%�fGgVgg&�g:�g< h2]h�h	�h�h�h�h�hii.iHiaipiui6�i�i�i,�i�ij0jKjaj
wj
�j'�j0�j4�j!k'<kdkzk	�k�k�k
�k�k�k�k�k�k�k�kllll
l(l0l<l	Al	KlUlll1�l!�lZ�l34mEhmA�m^�n(Oo*xo#�o6�o@�o<?p,|p/�p7�p3q	EqOq5[q�q��qk>r��rBs
IsTs\sbs}s�s�s�s�s
�s�s�s�s�s�st
t&t.t?t
Nt\tmt�t�t�t�t�t	�t	�t�tuu(u>uDu[u(uu'�u�u�u
�u�uvv)v
0v>v�Jv'�vMwdwlw!{w
�w�w�w�w�w�w�w2�wxxx%x*x%Gxmxpx|x�x�x�x
�x�x�x�x	�x�x	�x�x�xy6y4=y9ry �|�|
�|=�|C*}Tn}#�}
�}�}~E$~@j~O�~<�~68�oC8�	|�����L��	�V�J�]�o���������߁����-�=�W�l�y�9��ʂ�����%ʃ���-�(M�v���S����F�5S�����
��"Å#�$
�B/�r�y�����������$dž%��������$ȇ#��$�@�
F�T�e�v�������
������ӈ����:�B�K�R�Gi�!��Ӊ��
��
��%�J4������0��	��/�3�j@�	����ċ
ߋ��X�i�+��Z��S�b�
r�}�������������������
ƍԍ����
����
�$�7�?�
N�]\�H����&�
5�C�
O�
Z�e�7{�)��ݏ���(�8�G�Z�o�v�����
����Đ	ې
�����#�&0�+W�5����בݑ����:.�i�z���������
Ē
Ғ�'��#�A�\�s�]��� �,&�S�=n���Ɣf͔4�<�
M�[�j�z�,��0������.�C�K�j�9~�b��[�w����������җ�D�,�3�C�
`��k���'�
4�,B�0o�-��1ΙM�N�h�y�:��Қ����L��k�*�
D�R�	Z�d���C��՜��m�s�{�#������՝"ܝ��	�
�)�C�)U��
������0��
ߞ
���
����ݟ����
7�E�.\�/��-��A�+�2�7�D�Z�`�i�n�v�����
áѡ.�-�	E�NO�������آ�(�*�C�W�j�z��
������ģѣXޣ7�?J�x��R�pV�uǥ=��B�!ʦ,��"1�T�7e�"��`��!�<�#W�.{���$��"֨��&�(�.�
6�D�M�S�o�x�����
������éة����&�>�X�j�p�����^��B�#C�	g�q�v���
��������ӫ����.�N�k�Gs���۬����!�3�P9�$�����	o�
y�	��������
��	ƮЮ	�
���9�-I�w���������	ѯۯ��2�`"�������
��Ű;ް�#�>�O�f�6s�
����DZ����C�[�-w������Բ"y�X��'���0�E�a�~�"��#��<׵L�a�#u�%��E���	� !�!B�d�$t�����$Ϸ��&�.�N>�����A���'�:�!R�t�����B��;�A0�5r�3��ܺ�����
6�A�M�U�l�x�����������	Żϻ������ �;�,X�%��^��:
�BE����p�-��@��"��C�K_�G��.�-"�5P�7��	���9����z���W���$�9�&E�l�}�����������	������'�F�W�f������&�������%�9�B�Z�(o�
����!������#��&#�&J�q���	����6��1���&�
5��C�8-�hf�����#��
��&�.�C�R�V�D[�����������%����
�
��$�+�3�	9�C�J�M�a�s�
z�	����9��9���P��iy%1������S�}����(�Mtm�#vXu�E���� �K.j�fEegR�"=xN�[�YH����<���6_x4����`��L�qC}���5EVL�v��^,��p���L���8J�RF�u�]|-;|
F�����]����@~(s�g��e�2Gi��c{�8 Y��-\��n���Oby�Q��	b������9��M�T	�u���v��_;�{D��n����&O��{�����wY��+>�^Dt���ZS�q��Iq>�,�oW�n<?���6�Pc_`��7����&7���pa�o"M�F��/r8�$d�hp"����*�V0�Cl���y�H�=�)|���A����[����U�0�bB��s�iI$��<��!��ZN@��k�4~Jm�
r�3�#52�.����wha�r�:/X��5��K@K%�jt�-(H��3C�
;\x�D���?��]O����=����w���s�����T�7P��Az� #/G��m,*IU	���:N��W����39$^.h�f2���
Ggz+B�T%�Q*�k��Ra���X�?[d��V&�!�e��c)1fjk�d!z��
SW�\���Q0��>Z��6U)���'`J}�+����'�ll1A�o
���B'9��:~�4%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsAccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others. Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import / Export now uses JSON in favour of XMLImport Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields PRO 5.4
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-11-22 09:03-0200
PO-Revision-Date: 2018-02-06 10:06+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Augusto Simão <augusto@ams.art.br>
Language: pt_BR
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n > 1);
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Textdomain-Support: yes
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d campos requerem sua atenção%s adicionado(a)%s já existe%s grupo de campos duplicado.%s grupos de campos duplicados.%s grupo de campos sincronizado.%s grupos de campos sincronizados.%s requer a seleção de ao menos %s item%s requer a seleção de ao menos %s itensÉ necessário preencher o campo %s(sem título)+ Adicionar Campo1 campo requer sua atenção<b>Erro</b>. Não foi possível conectar ao servidor de atualização<b>Erro</b>. Não foi possível carregar a lista de complementos<b>Selecione</b> os itens que deverão ser <b>ocultados</b> da tela de ediçãoFoi adicionado o novo campo oEmbed para incorporar conteúdoUma experiência de uso mais simples e mais agradávelO ACF PRO contém funcionalidades incríveis como o campo de dados repetitivos, layouts de conteúdo flexíveis, um belíssimo campo de galeria e a capacidade de criar páginas de opções adicionais!O ACF agora salva as definições dos campos como posts individuaisAcordeãoAtivar LicençaAtivoAtivo <span class="count">(%s)</span>Ativos <span class="count">(%s)</span>AdicionarAdicionar uma opção ‘Outro’ para permitir a inserção de valores personalizadosAdicionar / EditarAdicionar ArquivoAdicionar ImagemAdicionar Imagem à GaleriaAdicionar NovoAdicionar Novo CampoAdicionar Novo Grupo de CamposAdicionar Novo LayoutAdicionar LinhaAdicionar layoutAdicionar nova opçãoAdicionar linhaAdicionar grupo de regrasAdicionar à galeriaComplementosAdvanced Custom FieldsAtualização do Banco de Dados do Advanced Custom FieldsAdvanced Custom Fields PROTodosTodos %s formatosTodos os 4 add-ons premium foram combinados na nova <a href=“%s”>versão Pro do ACF</a>. Com licenças pessoais e para desenvolvedores, as funcionalidades premium estão mais acessíveis do que nunca!Todos os campos do grupo de campos %sTodas as imagensTodos os tipos de postsTodas as taxonomiasTodas as funções de usuáriosPermite adicionar valores personalizadosPermitir URLs do ArquivoPermitir personalizaçãoPermitir que a marcação HTML seja exibida como texto ao invés de ser renderizadaPermitir Nulo?Permite que novos termos sejam criados diretamente na tela de ediçãoPermite que esse acordeão abra sem fechar os outros.Tipos de arquivos permitidosTexto AlternativoAparênciaTexto que aparecerá após o campoTexto que aparecerá antes do campoAparece quando o novo post é criadoTexto que aparecerá dentro do campo (até que algo seja digitado)SufixoAdicionar no final da galeriaAplicarArquivosVocê tem certeza?AnexoAutorAdicionar &lt;br&gt; automaticamenteAdicionar parágrafos automaticamenteBásicoAntes de começar a utilizar as novas e incríveis funcionalidades, por favor atualize seus banco de dados para a versão mais recente.Abaixo dos camposAbaixo dos rótulosFormulários Frontend aperfeiçoadosPáginas de Opções aperfeiçoadasMelhor ValidaçãoMelhor controle de versõesBlocoAmbos (Array)Ações em massaAções em massaGrupo de botõesRótulo do BotãoCancelarLegendaCategoriasCentroCentro inicial do mapaRegistro de alteraçõesLimite de CaracteresVerificar NovamenteCheckboxPágina Filha (possui mãe)EscolhaEscolhasLimparLimpar a localizaçãoClique no botão “%s” abaixo para iniciar a criação do seu layoutClique para inicializar o TinyMCEClique para alternarFecharFechar CampoFechar JanelaRecolher DetalhesRecolherSeletor de CorLista separada por vírgulas. Deixe em branco para permitir todos os tiposComentárioComentáriosCondições para exibiçãoAtribui e conecta os termos selecionados ao postConteúdoEditor de ConteúdoControla como as novas linhas são renderizadasCriar TermosCrie um conjunto de regras para determinar quais telas de edição utilizarão estes campos personalizadosCor AtualUsuário atualFunção do Usuário atualVersão AtualCampos PersonalizadosCustomizado:Personalize o WordPress com campos personalizados profissionais, poderosos e intuitivos.Personalizar a altura do mapaAtualização do Banco de Dados NecessáriaAtualização do Banco de Dados realizada. <a href="%s">Retornar para o painel da rede</a>Atualização do banco de dados concluída. <a href="%s">Veja o que há de novo</a>Seletor de DataConcluídoHojePróximoAnteriorSemSeletor de Data e HoraAMAProntoAgoraHoraMicrossegundoMilissegundoMinutoPMPSegundoSelecionarSelecione a horaHoraFuso HorárioDesativar LicençaPadrãoModelo PadrãoValor PadrãoDefine um ponto final para que o acordeão anterior pare. Esse acordeão não será visível.Utilizar este campo como um ponto final e iniciar um novo grupo de abas.Atrasar a inicialização?ExcluirExcluir LayoutExcluir campoDescriçãoDiscussãoExibiçãoFormato de ExibiçãoExibe esse acordeão como aberto ao carregar a página.Exibe texto ao lado da caixa de seleçãoDocumentaçãoFazer Download e InstalarArraste para reorganizarDuplicarDuplicar LayoutDuplicar campoDuplicar este itemFácil AtualizaçãoEditarEditar CampoEditar Grupo de CamposEditar ArquivoEditar ImagemEditar campoEditar Grupo de CamposElementosElliot CondonEmailTamanho da Mídia incorporadaPonto finalDigite a URLDigite cada opção em uma nova linha.Digite cada valor padrão em uma nova linhaErro ao realizar o upload do arquivo. Tente novamenteErro ao validar solicitaçãoErro.Ignorar HTMLResumoExpandir DetalhesExportar Grupos de CamposExportar arquivoExportado 1 grupo de camposImportados %s grupos de camposImagem DestacadaCampoGrupo de CamposGrupos de CamposChaves dos CamposRótulo do CampoNome do CampoTipo de CampoGrupo de campos excluído.Rascunho do grupo de campos atualizado.Grupo de campos duplicado. %sGrupo de campos publicado.Grupo de campos salvo.Grupo de campos agendando.Opções de posicionamento do rótulo e da instrução foram adicionadas aos grupos de camposGrupo de campos enviado.Grupo de campos sincronizado. %sO título do grupo de campos é obrigatórioGrupo de campos atualizadoGrupos de campos com a menor numeração aparecerão primeiroTipo de campo não existeCamposOs Campos agora podem ser inseridos nos comentários, widgets e em todos os formulários de usuários!ArquivoArray do arquivoID do ArquivoURL do ArquivoNome do arquivoTamanhoO tamanho do arquivo deve ter pelo menos %s.O tamanho do arquivo não pode ser maior que %s.O tipo de arquivo deve ser %s.Filtrar por Tipo de PostFiltrar por TaxonomiaFiltrar por funçãoFiltrosEncontre a localização atualConteúdo FlexívelO campo de Conteúdo Flexível requer pelo menos 1 layoutPara mais controle, você pode especificar tanto os valores quanto os rótulos, como nos exemplos:A validação dos formulários agora é feita através de PHP + AJAX ao invés de apenas JSFormatoFormuláriosPágina InicialTamanho OriginalGaleriaAdeus Complementos. Olá PROMapa do GoogleGrupoGrupo (mostra os campos selecionados em um grupo dentro deste campo)AlturaOcultar na telaSuperior (depois do título)HorizontalSe vários grupos de campos aparecem em uma tela de edição, as opções do primeiro grupo de campos é a que será utilizada (aquele com o menor número de ordem)ImagemArray da ImagemID da ImagemURL da ImagemA altura da imagem deve ter pelo menos %dpx.A altura da imagem não pode ser maior que %dpx.A largura da imagem deve ter pelo menos %dpx.A largura da imagem não pode ser maior que %dpx.As funcionalidades de Importar/ Exportar agora utilizam JSON ao invés de XMLImportar Grupos de CamposImportar arquivoArquivo de importação vazioImportado 1 grupo de camposImportados %s grupos de camposAprimoramento dos DadosMelhorias no DesignMelhoria da UsabilidadeInativoAtivo <span class="count">(%s)</span>Ativos <span class="count">(%s)</span>Incluir a popular biblioteca Select2 nos possibilitou aperfeiçoar a usabilidade e a performance de diversos tipos de campos, como o objeto do post, link da página, taxonomias e seleções.Tipo de arquivo incorretoInformaçõesInserirInstaladoPosicionamento das instruçõesInstruçõesInstrução para os autores. Exibido quando se está enviando dadosApresentando o ACF PROÉ altamente recomendado fazer um backup do seu banco de dados antes de continuar. Você tem certeza que deseja atualizar agora?ChaveRótuloPosicionamento do rótuloOs rótulos serão exibidos como %sGrandeVersão mais RecenteLayoutDeixe em branco para nenhum limiteAlinhado à EsquerdaDuraçãoBibliotecaInformações da LicençaChave de LicençaLimitar a escolha da biblioteca de mídiaLinkArray do LinkURL do LinkCarregar TermosCarrega os termos que estão atribuídos ao postCarregandoJSON LocalLocalizandoLocalizaçãoLogadoMuitos campos passaram por uma atualização visual para tornar o ACF mais bonito do que nunca! As mudanças mais visíveis podem ser vistas na galeria, no campo de relação e no novo campo oEmbed!MáxMáximoQtde. Máxima de LayoutsQtde. Máxima de LinhasQtde. Máxima de SeleçõesValor MáximoQtde. máxima de postsQuantidade máxima atingida ( {max} linha(s) )A quantidade máxima de seleções foi atingidaQuantidade máxima atingida ( {max} item(s) )A quantidade máxima de {label} foi atingida ({max} {identifier})MédiaMenuItem do menuLocalização do menuMenusMensagemMínMínimoQtde. Mínima de LayoutsQtde. Mínima de LinhasQtde. Mínima de SeleçõesValor MínimoQtde. mínima de postsQuantidade mínima atingida ( {min} linha(s) )Quantidade mínima atingida ( {min} item(s) )Mais AJAXMais campos utilizam pesquisas em AJAX para acelerar o carregamento da páginaMoverMovimentação realizada.Mover Campo PersonalizadoMover CampoMover campo para outro grupoMover para a lixeira. Você tem certeza?Movimentação de CamposSeleção MúltiplaExpansão-multiplaVários valoresNomeTextoNovo CampoNovo Grupo de CamposNovos espaços de FormuláriosNova GaleriaNovas LinhasNova função de ‘Filtro’ (Busca, Tipo de Post, Taxonomia) para o campo de RelaçãoNovas DefiniçõesNova opção de selecionar Arquivos no campo de Link da PáginaA nova função de exportação automática para JSON permite que as definições do campo sejam controladas por versãoMelhor performance com a nova funcionalidade de exportação automática para JSONO novo recurso agora permite que você mova um campo entre diferentes grupos grupos (e até mesmo outros campos)Novas funções para as páginas de opções permitem a criação tanto de páginas principais quanto de sub-páginasNãoNenhum Grupo de Campos Personalizados encontrado para esta página de opções. <a href="%s">Criar um Grupo de Campos Personalizado</a>Nenhum Grupo de Campos encontradoNenhum Grupo de Campos encontrado na LixeiraNenhum Campo encontradoNenhum Campo encontrado na LixeiraSem FormataçãoNenhuma mídia incorporada encontrada na URL fornecida.Nenhum grupo de campos selecionadoNenhum campo. Clique no botão <strong>+ Adicionar Campo</strong> para criar seu primeiro campo.Nenhum arquivo selecionadoNenhuma imagem selecionadaNenhuma correspondência encontradaNão existem Páginas de Opções disponíveisSem %sNenhum campo de opções disponívelNenhuma atualização disponível.NenhumaNormal (depois do editor de conteúdo)VazioNúmeroFora do textoNo TextoAbrirAbre em uma nova janela/abaOpçõesPágina de OpçõesOpções AtualizadasOrdemNº. de OrdemOutroPáginaAtributos da PáginaLink da PáginaPágina MãeModelo de PáginaTipo de PáginaPágina de Nível mais Alto (sem mãe)Página Mãe (tem filhas)Campos superioresSenhaLink permanenteTexto PlaceholderPosicionamentoCertifique-se que todos os complementos premium (%s) foram atualizados para a última versão.Digite sua chave de licença acima para desbloquear atualizaçõesSelecione o destino para este campoPosiçãoPostCategoria de PostFormato de PostID do PostObjeto do PostStatus do PostTaxonomia de PostModelo de PostagemTipo de PostPost atualizadoPágina de PostsFuncionalidades poderosasPrefixo dos Rótulos dos CamposPrefixo dos Nomes dos CamposPrefixoIncluir um checkbox adicional que marca (ou desmarca) todas as opçõesAdicionar no início da galeriaTamanho da Pré-visualizaçãoProfissionalPublicarBotão de RádioBotões de RádioFaixaLeia mais sobre as <a href=“%s”>funcionalidades do ACF PRO</a> (em inglês).Lendo as tarefas de atualização…Ao redefinir a arquitetura de dados promovemos mais autonomia aos sub campos, que podem agora funcionar de forma mais independente e serem arrastados e reposicionados entre diferentes campos.RegistrarRelacionalRelaçãoCampo de RelaçãoRemoverRemover layoutRemover linhaReordenarReordenar LayoutRepetidorObrigatório?Recursos (em inglês)Limita o tamanho dos arquivos que poderão ser carregadosLimita as imagens que poderão ser carregadasRestritoFormato dos DadosValor RetornadoInverter ordem atualRevisar sites e atualizarRevisõesLinhaLinhasRegrasSalva valores personalizados nas opções do campoSalvar os valores personalizados inseridos na opção ‘Outros’ na lista de escolhas do campoSalvar personalizaçãoSalvar formatoSalvar OutroSalvar TermosSem bordas (sem metabox)Sem bordas (substitui este campo pelos campos selecionados)PesquisaPesquisar Grupos de CamposPesquisar CamposPesquisar endereço…Pesquisar…Veja o que há de novo na <a href="%s">versão %s</a>.Selecionar %sSelecionar CorSelecionar Grupo de CamposSelecionar ArquivoSelecionar ImagemSelecionar LinkSelecione um sub campo para exibir quando a linha estiver recolhidaSelecionar vários valores?Selecione um ou mais campos que deseja clonarSelecione o tipo de postSelecione a taxonomiaSelecione o arquivo JSON do Advanced Custom Fields que deseja importar. Depois de clicar no botão importar abaixo, o ACF fará a importação dos grupos de campos.Selecione a aparência deste campoSelecione os grupos de campos que deseja exportar e escolha o método de exportação. Para exportar um arquivo do tipo .json (que permitirá a importação dos grupos em uma outra instalação do ACF) utilize o botão de download. Para obter o código em PHP (que você poderá depois inserir em seu tema), utilize o botão de gerar o código.Selecione a taxonomia que será exibidaApague 1 caractereApague %d caracteresDigite 1 ou mais caracteresDigite %d ou mais caracteresFalha ao carregarCarregando mais resultados&hellip;Nenhuma correspondência encontradaUm resultado localizado, pressione Enter para selecioná-lo.%d resultados localizados, utilize as setas para cima ou baixo para navegar.Pesquisando&hellip;Você pode selecionar apenas 1 itemVocê pode selecionar apenas %d itensOs elementos selecionados serão exibidos em cada resultado do filtroEnviar TrackbacksSeparadorDefinir o nível do zoom inicialDefine a altura da área de textoConfiguraçõesMostrar Botões de Upload de Mídia?Mostrar este grupo de campos seMostrar este campo seExibido na lista de grupos de camposExibido ao inserir os dadosCampos do mesmo grupoLateralUm único valorUma única palavra, sem espaços. Traço inferior (_) e traços (-) permitidosSiteSite está atualizadoSite requer atualização do banco de dados da versão %s para %sSlugDefinições de campo mais inteligentesO seu navegador não suporta o recurso de geolocalizaçãoOrdenar por data de modificaçãoOrdenar por data de envioOrdenar por títuloSpam DetectadoEspecifique a forma como os valores serão retornados no front-endEspecifique o estilo utilizado para exibir o campo de cloneEspecifique o estilo utilizado para exibir os campos selecionadosEspecifique a forma como os valores serão retornadosEspecifique onde os novos anexos serão adicionadosPadrão (metabox do WP)StatusTamanho das fraçõesEstiloInterface do campo aprimoradaSub CamposSuper AdminSuporteTroca de XML para JSONSincronizarSincronização disponívelSincronizar grupo de camposAbaTabelaAbasTagsTaxonomiaTermo da TaxonomiaID do TermoObjeto do TermoTextoÁrea de TextoApenas TextoTexto exibido quando ativoTexto exibido quando inativoObrigado por criar com <a href="%s">ACF</a>.Obrigado por atualizar para o %s v%s!Obrigado por atualizar! O ACF %s está maior e melhor do que nunca. Esperamos que você goste.O campo %s pode agora ser encontrado no grupo de campos %sAs alterações feitas serão perdidas se você sair desta páginaO código a seguir poderá ser usado para registrar uma versão local do(s) grupo(s) de campo selecionado(s). Um grupo de campos local pode fornecer muitos benefícios, tais como um tempo de carregamento mais rápido, controle de versão e campos/configurações dinâmicas. Basta copiar e colar o seguinte código para o arquivo functions.php do seu tema ou incluí-lo dentro de um arquivo externo.O banco de dados dos sites abaixo precisam ser atualizados. Verifique os que você deseja atualizar e clique %s.O formato que será exibido ao editar um postO formato que será retornado através das funções de templateO formato usado ao salvar um valorO campo de Galeria passou por uma transformação muito necessáriaO termo “field_” não pode ser utilizado no início do nome de um campoEste campo não pode ser movido até que suas alterações sejam salvasEste campo tem um limite de {max} {identifier}Este campo requer ao menos {min} {identifier}Este campo requer ao menos {min} {label} {identifier}Este é o nome que irá aparecer na página de EDIÇÃOMiniaturaSeletor de HoraTinyMCE não será iniciado até que o campo seja clicadoTítuloPara ativar atualizações, digite sua chave de licença  na página <a href=“%s”>Atualizações</a>. Se você não possui uma licença, consulte os <a href=“%s”>detalhes e preços</a>.Para facilitar a atualização, <a href=“%s”>faça o login na sua conta</a> e solicite sua cópia gratuita do ACF PRO!Para desbloquear as atualizações, digite sua chave de licença abaixo. Se você não possui uma licença, consulte os <a href="%s" target="_blank">detalhes e preços</a>.Selecionar TudoSelecionar TudoBarra de FerramentasFerramentasPágina de Nível mais Alto (sem mãe)Alinhado ao TopoVerdadeiro / FalsoTipoNos bastidoresDesconhecidoCampo desconhecidoGrupo de campo desconhecidoAtualizarAtualização DisponívelAtualizar ArquivoAtualizar ImagemInformações de AtualizaçãoAtualizar PluginAtualizaçõesAtualizar Banco de DadosAviso de AtualizaçãoRevisar sites e atualizarAtualização realizadaAtualizando os dados para a versão %sAnexado ao postAnexado ao postUrlUtilizar AJAX para carregar opções?UsuárioFormulário do UsuárioFunção do UsuárioUsuário incapaz de adicionar novo(a) %sValidar EmailFalha na validaçãoValidação realizada com sucessoValorO valor deve ser um númeroVocê deve fornecer uma URL válidaO valor deve ser igual ou maior que %dO valor deve ser igual ou menor que %dValores serão salvos como %sVerticalVer CampoVer Grupo de CamposVisualizando a parte administrativa do site (back-end)Visualizando a parte pública do site (front-end)VisualVisual & TextoApenas VisualTambém escrevemos um <a href=“%s”>guia de atualização</a> (em inglês) para esclarecer qualquer dúvida, mas se você tiver alguma questão, entre em contato com nosso time de suporte através do <a href=“%s”>help desk</a>Achamos que você vai adorar as mudanças na versão %s.Estamos mudando a forma como as funcionalidades premium são disponibilizadas para um modo ainda melhor!WebsiteSemana começa emBem-vindo ao Advanced Custom FieldsO que há de novoWidgetLarguraAtributos do WrapperEditor WysiwygSimZoomA função acf_form() agora pode criar um novo post ao ser utilizadaeselecionadoclassecopiarhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idé igual anão é igual ajQuerylayoutlayoutsCloneSeleçãooEmbedouvermelho : Vermelhoremover {layout}?EditarSelecionarAtualizarlargura{available} {label} {identifier} disponível (máx {max}){required} {label} {identifier} obrigatório (mín {min})PK�
�[c_����lang/acf-nl_NL.ponu�[���msgid ""
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: 2019-03-25 09:21+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Derk Oosterveld <derk@derkoosterveld.nl>\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.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__;"
"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"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Groepen"

#: acf.php:370
msgid "Field Group"
msgstr "Nieuwe groep"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New"
msgstr "Nieuwe groep"

#: acf.php:372
msgid "Add New Field Group"
msgstr "Nieuwe groep toevoegen"

#: acf.php:373
msgid "Edit Field Group"
msgstr "Bewerk groep"

#: acf.php:374
msgid "New Field Group"
msgstr "Nieuwe groep"

#: acf.php:375
msgid "View Field Group"
msgstr "Bekijk groep"

#: acf.php:376
msgid "Search Field Groups"
msgstr "Zoek groepen"

#: acf.php:377
msgid "No Field Groups found"
msgstr "Geen groepen gevonden"

#: acf.php:378
msgid "No Field Groups found in Trash"
msgstr "Geen groepen gevonden in de prullenbak"

#: 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
msgid "Fields"
msgstr "Velden"

#: acf.php:402
msgid "Field"
msgstr "Veld"

#: acf.php:404
msgid "Add New Field"
msgstr "Nieuw veld"

#: acf.php:405
msgid "Edit Field"
msgstr "Bewerk veld"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Nieuw veld"

#: acf.php:407
msgid "View Field"
msgstr "Nieuw veld"

#: acf.php:408
msgid "Search Fields"
msgstr "Zoek velden"

#: acf.php:409
msgid "No Fields found"
msgstr "Geen velden gevonden"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "Geen velden gevonden in de prullenbak"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Niet actief"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactief <span class=\"count\">(%s)</span>"
msgstr[1] "Inactief <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Groep bijgewerkt."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Groep verwijderd."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Groep gepubliceerd."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Groep opgeslagen."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Groep toegevoegd."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Groep gepland voor."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Groep concept bijgewerkt."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Locatie"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Instellingen"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Naar prullenbak. Weet je het zeker?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "aangevinkt"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Geen aan/uit velden beschikbaar"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Titel is verplicht"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopie"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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
msgid "or"
msgstr "of"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Hoofdpagina"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Zuster velden"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Verplaats extra veld"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Dit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagen"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Nul"

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "De gemaakte wijzigingen gaan verloren als je deze pagina verlaat"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "De string \"field_\" mag niet voor de veld naam staan"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Veld keys"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Actief"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Verplaatsen geslaagd."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Het veld: %s bevindt zich nu in de groep: %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Venster sluiten"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Selecteer de bestemming voor dit veld"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Veld verplaatsen"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Actief <span class=\"count\">(%s)</span>"
msgstr[1] "Actief <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Groep gedupliceerd. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s groep gedupliceerd."
msgstr[1] "%s groepen gedupliceerd."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Groep gesynchroniseerd. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s groep gesynchroniseerd."
msgstr[1] "%s groepen gesynchroniseerd."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synchronisatie beschikbaar"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Titel"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Omschrijving"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "Pas WordPress aan met krachtige, professionele en slimme velden."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Wat is er nieuw?"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Bekijk wat nieuw is in <a href=\"%s\">versie %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Documentatie (Engels)"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Website"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Documentatie"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Support"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Bedankt voor het ontwikkelen met <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Dupliceer dit item"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate"
msgstr "Dupliceer"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:112
#: includes/fields/class-acf-field-relationship.php:656
msgid "Search"
msgstr "Zoeken"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Selecteer %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Synchroniseer groep"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Synchroniseer"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "Toepassen"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "Bulk acties"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Extra velden"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Upgrade database"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Controleer websites & upgrade"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Fout bij valideren"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Geen updates beschikbaar."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Add-ons"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Fout</b>. Kan add-ons lijst niet laden"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informatie"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Wat is er nieuw"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Tools"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Geen groepen geselecteerd"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:155
msgid "No file selected"
msgstr "Geen bestanden geselecteerd"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Fout bij het uploaden van bestand. Probeer het nog eens"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Ongeldig bestandstype"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Importeer bestand is leeg"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "1 groep geïmporteerd"
msgstr[1] "%s groepen geïmporteerd"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Conditionele logica"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Toon dit veld als"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "gelijk is aan"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "is niet gelijk aan"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "en"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Nieuwe groep toevoegen"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Sleep om te sorteren"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Bewerk veld"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-file.php:137
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "Bewerk"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Dupliceer veld"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Verplaats veld naar een andere groep"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Verplaats"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Verwijder veld"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete"
msgstr "Verwijder"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Veld label"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "De naam die verschijnt op het edit screen"

#: includes/admin/views/field-group-field.php:77
msgid "Field Name"
msgstr "Veld naam"

#: includes/admin/views/field-group-field.php:78
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Enkel woord, geen spaties. (Liggende) streepjes toegestaan."

#: includes/admin/views/field-group-field.php:87
msgid "Field Type"
msgstr "Soort veld"

#: includes/admin/views/field-group-field.php:98
#: includes/fields/class-acf-field-tab.php:88
msgid "Instructions"
msgstr "Instructies"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions for authors. Shown when submitting data"
msgstr "Toelichting voor gebruikers. Wordt getoond bij invullen van het veld."

#: includes/admin/views/field-group-field.php:108
msgid "Required?"
msgstr "Verplicht?"

#: includes/admin/views/field-group-field.php:131
msgid "Wrapper Attributes"
msgstr "Veld-attributen"

#: includes/admin/views/field-group-field.php:137
msgid "width"
msgstr "Breedte"

#: includes/admin/views/field-group-field.php:152
msgid "class"
msgstr "class"

#: includes/admin/views/field-group-field.php:165
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:177
msgid "Close Field"
msgstr "Veld sluiten"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Volgorde"

#: 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
msgid "Label"
msgstr "Label"

#: 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
msgid "Name"
msgstr "Naam"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Sleutel"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Soort"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Geen velden. Klik op <strong>+ Nieuw veld</strong> button om je eerste veld "
"te maken."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Nieuw veld"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regels"

#: 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 ""
"Maak regels aan om te bepalen op welk edit screen jouw extra velden "
"verschijnen"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stijl"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standaard (WordPress metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Naadloos (zonder WordPress metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Positie"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Hoog (onder titel)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normaal (onder tekstverwerker)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Zijkant"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Label positionering"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:102
msgid "Top aligned"
msgstr "Boven velden"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:103
msgid "Left aligned"
msgstr "Links naast velden"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Instructie positionering"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Onder label"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Onder veld"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Volgorde nummer"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Groepen met een lage volgorde worden als eerst getoond"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Toon in groeplijst"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Verberg elementen"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Selecteer</b> elementen om <b>te verbergen</b> op het wijzig scherm."

#: 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 ""
"Indien meerdere groepen op het bewerk scherm worden getoond, komt de groep "
"met de laagste volgorde als eerste."

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Permalink"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Content editor"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Samenvatting"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Reageren"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Reacties"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revisies"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Auteur"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Pagina-attributen"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "Uitgelichte afbeelding"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Categorieën"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Tags"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Trackbacks verzenden"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Toon deze groep als"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Upgrade websites"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Advanced Custom Fields database upgrade"

#: 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."
msgstr ""
"Er is een database upgrade nodig voor de volgende websites. Controleer "
"degene die je wilt updaten en klik %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Website"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Website vereist een database upgrade van %s naar %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Website is up-to-date"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Database upgrade afgerond. <a href=\"%s\">Terug naar netwerk dashboard</a>"

#: 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 ""
"Het is aan te raden om eerst een backup van de database te maken voordat je "
"de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Upgrade afgerond"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Bezig met upgraden naar versie %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Herhalen"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Flexibele content"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerij"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Opties pagina"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Database upgrade vereist"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Bedankt voor het updaten naar %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 ""
"Voordat je aan de slag kunt met de geweldige nieuwe functies, is een "
"database update vereist."

#: 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 ""
"Zorg ervoor dat elke premium add-ons (%s) eerst zijn bijgewerkt naar de "
"laatste versie."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Lezen van upgrade taken…"

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "Database upgrade afgerond. <a href=\"%s\">Bekijk wat nieuw is</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Download & installeer"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Geïnstalleerd"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Welkom bij Advanced Custom Fields"

#: 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 ""
"Bedankt voor het updaten! ACF %s is groter dan ooit tevoren. We hopen dat je "
"tevreden bent."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Een verbeterde extra veld beleving"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Gebruikersvriendelijker"

#: 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 ""
"Inclusief de populaire Select2 bibliotheek, die zowel "
"gebruikersvriendelijker als sneller werkt bij velden als post object, pagina "
"link, taxonomy en selecteer."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Verbeterd design"

#: 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 ""
"Vele velden hebben een make-over gekregen. Nu oogt ACF beter dan ooit! "
"Merkwaardige verschillen vindt je onder andere terug bij de galerij, relatie "
"en oEmbed velden!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Verbeterde data"

#: 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 ""
"Het herontwerp van de dataverwerking zorgt ervoor dat velden los van hun "
"hoofdvelden kunnen functioneren. Hiermee wordt het mogelijk om velden te "
"drag-and-droppen tussen hoofdvelden."

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Vaarwel Add-ons. Hallo PRO!"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"We veranderen de manier waarop premium functies worden geleverd, op een gave "
"manier!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Alle 4 de premium add-ons zijn samengevoegd tot een <a href=\"%s\">PRO "
"versie van ACF</a>. Er zijn zowel persoonlijke als developer licenties "
"verkrijgbaar tegen een aantrekkelijke prijs!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Krachtige functies"

#: 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 ""
"ACF PRO beschikt over krachtige velden en functies zoals: herhaalbare "
"velden, flexibile content layouts, een interactieve fotogalerij veld en de "
"mogelijkheid om optie pagina's aan te maken!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lees meer over de <a href=\"%s\">ACF PRO functionaliteiten</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Gemakkelijk upgraden"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Om upgraden gemakkelijk te maken kun je <a href=\"%s\">inloggen met je "
"bestaande winkelaccount</a> en een gratis versie van ACF PRO claimen!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"We hebben een speciale <a href=\"%s\">upgrade gids</a> gemaakt om al je "
"vraagstukken te beantwoorden. Indien je een uitgebreidere vraag hebt, kun je "
"contact opnemen met de <a href=\"%s\">helpdesk</a> (Engelstalig)."

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Onder de motorkap"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Slimmere veld instellingen"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF slaat velden als individuele post objecten op"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Meer AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Steeds meer velden maken gebruik van AJAX gestuurde zoekopdrachten. Dit "
"maakt het laden een stuk sneller"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Local JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Het automatisch exporteren naar JSON maakt alles een stuk sneller"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Betere versie controles"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"Nieuw is het automatisch exporteren naar JSON. Dit voorkomt problemen "
"tijdens het upgraden van ACF."

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "XML is vervangen door JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr ""
"Importeren / Exporteren gaat nu via JSON. Indien gewenst kan er XML worden "
"gebruikt"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nieuwe formulieren"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Velden kunnen nu worden toegewezen aan reacties, widgets en "
"gebruikersformulieren!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Een nieuw veld voor het embedden van content is toegevoegd"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nieuwe galerij"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Het galerij veld heeft een complete facelift ondergaan"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nieuwe instellingen"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Nieuwe groep instellingen zijn toegevoegd om label en instructies toe te "
"voegen"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Betere front-end formulieren"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() kan nu posts aanmaken/toevoegen na goedkeuring"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Betere validatie"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Formulier validatie gaat nu via PHP + AJAX. Indien gewenst kan dit ook via JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Relatie veld"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Nieuwe relatieveld instellingen voor filters (Zoeken, Post Type en Taxonomy)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Velden verplaatsen"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Nieuwe veld groep functionaliteiten laat je velden tussen groepen "
"verplaatsen."

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Pagina link"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Nieuwe archief groep in pagina_link veld"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Verbeterde optie pagina's"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"De opties pagina's kunnen nu worden voorzien van zowel hoofd als sub-pagina's"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr ""
"Wij denken dat u de wijzigingen en vernieuwingen zult waarderen in versie %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Exporteer groep(en) naar 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 ""
"De volgende code kun je integreren in je thema. Door de groep(en) te "
"integreren verhoog je de laadsnelheid. Kopieer en plak deze in code in "
"functions.php, of maak een nieuw PHP bestand aan."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Selecteer groepen"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Exporteer groepen"

#: 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 ""
"Selecteer de groepen die je wilt exporteren. Maak vervolgens de keuze om de "
"groepen te downloaden als JSON bestand, of genereer de export code in PHP "
"formaat. De PHP export code kun je integreren in je thema."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Download export bestand"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Genereer export code"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Importeer groepen"

#: 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 ""
"Selecteer het Advanced Custom Fields JSON bestand die je wilt importeren. "
"Klik op de importeer button om het importeren te starten."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "Selecteer bestand"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Importeer"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Thumbnail"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Gemiddeld"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Groot"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Volledige grootte"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1831
#: pro/fields/class-acf-field-clone.php:992
msgid "(no title)"
msgstr "(geen titel)"

#: 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:986
msgid "Parent"
msgstr "Hoofd"

#: includes/api/api-helpers.php:3885
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Afbeelding breedte moet tenminste %dpx zijn."

#: includes/api/api-helpers.php:3890
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Afbeelding mag niet breder zijn dan %dpx."

#: includes/api/api-helpers.php:3906
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Afbeelding hoogte moet tenminste %dpx zijn."

#: includes/api/api-helpers.php:3911
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Afbeelding mag niet hoger zijn dan %dpx."

#: includes/api/api-helpers.php:3929
#, php-format
msgid "File size must be at least %s."
msgstr "Bestandsgrootte moet tenminste %s zijn."

#: includes/api/api-helpers.php:3934
#, php-format
msgid "File size must must not exceed %s."
msgstr "Bestand mag niet groter zijn dan %s."

#: includes/api/api-helpers.php:3968
#, php-format
msgid "File type must be %s."
msgstr "Bestandstype moet %s zijn."

#: includes/fields.php:144
msgid "Basic"
msgstr "Basis"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Inhoud"

#: includes/fields.php:146
msgid "Choice"
msgstr "Keuze"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relatie"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: 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-repeater.php:450
msgid "Layout"
msgstr "Layout"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Veld type bestaat niet"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Onbekend"

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Button groep"

#: 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 "Keuzes"

#: 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 "Per regel een keuze"

#: 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 ""
"Om meer controle te krijgen over de keuzes, kun je de naam en het label van "
"elkaar scheiden. Dit doe je op de volgende manier:"

#: 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 "rood : Rood"

#: 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 "Mag leeg zijn?"

#: 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 "Standaard waarde"

#: 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 ""
"Vooraf ingevulde waarde die te zien is tijdens het aanmaken van een nieuwe "
"post"

#: 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 "Horizontaal"

#: 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 "Verticaal"

#: includes/fields/class-acf-field-button-group.php:191
#: 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:833
msgid "Return Value"
msgstr "Output weergeven als"

#: includes/fields/class-acf-field-button-group.php:192
#: 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 "Bepaal hier de output weergave"

#: 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 "Waarde"

#: 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 "Beide (Array)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Checkbox"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Selecteer alle"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Nieuwe keuze"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Eigen invoer toestaan"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "‘Eigen invoer’ waarden toestaan"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Eigen invoer opslaan"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Sla ‘eigen invoer’ waarden op als veld keuzes"

#: 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 "Per regel de naam van een keuze"

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr "Switch"

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Voeg een extra checkbox toe aan het begin om alle keuzes te selecteren"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Kleurprikker"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Wissen"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Standaard waarde"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Selecteer kleur"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Huidige kleur"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Datumprikker"

#: includes/fields/class-acf-field-date_picker.php:33
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Gereed"

#: includes/fields/class-acf-field-date_picker.php:34
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Vandaag"

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Volgende"

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Vorige"

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Wk "

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Weergeven als"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "De weergave tijdens het aanmaken/bewerken van een post"

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Eigen invoer:"

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr "Indeling opslaan"

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr "Het formaat bij opslaan van waarde"

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "Output weergeven als"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 "De weergave in het thema"

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "Week start op"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Datum tijd picker"

#: includes/fields/class-acf-field-date_time_picker.php:33
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Kies tijd"

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Tijd"

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Uur"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minuut"

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Seconde"

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milliseconde"

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microseconde"

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Tijdzone"

#: includes/fields/class-acf-field-date_time_picker.php:41
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Nu"

#: includes/fields/class-acf-field-date_time_picker.php:42
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Gereed"

#: includes/fields/class-acf-field-date_time_picker.php:43
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Selecteer"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-mail"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Plaatsvervangende tekst"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Informatie die verschijnt in het veld (verdwijnt zodra je typt)"

#: 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:187
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Voorvoegsel"

#: 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:188
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Informatie die verschijnt voor het veld"

#: 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:196
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Navoegsel"

#: 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:197
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Informatie die verschijnt na het veld"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Bestand"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "Bewerk bestand"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "Update bestand"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Geüpload naar deze post"

#: includes/fields/class-acf-field-file.php:126
msgid "File name"
msgstr "Bestandsnaam"

#: 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-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Bestandsgrootte"

#: includes/fields/class-acf-field-file.php:139
#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Verwijder"

#: includes/fields/class-acf-field-file.php:155
msgid "Add File"
msgstr "Voeg bestand toe"

#: includes/fields/class-acf-field-file.php:206
msgid "File Array"
msgstr "Bestand Array"

#: includes/fields/class-acf-field-file.php:207
msgid "File URL"
msgstr "Bestands-URL"

#: includes/fields/class-acf-field-file.php:208
msgid "File ID"
msgstr "Bestands-ID"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "Bibliotheek"

#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr ""
"Limiteer de keuze van bestanden. Kies voor de gehele media bibliotheek, of "
"alleen de bestanden die geüpload zijn naar de post."

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Alles"

#: includes/fields/class-acf-field-file.php:222
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "Geüpload naar post"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr "Minimaal"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-file.php:241
msgid "Restrict which files can be uploaded"
msgstr "Bepaal welke bestanden geüpload mogen worden"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr "Maximaal"

#: includes/fields/class-acf-field-file.php:251
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr "Toegestane bestandstypen"

#: includes/fields/class-acf-field-file.php:252
#: 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"
msgstr "Met komma's gescheiden lijst. Laat leeg voor alle types."

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Map"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "Locatie wordt gezocht..."

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "Excuses, deze browser ondersteund geen geolocatie"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "Wis locatie"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr "Zoek huidige locatie"

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "Zoek een adres..."

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "Standaard locatie"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "Bepaal de standaard locatie van de kaart"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "Inzoomen"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "Bepaal het zoom niveau van de kaart"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Hoogte"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "Wijzig de hoogte van de kaart"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Groep"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "Sub-velden"

#: includes/fields/class-acf-field-group.php:475
#: pro/fields/class-acf-field-clone.php:840
msgid "Specify the style used to render the selected fields"
msgstr "Kies de gebruikte stijl bij het renderen van de geselecteerde velden"

#: 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-repeater.php:458
msgid "Block"
msgstr "Blok"

#: 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-repeater.php:457
msgid "Table"
msgstr "Tabel"

#: 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-repeater.php:459
msgid "Row"
msgstr "Rij"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Afbeelding"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "Selecteer afbeelding"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Bewerk afbeelding"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Update afbeelding"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "Alle afbeeldingen"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Geen afbeelding geselecteerd"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Voeg afbeelding toe"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Afbeelding Array"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "Afbeelding URL"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "Afbeelding ID"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Afmeting voorbeeld"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Voorbeeld wordt na het uploaden/selecteren getoond"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Bepaal welke afbeeldingen geüpload mogen worden"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Breedte"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Selecteer link"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Opent in een nieuw venster/tab"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Link array"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Link URL"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Bericht"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Nieuwe regels"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Bepaal wat er gebeurt met een nieuwe tekstregel"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Automatisch paragrafen toevoegen"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Automatisch een nieuwe regel maken &lt;br /&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Niets ondernemen"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escape HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Toestaan HTML markup te tonen als tekst in plaats van het te renderen"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Nummer"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:157
msgid "Minimum Value"
msgstr "Minimale waarde"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:167
msgid "Maximum Value"
msgstr "Maximale waarde"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:177
msgid "Step Size"
msgstr "Stapgrootte"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Waarde moet numeriek zijn"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Waarde moet gelijk of meer dan zijn %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Waarde moet gelijk of minder zijn dan %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "Vul URL in"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Fout."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr "Geen embed mogelijkheid gevonden voor de gewenste URL."

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "Embed formaat"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archieven"

#: 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
msgid "Filter by Post Type"
msgstr "Filter op post type"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "Alle post types"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "Filter op taxonomy"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr "Alle taxonomieën"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Archief URL’s toestaan"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "Meerdere selecties mogelijk?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Wachtwoord"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr "Post object"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "Post ID"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radio button"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Anders namelijk"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Voeg de keuze \"anders” toe voor eigen invulling"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Anders namelijk waarde toevoegen aan keuzes?"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr ""
"Voeg de ingevulde \"anders namelijk\" waarde toe aan de keuzelijst na het "
"opslaan van een post"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Reeks"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relatie"

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr "Minimaal aantal bereikt ( {min} stuks )"

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr "Maximum aantal waarden bereikt ( {max} waarden )"

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "Laden"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr "Geen gelijkenis gevonden"

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "Selecteer post type"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "Selecteer taxonomy"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "Zoeken..."

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "Filters"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Post type"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "Taxonomy"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "Elementen"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr "Selecteer de elementen die moeten worden getoond in elk resultaat"

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr "Minimale berichten"

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "Maximum aantal selecties"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s verplicht tenminste %s selectie"
msgstr[1] "%s verplicht tenminste %s selecties"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Selecteer"

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Eén resultaat beschikbaar, toets enter om te selecteren."

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"%d resultaten beschikbaar, gebruik de pijltjes toetsen om te navigeren."

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Geen resultaten"

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Vul 1 of meer tekens in"

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Vul %d of meer tekens in"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Verwijderd 1 teken"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Verwijder %d tekens"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Je kunt maar 1 item selecteren"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Je kunt maar %d items selecteren"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Laad meer resultaten&hellip;"

#: includes/fields/class-acf-field-select.php:48
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Zoeken&hellip;"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Laden mislukt"

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Selecteer"

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Uitgebreide weergave"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "AJAX gebruiken om keuzes te laden?"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr "Bepaal hier de output weergave"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Scheidingsteken"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Tab"

#: 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 "Deze tab zal niet correct worden weergegeven in een herhalende tabel"

#: includes/fields/class-acf-field-tab.php:83
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr "Gebruik tabbladen om velden in het edit screen te organiseren."

#: 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 ""
"Alle velden onder dit \"Tab veld\" zullen worden toegevoegd aan deze tab. "
"Het ingevulde \"Veld label\" dient als benaming van de tab."

#: includes/fields/class-acf-field-tab.php:98
msgid "Placement"
msgstr "Plaatsing"

#: includes/fields/class-acf-field-tab.php:110
msgid "End-point"
msgstr "Eindpunt"

#: includes/fields/class-acf-field-tab.php:111
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "Gebruik dit veld als eindpunt en startpunt van een groep tabbladen"

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Geen %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Geen"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr "Selecteer de weer te geven taxonomie "

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Uiterlijk"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr "Selecteer het uiterlijk van dit veld"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Meerdere waardes"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Multi-selecteer"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "Enkele waarde"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Radio buttons"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Voorwaarden toevoegen"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr "Toestaan dat nieuwe voorwaarden worden aangemaakt terwijl je bewerkt"

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Voorwaarden opslaan"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr "Koppel geselecteerde terms aan een post"

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Voorwaarden laden"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr "Waarde ophalen van posts terms"

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Term object"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "Term ID"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr "Gebruiker is niet in staat om nieuwe %s toe te voegen"

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr "%s bestaat al"

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr "%s toegevoegd"

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr "Nieuwe"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Karakter limiet"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Laat leeg voor geen limiet"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Tekstvlak"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Rijen"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Hoogte (in regels) voor dit tekstvlak"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Tijd picker"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Waar / niet waar"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Ja"

#: 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 "Nee"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Geeft tekst weer naast de checkbox"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "On tekst"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Tekst die verschijnt bij actief"

#: includes/fields/class-acf-field-true_false.php:165
msgid "Off Text"
msgstr "Off tekst"

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr "Tekst die verschijnt bij inactief"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Waarde moet een geldige URL zijn"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Gebruiker"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "Filter op rol"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "Alle rollen"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Wysiwyg editor"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Visueel"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr "Klik om TinyMCE te initialiseren"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Tabbladen"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Visueel & tekst"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Alleen visueel"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Alleen tekst"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Toolbar"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Toon media upload buttons?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr "Vertraag initialisatie?"

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE wordt niet geïnitialiseerd tot veld is aangeklikt"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Bewerk groep"

#: includes/forms/form-front.php:55
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
msgid "Update"
msgstr "Bijwerken"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Bericht bijgewerkt"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Spam gedetecteerd"

#: includes/input.php:259
msgid "Expand Details"
msgstr "Toon details"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "Verberg details"

#: includes/input.php:261
msgid "Validation successful"
msgstr "Validatie geslaagd"

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validatie mislukt"

#: includes/input.php:263
msgid "1 field requires attention"
msgstr "1 veld heeft aandacht nodig"

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr "%d velden hebben aandacht nodig"

#: includes/input.php:265
msgid "Restricted"
msgstr "Verplicht"

#: includes/input.php:266
msgid "Are you sure?"
msgstr "Ben je zeker?"

#: includes/input.php:270
msgid "Cancel"
msgstr "Annuleer"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Bericht"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Pagina"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formulieren"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Bijlage"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Alle %s formaten"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Reactie"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Huidige gebruikersrol"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super beheerder"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Huidige gebruiker"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Ingelogd"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Bekijk voorkant"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Bekijk achterkant"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menu item"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Menu locaties"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menu’s "

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Pagina hoofd"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Pagina template"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Standaard template"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Pagina type"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "Hoofdpagina"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "Berichten pagina"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr "Hoofdpagina (geen hoofd)"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "Hoofdpagina (bevat subitems)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "Subpagina"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Bericht categorie"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Bericht format"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Status"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Bericht taxonomy"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Bericht template"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Taxonomy term"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Gebruiker formulier"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Toevoegen / Bewerken"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registreer"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Rol"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Bewerk"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Bijwerken"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s waarde is verplicht"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Publiceer"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Er zijn geen groepen gevonden voor deze optie pagina. <a href=\"%s\">Maak "
"een extra velden groep</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Fout</b>. Kan niet verbinden met de update server"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Updates"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Licentiecode deactiveren"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activeer licentiecode"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Licentie informatie"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen "
"licentiecode? Bekijk <a href=\"%s\" target=\"_blank\">details & prijzen</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Licentiecode"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Update informatie"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Huidige versie"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Nieuwste versie"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Update beschikbaar"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Update plugin"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Vul uw licentiecode hierboven in om updates te ontvangen"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Controleer op updates"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Upgrade opmerking"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Kloon"

#: pro/fields/class-acf-field-clone.php:808
msgid "Select one or more fields you wish to clone"
msgstr "Selecteer een of meer velden om te klonen"

#: pro/fields/class-acf-field-clone.php:825
msgid "Display"
msgstr "Toon"

#: pro/fields/class-acf-field-clone.php:826
msgid "Specify the style used to render the clone field"
msgstr "Kies de gebruikte stijl bij het renderen van het gekloonde veld"

#: pro/fields/class-acf-field-clone.php:831
msgid "Group (displays selected fields in a group within this field)"
msgstr "Groep (toont geselecteerde velden in een groep binnen dit veld)"

#: pro/fields/class-acf-field-clone.php:832
msgid "Seamless (replaces this field with selected fields)"
msgstr "Naadloos (vervangt dit veld met de geselecteerde velden)"

#: pro/fields/class-acf-field-clone.php:853
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Labels worden getoond als %s"

#: pro/fields/class-acf-field-clone.php:856
msgid "Prefix Field Labels"
msgstr "Prefix veld labels"

#: pro/fields/class-acf-field-clone.php:867
#, php-format
msgid "Values will be saved as %s"
msgstr "Waarden worden opgeslagen als %s"

#: pro/fields/class-acf-field-clone.php:870
msgid "Prefix Field Names"
msgstr "Prefix veld namen"

#: pro/fields/class-acf-field-clone.php:988
msgid "Unknown field"
msgstr "Onbekend veld"

#: pro/fields/class-acf-field-clone.php:1027
msgid "Unknown field group"
msgstr "Onbekend groep"

#: pro/fields/class-acf-field-clone.php:1031
#, php-format
msgid "All fields from %s field group"
msgstr "Alle velden van %s veld groep"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "Nieuwe regel"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "layout"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "layouts"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "verwijder {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Dit veld vereist op zijn minst {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Dit veld heeft een limiet van {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Dit veld vereist op zijn minst {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maximum {label} limiet bereikt ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} beschikbaar (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} verplicht (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibele content vereist minimaal 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klik op de \"%s\" button om een nieuwe lay-out te maken"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Layout toevoegen"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Verwijder layout"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr "Klik om in/uit te klappen"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder Layout"
msgstr "Herorder layout"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder"
msgstr "Herorder"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete Layout"
msgstr "Verwijder layout"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate Layout"
msgstr "Dupliceer layout"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New Layout"
msgstr "Nieuwe layout"

#: pro/fields/class-acf-field-flexible-content.php:628
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:641
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:668
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "Button label"

#: pro/fields/class-acf-field-flexible-content.php:677
msgid "Minimum Layouts"
msgstr "Minimale layouts"

#: pro/fields/class-acf-field-flexible-content.php:686
msgid "Maximum Layouts"
msgstr "Maximale layouts"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Voeg afbeelding toe aan galerij"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "Maximale selectie bereikt"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Lengte"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Onderschrift"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Alt tekst"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Afbeelding(en) toevoegen"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Acties"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Sorteer op datum geüpload"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Sorteer op datum aangepast"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Sorteer op titel"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Keer volgorde om"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Sluiten"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Minimale selectie"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Maximale selectie"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Invoegen"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr "Geef aan waar nieuwe bijlagen worden toegevoegd"

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Toevoegen aan het einde"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Toevoegen aan het begin"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Minimum aantal rijen bereikt ({max} rijen)"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Maximum aantal rijen bereikt ({max} rijen)"

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "Nieuwe regel"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "Verwijder regel"

#: pro/fields/class-acf-field-repeater.php:419
msgid "Collapsed"
msgstr "Ingeklapt"

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr "Selecteer een sub-veld om te tonen wanneer rij dichtgeklapt is"

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "Minimum aantal rijen"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "Maximum aantal rijen"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Er zijn nog geen optie pagina's"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opties"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opties bijgewerkt"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Om updates te ontvangen vul je op <a href=\"%s\">Updates</a> pagina je "
"licentiecode in. Nog geen licentiecode? Bekijk <a href=\"%s\" target=\"_blank"
"\">details & prijzen</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "Inactief"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Inactief <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Inactief <span class=\"count\">(%s)</span>"

#~ msgid "Getting Started"
#~ msgstr "Aan de slag"

#~ msgid "Field Types"
#~ msgstr "Veld soorten"

#~ msgid "Functions"
#~ msgstr "Functies"

#~ msgid "Actions"
#~ msgstr "Acties"

#~ msgid "'How to' guides"
#~ msgstr "Veelgestelde vragen"

#~ msgid "Tutorials"
#~ msgstr "Tutorials"

#~ msgid "FAQ"
#~ msgstr "FAQ"

#~ msgid "Created by"
#~ msgstr "Ontwikkeld door"

#~ msgid "Error loading update"
#~ msgstr "Fout bij laden van update"

#~ msgid "Error"
#~ msgstr "Fout"

#~ msgid "See what's new"
#~ msgstr "Bekijk alle vernieuwingen en verbeteringen van"

#~ msgid "eg. Show extra content"
#~ msgstr "bijv. Toon op homepage"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 veld vraagt om aandacht"
#~ msgstr[1] "%d velden vragen om aandacht"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Verbindingsfout</b>. Onze excuses, probeer het later nog eens"

#~ msgid "See what's new in"
#~ msgstr "Bekijk alle vernieuwingen en verbeteringen van"

#~ msgid "version"
#~ msgstr "versie"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr ""
#~ "<b>Gelukt!</b>. De importeer tool heeft %s velden en %s groepen "
#~ "geïmporteerd"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Waarschuwing</b>. De importeer functie heeft %s bestaande veldgroepen "
#~ "gedetecteerd en heeft deze genegeerd: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Upgrade ACF"

#~ msgid "Upgrade"
#~ msgstr "Upgrade"

#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "De volgende website vereist een DB upgrade. Selecteer degene die u wilt "
#~ "updaten en klik op “Upgrade database”."

#~ msgid "Upgrading data to"
#~ msgstr "Upgraden van data naar "

#~ msgid "Done"
#~ msgstr "Gereed"

#~ msgid "Today"
#~ msgstr "Vandaag"

#~ msgid "Show a different month"
#~ msgstr "Toon een andere maand"

#~ msgid "Return format"
#~ msgstr "Output weergeven als"

#~ msgid "uploaded to this post"
#~ msgstr "geüpload naar deze post"

#~ msgid "File Name"
#~ msgstr "Bestandsnaam"

#~ msgid "File Size"
#~ msgstr "Bestandsformaat"

#~ msgid "No File selected"
#~ msgstr "Geen bestand geselecteerd"

#~ msgid "Save Options"
#~ msgstr "Opties bijwerken"

#~ msgid "License"
#~ msgstr "Licentie"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Voor het verkrijgen van updates is een licentiesleutel vereist. Indien je "
#~ "niet beschikt over een licentiecode kun je deze aanschaffen, zie:"

#~ msgid "details & pricing"
#~ msgstr "details & kosten"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Voor het verkrijgen van updates is een licentiesleutel vereist. Vul uw "
#~ "licentiecode in op de <a href=\"%s\">Updates</a> pagina, of schaf een "
#~ "licentiecode aan via <a href=\"%s\">details & prijzen</a>."

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

#~ msgid "elliot condon"
#~ msgstr "elliot condon"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Sleep om te sorteren"

#~ msgid "Add new %s "
#~ msgstr "Nieuwe %s "

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Tekst wordt automatisch voorzien van paragrafen door de wp functie: "

#~ msgid "Warning"
#~ msgstr "Waarschuwing"

#~ msgid "Hide / Show All"
#~ msgstr "Verberg / Toon alle"

#~ msgid "Show Field Keys"
#~ msgstr "Toon veld sleutels"

#~ msgid "Pending Review"
#~ msgstr "Wachtend op goedkeuring"

#~ msgid "Draft"
#~ msgstr "Concept"

#~ msgid "Future"
#~ msgstr "Toekomst"

#~ msgid "Private"
#~ msgstr "Privé"

#~ msgid "Revision"
#~ msgstr "Revisie"

#~ msgid "Trash"
#~ msgstr "Afval"

#~ msgid "Top Level Page (parent of 0)"
#~ msgstr "Hoofdpagina (ouder dan 0)"

#~ msgid "Import / Export"
#~ msgstr "Importeer / Exporteer"

#~ msgid "Logged in User Type"
#~ msgstr "Gebruikersrol"

#~ msgid "Field groups are created in order <br />from lowest to highest"
#~ msgstr "Groepen worden gesorteerd van laag naar hoog."

#~ msgid "<b>Select</b> items to <b>hide</b> them from the edit screen"
#~ msgstr ""
#~ "<b>Selecteer</b> elementen die <b>verborgen</b> worden op het edit screen"

#~ 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 ""
#~ "Als er meerdere groepen verschijnen op een edit screen, zal de eerste "
#~ "groep worden gebruikt. (degene met het laagste volgorde nummer)"

#~ msgid ""
#~ "We're changing the way premium functionality is delivered in an exiting "
#~ "way!"
#~ msgstr ""
#~ "We hebben de premium mogelijkheden vernieuwd op een geweldige manier!"

#~ msgid "ACF PRO Required"
#~ msgstr "ACF PRO verplicht"

#~ 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 ""
#~ "We hebben een probleem ontdekt die uw aandacht vereist: Deze website "
#~ "maakt gebruik van add-ons (%s) die niet compatible zijn met de huidige "
#~ "versie van ACF."

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "Geen paniek! Je kunt gemakkelijk downgraden naar een vorige versie van "
#~ "ACF."

#~ msgid "Roll back to ACF v%s"
#~ msgstr "Downgrade naar ACF v%s"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Ontdek waarom je niet zonder ACF PRO kunt"

#~ msgid "Update Database"
#~ msgstr "Database updaten"

#~ msgid "Data Upgrade"
#~ msgstr "Data geüpgrade"

#~ msgid "Data upgraded successfully."
#~ msgstr "Data is met succes geüpgraded."

#~ msgid "Data is at the latest version."
#~ msgstr "Data beschikt over de laatste versie."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "1 verplicht veld is leeg"
#~ msgstr[1] "%s verplichte velden zijn leeg"

#~ msgid "Controls how HTML tags are rendered"
#~ msgstr "Bepaal hoe HTML tags worden weergegeven"

#~ msgid "No taxonomy filter"
#~ msgstr "Geen taxonomy filter"

#~ msgid "Load & Save Terms to Post"
#~ msgstr "Laad & sla termen op bij post"

#~ msgid ""
#~ "Load value based on the post's terms and update the post's terms on save"
#~ msgstr ""
#~ "Laad waarde aan de hand van de post termen en update de post termen bij "
#~ "het opslaan"

#~ msgid "Custom field updated."
#~ msgstr "Extra veld bijgewerkt."

#~ msgid "Custom field deleted."
#~ msgstr "Extra veld verwijderd."

#~ msgid "Field group duplicated! Edit the new \"%s\" field group."
#~ msgstr "Groep gedupliceerd! Bewerk de nieuwe \"%s\" groep."

#~ msgid "Import/Export"
#~ msgstr "Import/Export"

#~ msgid "Column Width"
#~ msgstr "Kolom breedte"

#~ msgid "Attachment Details"
#~ msgstr "Bijlage details"

#~ msgid "Field group restored to revision from %s"
#~ msgstr "Groepen hersteld naar revisie van %s"

#~ msgid "No ACF groups selected"
#~ msgstr "Geen ACF groep geselecteerd"

#~ msgid "Normal"
#~ msgstr "Normaal"

#~ msgid "No Metabox"
#~ msgstr "Geen metabox"

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr ""
#~ "Lees de documentatie, leer de functies kennen en ontdek tips & tricks "
#~ "voor jouw web project."

#~ msgid "Visit the ACF website"
#~ msgstr "Bezoek de ACF website"

#~ msgid "Vote"
#~ msgstr "Stem"

#~ msgid "Follow"
#~ msgstr "Volg op Twitter"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr ""
#~ "Validatie mislukt. E&eacute;n of meer velden hieronder zijn verplicht."

#~ msgid "Add File to Field"
#~ msgstr "+ Bestand toevoegen aan veld"

#~ msgid "Add Image to Field"
#~ msgstr "Add Image to Field"

#~ msgid "Attachment updated"
#~ msgstr "Bijlage bijgewerkt."

#~ msgid "Repeater field deactivated"
#~ msgstr "Repeater Field gedeactiveerd"

#~ msgid "Gallery field deactivated"
#~ msgstr "Gallery field gedeactiveerd"

#~ msgid "Repeater field activated"
#~ msgstr "Repeater field geactiveerd"

#~ msgid "Options page activated"
#~ msgstr "Options page geactiveerd"

#~ msgid "Flexible Content field activated"
#~ msgstr "Flexible Content field geactiveerd"

#~ msgid "Gallery field activated"
#~ msgstr "Gallery field geactiveerd"

#~ msgid "License key unrecognised"
#~ msgstr "Licentie code niet herkend"

#~ msgid ""
#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used "
#~ "on multiple sites."
#~ msgstr ""
#~ "Add-ons kun je activeren door een licentie code te kopen. Elke code kan "
#~ "gebruikt worden op meerdere websites."

#~ msgid "Activation Code"
#~ msgstr "Activatie code"

#~ msgid "Repeater Field"
#~ msgstr "Repeater Field"

#~ msgid "Flexible Content Field"
#~ msgstr "Flexible Content Field"

#~ msgid "Gallery Field"
#~ msgstr "Gallery Field"

#~ msgid "Export Field Groups to XML"
#~ msgstr "Exporteer groepen naar XML"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr ""
#~ "ACF maakt een .xml export bestand die compatibel is met de ingebouwde WP "
#~ "import plugin."

#~ msgid ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "Ge&iuml;mporteerde veld groepen <b>verschijnen</b> in de lijst van "
#~ "beheerbare veld groepen. Dit is handig voor het migreren van veld groepen "
#~ "tussen WP websites."

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr "Selecteer veld groep(en) van van de lijst en klik \"Exporteer XML\""

#~ msgid "Save the .xml file when prompted"
#~ msgstr "Sla de .xml file op wanneer er om gevraagd wordt"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "Navigeer naar Extra &raquo; Importeren en selecteer WordPress "

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "Installeer de WP import plugin als er naar wordt gevraagd"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "Upload en import je ge&euml;xporteerde .xml bestand"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "Selecteer je gebruiker en negeer import bijlages"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "Dat is het! Happy WordPressing"

#~ msgid "Export XML"
#~ msgstr "Exporteer XML"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACF maakt de PHP code die je kan integreren in jouw thema."

#~ msgid "Register Field Groups"
#~ msgstr "Registreer veld groepen"

#~ 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 ""
#~ "Houd er rekening mee dat wanneer je veld groepen exporteert en "
#~ "registreert in dezelfde WP installatie, ze verschijnen als gedupliceerde "
#~ "velden in je edit screens. Om dit te verhelpen: verwijder de originele "
#~ "veld groepen naar de prullenbak of verwijder de code uit je functions.php "
#~ "bestand."

#~ msgid "Select field group(s) from the list and click \"Create PHP\""
#~ msgstr "Selecteer veld groepen uit de lijst en klik \"Maak PHP\""

#~ msgid "Copy the PHP code generated"
#~ msgstr "Kopieer de gegenereerde PHP code"

#~ msgid "Paste into your functions.php file"
#~ msgstr "Plak in je functions.php bestand"

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr ""
#~ "Om add-ons te activeren, bewerk en gebruik de code in de eerste regels."

#~ msgid "Create PHP"
#~ msgstr "Maak PHP"

#~ msgid "Back to settings"
#~ msgstr "Terug naar instellingen"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "Advanced Custom Fields instellingen"

#~ msgid "requires a database upgrade"
#~ msgstr "vereist een database upgrade"

#~ msgid "why?"
#~ msgstr "waarom?"

#~ msgid "Please"
#~ msgstr "Graag"

#~ msgid "backup your database"
#~ msgstr "backup maken van je database"

#~ msgid "then click"
#~ msgstr "vervolgens klikken op"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr "Verplaats gebruikers eigen velden van wp_options naar wp_usermeta"

#~ msgid "No choices to choose from"
#~ msgstr "Geen keuzes om uit te kiezen"

#~ msgid "Red"
#~ msgstr "Rood"

#~ msgid "Blue"
#~ msgstr "Blauw"

#~ msgid "blue : Blue"
#~ msgstr "blauw : Blauw"

#~ msgid "File Updated."
#~ msgstr "Bestand bijgewerkt."

#~ msgid "Media attachment updated."
#~ msgstr "Media bijlage bijgewerkt."

#~ msgid "Add Selected Files"
#~ msgstr "Geselecteerde bestanden toevoegen"

#~ msgid "+ Add Row"
#~ msgstr "+ Nieuwe regel"

#~ msgid "Field Order"
#~ msgstr "Veld volgorde"

#~ msgid ""
#~ "No fields. Click the \"+ Add Sub Field button\" to create your first "
#~ "field."
#~ msgstr ""
#~ "Geen velden. Klik op \"+ Nieuw sub veld\" button om je eerste veld te "
#~ "maken."

#~ msgid "Docs"
#~ msgstr "Documentatie"

#~ msgid "Close Sub Field"
#~ msgstr "Sub veld sluiten"

#~ msgid "+ Add Sub Field"
#~ msgstr "+ Nieuw sub veld"

#~ msgid "Alternate Text"
#~ msgstr "Alternatieve tekst"

#~ msgid "Thumbnail is advised"
#~ msgstr "Thumbnail wordt geadviseerd"

#~ msgid "Image Updated"
#~ msgstr "Afbeelding bijgwerkt"

#~ msgid "Grid"
#~ msgstr "Grid"

#~ msgid "List"
#~ msgstr "Lijst"

#~ msgid "No images selected"
#~ msgstr "Geen afbeeldingen geselecteerd"

#~ msgid "1 image selected"
#~ msgstr "1 afbeelding geselecteerd"

#~ msgid "{count} images selected"
#~ msgstr "{count} afbeeldingen geselecteerd"

#~ msgid "Added"
#~ msgstr "Toegevoegd"

#~ msgid "Image already exists in gallery"
#~ msgstr "Afbeelding bestaat al galerij"

#~ msgid "Image Updated."
#~ msgstr "Afbeelding bijgewerkt."

#~ msgid "Add selected Images"
#~ msgstr "Voeg geselecteerde afbeeldingen toe"

#~ msgid "Repeater Fields"
#~ msgstr "Velden herhalen"

#~ msgid "Field Instructions"
#~ msgstr "Veld instructies"

#~ msgid "Table (default)"
#~ msgstr "Tabel (standaard)"

#~ msgid "Define how to render html tags"
#~ msgstr "Bepaal hoe HTML tags worden omgezet"

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Bepaal hoe HTML tags worden omgezet / nieuwe regels"

#~ msgid "Run filter \"the_content\"?"
#~ msgstr "Gebruik filter \"the_content\"?"

#~ msgid "Enable this filter to use shortcodes within the WYSIWYG field"
#~ msgstr "Activeer dit filter om shortcodes te gebruiken in het WYSIWYG veld"

#~ msgid ""
#~ "This format will determin the value saved to the database and returned "
#~ "via the API"
#~ msgstr ""
#~ "De datum wordt in deze indeling opgeslagen in de database en teruggegeven "
#~ "door de API"

#~ msgid "\"yymmdd\" is the most versatile save format. Read more about"
#~ msgstr "\"yymmdd\" is de meest veelzijdige opslaan indeling. Lees meer op"

#~ msgid "jQuery date formats"
#~ msgstr "jQuery datum format"

#~ msgid "This format will be seen by the user when entering a value"
#~ msgstr ""
#~ "Deze indeling wordt gezien door de gebruiker wanneer datum wordt ingevuld"

#~ msgid ""
#~ "\"dd/mm/yy\" or \"mm/dd/yy\" are the most used Display Formats. Read more "
#~ "about"
#~ msgstr ""
#~ "\"dd/mm/yy\" of \"mm/dd/yy\" zijn de meest gebruikte indelingen. Lees "
#~ "meer op"

#~ msgid "Page Specific"
#~ msgstr "Pagina specifiek"

#~ msgid "Post Specific"
#~ msgstr "Bericht specifiek"

#~ msgid "Taxonomy (Add / Edit)"
#~ msgstr "Taxonomy (Nieuwe / bewerk)"

#~ msgid "Media (Edit)"
#~ msgstr "Media (Bewerk)"

#~ msgid "match"
#~ msgstr "komt overeen met"

#~ msgid "all"
#~ msgstr "allen"

#~ msgid "of the above"
#~ msgstr "van hierboven"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "Ontgrendel opties add-on met een activatie code"

#~ msgid "Add Fields to Edit Screens"
#~ msgstr "Voeg velden toe aan edit screen"

#~ msgid "Navigate to the"
#~ msgstr "Ga naar de"

#~ msgid "and select WordPress"
#~ msgstr "en selecteer WordPress"

#~ msgid "eg. dd/mm/yy. read more about"
#~ msgstr "bijv. dd/mm/yyyy. Lees meer over"

#~ msgid ""
#~ "Filter posts by selecting a post type<br />\n"
#~ "\t\t\t\tTip: deselect all post types to show all post type's posts"
#~ msgstr ""
#~ "Filter post type door te selecteren<br />\n"
#~ "\t\t\t\tTip: selecteer 'alles' om alle posts van alle post type te tonen"

#~ msgid "Everything Fields deactivated"
#~ msgstr "Everything Fields gedeactiveerd"

#~ msgid "Everything Fields activated"
#~ msgstr "Everything Fields geactiveerd"

#~ msgid "Set to -1 for infinite"
#~ msgstr "Plaats -1 voor oneindig"

#~ msgid "Row Limit"
#~ msgstr "Rij limiet"
PK�
�[��3����lang/acf-fr_CA.monu�[������T��*�8�8�8�8D�859
J9
U9`9m9y9z�90:=@:~:�:2�:��:	�;�;�;M�;�;-�;
)<4<	=<G<\<
d<r<�<�<
�<�<�<�<�<�<�<�<==�*=>
!>,>;>J>!Y>{>�>A�>�>,�>4?L?_?
h?s?�? �?�?�?�?�?�?
@
@@&@C@`@r@x@�@�@�@�@�@�@C�@)A6ACAPA]AdA
lAwA~A	�A�A�A�A�A�A�A�A�A�A9BBB^BnBzB�B�B�B	�B�B/�B�B�BC"C7C?C#NCrCyC�C[�C
�CDD!D
1D?DEGD�D�DG�D:ECEOE mE�E�E�E�E�E!F"6F#YF!}F,�F,�F%�FG!=G%_G%�G-�G!�G*�G&H9HAH
RHZ`HV�HI(I
/I=IJI
VIaIiI,xI$�I
�I�I�I	�IJJ&J:JOJ^J
cJnJ	J
�J
�J�J�J
�J�J
�J�J	�J �J&K&3KZKfKnK}K�K1�K�K�K�K�K�K
LL
L
%L0LEL3`L�L�L�Li�LCM7ZM�M�M1�M�MNTNmN
rN}N�N	�N	�N�N"�N�N�NO!O0O8ONO+_OC�O@�OPPP
&P	1P;PCPPP
kPvP=|P�P
�P�P�P�P�P

Q�Q�Q�Q�Q	�Q#�Q"�Q"R!+RMRaRmR/R
�R�R�R�RQ�R�;S�S�S�S	�STT4*T_TysT�T�T�TU&U,U;UBU[UhUoUwU�U�U�U
�U
�U�U
�U�UV
	VV	V�'V�V�V�V�V�V
W
W!WAW'[W�W�W	�W�W�W�W�W�W�W�W�W
�W
�W!
X	/X9X=LX�X�X�X
�X�X�X
�XYYY
,Y:Y1?YqY	~Y�Y�Y	�YU�YZMZRfZ�Z`�Z[3[R[b[
{[�[T�[�[\\+\B\Q\l\�\�\�\�\�\�\�\�\�\�\�\]	]]]]	,]6]
B]	P]Z]a]|]	�]�]	�]M�]5�]+.^,Z^�^�^
�^�^�^�^�^
�^
�^	�^�^
_
__3_F_/N_~_�_�_�_�_
�_�_2�_`�`�`
�`�`�`
�`
�`aaa	&a	0a$:a%_a
�a
�a�a�a�a	�a�a�a�a+�a*bHbTb
`b
kbvb3�b�b�b
�b�b	�b.	c	8cBcOcccoc|c0�c�c+�c�cd�d#�d�d#�e5f7;f>sf?�f#�f1g%HgGngV�g&
h:4h<oh2�h�h�hi	 i*iEi^igi�i�i�i�i�i6�ijj,)jVj0[j�j�j
�j
�j'�j0�j4-kbk'}k�k�k	�k�k�k
�k�k�k�kll#l2lJlNlTlYl^lglol{l	�l	�l�l�l1�l!�lZm3smB�mU�mE@nA�nZ�nA#o^ep(�p*�p#q^<q@�q<�q4r7Nr3�rL�r	ss5sSs�Ys�t�t
�t�t�t�t�t�t�t�t�t
�tuu&u7uCuPu
cuquyu�u
�u�u�u�uW�u>vOveviv�v
�v	�v�v�v	�v�v�v�v�vww&w8wNwawww�w�w(�w'�w#x3xNx
Wxbxsx�x�x
�x�x��x'\yM�y�y�y!�y
zzz#z6zEzIzMNz�z�z�z$�z�z�z�z�z�z{

{{${+{8{	;{	E{O{[{g{6m{4�{D�{%
DOF`�
��
�� ���/��[�I�f�.�����
k�v���L��߂G�/�B�U�g�����#��"ƒ����%�:�M�c�y�������.Ą��"�@�V�.s���#†H�/�<J�A��ɇ�	����92�l�����	������ĈՈ"܈'��'�9�@�P�&d���������pщB�T�f�x���������'��؊���*�1�K�Q�W�_�Us� ɋ����&�9�N�V�dl�ь݌�+�-�5�.I�x����h���)� =�^�q�u�O��Վ/�s�[�����
����$�@�C�E�
M�X�^�k�x������
����������ؐ���]�ml�ڑ	����/�
;�F�Y�-n�/��
̒ڒ �	��:�M�e�|�������ʓޓ��
�
)�7�
H�S�_�l�7��;Ô����3�R�Nf�	����ϕՕ�����
,�:�*V�<����ז!�y���B��3�$�JB��������C�K�
i�w�����-��-ՙ!�%�E�[�m�u���9��Xݚh6�������țٛ��0�
4�?�WF�����Ŝלߜ�
���
�������Ý.ԝ.�.2�.a�����Þ;��5�G�a�Pi����v�����	����͠Fڠ!��4�ס	��*�3�:�M�$Z����������&΢����
��%�38�l�
����	��������� ����֤�#��6�'P�1x�������ǥۥ��� ���2�A�#Q�6u�����mئ	F�P� h���'��(ħ����%�7�H�L�R�
m�{�����nŨ4�pI�v��1�g5���0���%�'�$8�g]�ū���
�	-�$7�\�|���������Ȭ�%���*�A�G�M�S�X�j���������"��ح	������E��<Ԯ%�7�@�
H�S�f�
v���	������̯�(��:�W�M`�����ݰ��
���K�-a����X�d�p�y���������
ٲ�
� �� �9�A�R�c�&{�
��������@ijG�'M�u�$����'Ǵ/�
� *�K�a�
y�=��
ŵе#��!�9�CO�!��.��!��{���I��#���<�'\�)����1ù��G
�eU���3ֺ.
�D9� ~� ����ػ���	�*�A�V�,j�
��
��D������C�U�Bh���˽���,�<4�7q���:Ǿ���"�(�<�H�]�e�x����� ��ݿ��
�	��	��!�
'�5�)J�0t�*��!�i�/\�J��c�;;�Mw�r���8����3Q��������<C�]��3��5�+H�bt�	����M��D��J��
��������!�-�	=�G�L�P�
X�f�~�������)����
�%!�G�f�����)��p��P�e�|�3��������������-�9�V�n��������������,�#K�6o�0��.��/�6�
?�M�)f������������D��P�Y�b�${���������������k��X�[�b�$h���������������
����#��!�
$�2�;�C�R�7Z�2��a
��ZYt���@3c�7��$)���uF�IS_z�K8y%(���h=j����B_t`/T�"UVM�)b�'Om��� ��S����:�.��{��,~��<0�m��+9r`(ic��6&���vW.���@�;h�i
������=�d&!w$uke+�R���bF���3�ko$	1��0�?��C�dV��v�����k��s�������|VnH�*�?�/��w���r0z��jRE��Gs-���#��Jq1.Up|,�\e(*����1�x�G�aj�\8i�?�GW��>�� �DS��c�;���-�w��ZX�[�D5����Y����6���;�+t��")AnX�9EN3l��'�r�< �}d|D�O�����Q�U>*J�
�A4Z>�2TbXg��N��F��I�H���h7]=�{5�M^�WpJ�P4~�����7�lL�z\�Q�����g�#o�u����e����P����o	��l&�f�RM9Y]��������P���
��g:5�!}K������_,�~�[��	�O���T�]�/����y:���x���"�
��}�%�6C<-q�'�p#��C�L�@
��^����m�^Nv`8H2�IKB4x{a�2[�������sE����BQ�����n%��A���qy�����fL�f!�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.<strong>ERROR</strong>: %sA Smoother ExperienceA block for entering a link name and a custom URL.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!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBlock :: My Test BlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.FancyFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesMy Test BlockNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NormalNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeURLUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttps://www.advancedcustomfields.comidis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.8.2
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-08-02 20:54-0400
PO-Revision-Date: 2019-08-02 21:08-0400
Last-Translator: Berenger Zyla <hello@berengerzyla.com>
Language-Team: Bérenger Zyla <hello@berengerzyla.com>
Language: fr_CA
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n > 1);
X-Generator: Poedit 2.2.3
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d champs requièrent votre attention%s ajouté%s existe déjà%s requiert au moins %s sélection%s requiert au moins %s sélectionsLa valeur %s est requise(aucun label)(sans titre)(ce champ)+ Ajouter un champ1 champ requiert votre attention<b>Erreur</b>. Impossible d'authentifier la mise-à-jour. Merci d'essayer à nouveau et si le problème persiste, désactivez et réactivez votre licence ACF PRO.<b>Erreur</b>. Impossible de joindre le serveur<b>Sélectionnez</b> les champs que vous souhaitez <b>masquer</b> sur la page d‘édition.<strong>ERREUR</strong> : %sUne expérience plus fluideUn bloc pour saisir un nom de lien et une URL.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!AccordéonActiver votre licenceActifActif <span class="count">(%s)</span>Actifs <span class="count">(%s)</span>AjouterAjouter un choix « autre » pour autoriser une valeur personnaliséeAjouter / ModifierAjouter un fichierAjouter une imageAjouter l'image à la galerieAjouterAjouter un champAjouter un nouveau groupe de champsAjouter une nouvelle mise-en-formeAjouter un élémentAjouter une mise-en-formeAjouter un choixAjouter un élémentAjouter une règleAjouter à la galerieModules d’extensionAdvanced Custom FieldsAdvanced Custom Fields PROTousTous les formats %sLes 4 modules d’extension premium (répéteur, galerie, contenu flexible et pages d'options) ont été combinés en une toute nouvelle <a href="%s">version PRO d'ACF</a>. Avec des licences personnelles et développeur disponibles, les fonctionnalités premium sont encore plus accessibles que jamais!Tous les champs du groupe %sToutes les imagesTous les types de publicationToutes les taxonomiesTous les rôles utilisateursPermettre l’ajout de valeurs personnaliséesAfficher les pages d’archivesAutoriser une valeur personnaliséePermettre l'affichage du code HTML à l'écran au lieu de l'interpréterAutoriser une valeur vide?Autoriser la création de nouveaux termes pendant l'éditionPermettre à cet accordéon de s'ouvrir sans refermer les autres.Types de fichiers autorisésTexte alternatifApparenceApparait après le champApparait avant le champValeur donnée lors de la création d’un nouvel articleApparait dans le champSuffixeAjouter à la finAppliquerArchivesÊtes-vous sûr(e)?Fichier attachéAuteurAjouter &lt;br&gt; automatiquementAjouter des paragraphes automatiquementRetour aux outilsCommunSous les champsSous les intitulésDe meilleurs formulaires côté publicMeilleure validationBlocBloc :: Mon bloc de testLes deux (tableau)Les imports et exports de données d'ACF sont encore plus simples à réaliser via notre nouvelle page d'outils.Actions groupéesActions de groupeGroupe de boutonsIntitulé du boutonAnnulerLégendeCatégoriesCentrePosition initiale du centre de la carteListe des modificationsLimite de caractèresVérifier à nouveauCase à cocherCochéPage enfant (avec parent)ChoixChoixEffacerEffacer la positionCliquez sur le bouton « %s » ci-dessous pour créer votre première mise-en-formeCliquez pour initialiser TinyMCECliquer pour intervertirChamp CloneFermerFermer le champFermer la fenêtreMasquer les détailsRepliéSélecteur de couleurExtensions autorisées séparées par une virgule. Laissez vide pour autoriser toutes les extensionsCommentaireCommentairesLogique conditionnelleLier les termes sélectionnés à l'articleContenuÉditeur de contenuComment sont interprétés les sauts de lignesCopiéCopier dans le presse-papiersCréer des termesCréez une série de règles pour déterminer les écrans sur lesquels ce groupe de champs sera utiliséCouleur actuelleUtilisateur courantRôle de l’utilisateur courantVersion installéeACFPersonnalisé :Personnalisez WordPress avec des champs intuitifs, puissants et professionnels.Hauteur de la carteMise-à-jour de la base de données nécessaireMise à niveau de la base de données effectuée. <a href="%s">Retourner au panneau d'administration du réseau</a>Mise à niveau de la base de données terminée. <a href="%s">Consulter les nouveautés</a>Sélecteur de dateValiderAujourd’huiSuiv.Préc.Sem.Sélecteur de date et heureAMAValiderMaintenantHeureMicrosecondeMillisecondeMinutePMPSecondeSélectionnerChoisir l’heureHeureFuseau horaireDésactiver la licenceValeur par défautModèle de baseValeur par défautDéfinir comme extrémité de l’accordéon précédent. Cet accordéon ne sera pas visible.Définit une extrémité pour fermer les précédents onglets. Cela va commencer un nouveau groupe d'onglets.Retarder l’initialisation?SupprimerSupprimer la mise-en-formeSupprimer ce champDescriptionDiscussionFormat d'affichageFormat d’affichageOuvrir l'accordéon au chargement de la page.Affiche le texte à côté de la case à cocherDocumentationTélécharger & installerFaites glisser pour réorganiserDupliquerDupliquer la mise-en-formeDupliquer ce champDupliquer cet élémentImport / Export FacileMise à niveau facileModifierModifier le champModifier le groupe de champsModifier le fichierModifier l'imageModifier ce champModifier le groupe de champsÉlémentsElliot CondonAdresse courrielDimensionsExtrémitéEntrez l'URLIndiquez une valeur par ligne.Entrez chaque valeur par défaut sur une nouvelle ligneÉchec de l'import du fichier. Merci d’essayer à nouveauAfficher le code HTMLExtraitAfficher les détailsExporter les groupes de champsExporter le fichierUn groupe de champ a été exporté.%s groupes de champs ont été exportés.ÉlaboréImage à la UneChampGroupe de champsGroupes de champsIdentifiants des champsTitre du champNom du champType de champGroupe de champs supprimé.Brouillon du groupe de champs mis à jour.Groupe de champs dupliqué.%s groupes de champs dupliqués.Groupe de champ publié.Groupe de champ enregistré.Groupe de champs programmé pour.De nouveaux réglages font leur apparition pour Actif, Emplacement du Label, Emplacement des Instructions et Description.Groupe de champ enregistré.Groupe de champs synchronisé.%s groupes de champs synchronisés.Veuillez indiquer un titre pour le groupe de champsGroupe de champs mis à jour.Le groupe de champs qui a l’ordre le plus petit sera affiché en premierCe type de champ n‘existe pasChampsLes champs peuvent désormais être intégrés dans les menus, éléments de menu, commentaires, widgets et tous les formulaires utilisateurs!FichierDonnées du fichier (tableau)ID du FichierURL du fichierNom du fichierTaille du fichierLe poids de l'image doit être d'au moins %s.Le poids de l'image ne doit pas dépasser %s.Le type de fichier doit être %s.Filtrer par type de publicationFiltrer par taxonomieFiltrer par rôleFiltresTrouver l'emplacement actuelContenu flexibleLe contenu flexible nécessite au moins une mise-en-formePour plus de contrôle, vous pouvez spécifier la valeur et le label de cette manière :La validation des formulaires est maintenant faite via PHP + AJAX au lieu d'être seulement faite en JS.FormatFormulairesInterface AmélioréePage d’accueilTaille originaleGalerieGénérer le PHPAu revoir modules d’extension. Bonjour ACF ProGoogle MapGroupeGroupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)Champ GroupeA n'importe quelle valeurN'a pas de valeurHauteurMasquerHaute (après le titre)HorizontalSi plusieurs groupes ACF sont présents sur une page d‘édition, le groupe portant le numéro le plus bas sera affiché en premierImageDonnées de l'image (tableau)ID de l‘imageURL de l‘imageL'image doit mesurer au moins %dpx de hauteur.L'image ne doit pas dépasser %dpx de hauteur.L'image doit mesurer au moins %dpx de largeur.L'image ne doit pas dépasser %dpx de largeur.Importer les groupes de champsImporter le fichierLe fichier à importer est videUn groupe de champs importé%s groupes de champs importésDonnées amélioréesDesign amélioréConvivialité amélioréeInactifInactif <span class="count">(%s)</span>Inactifs <span class="count">(%s)</span>ACF inclue désormais la librairie populaire Select2, qui améliore l'ergonomie et la vitesse sur plusieurs types de champs dont l'objet article, lien vers page, taxonomie, et sélection.Type de fichier incorrectInformationsInsérerInstalléEmplacement des instructionsInstructionsInstructions pour les auteurs. Affichées lors de la saisie du contenuDécouvrez ACF PROIl est fortement recommandé de faire une sauvegarde de votre base de données avant de continuer. Êtes-vous sûr de vouloir lancer la mise à niveau maintenant?IdentifiantIntituléEmplacement de l'intituléLes labels seront affichés en tant que %sGrandeVersion disponibleMise en pageLaisser vide ne pas donner de limiteAligné à gaucheLongueurMédiasInformations sur la licenceCode de licenceLimiter le choix dans la médiathèqueLienTableau de donnéesChamp LienURL du LienCharger les termesCharger une valeur depuis les termes de l’articleChargement en coursJSON LocalEmplacementConnectéPlusieurs champs ont reçu une refonte graphique pour qu'ACF apparaisse sous son plus beau jour! Les améliorations sont notamment visibles sur la galerie, le champ relationnel et le petit nouveau : oEmbed (champ de contenu embarqué)!MaxMaximumNombre maximum de mises-en-formeNombre maximal d'élémentsNombre maximumValeur maximaleMaximum d'articles sélectionnablesNombre maximal d'éléments atteint ({max} éléments)Nombre de sélections maximales atteintNombre maximal de valeurs atteint ({max} valeurs)MoyenMenuÉlément de menuEmplacement de menuMenusMessageMinMinimumNombre minimum de mises-en-formeNombre minimal d'élémentsNombre minimumValeur minimaleMinimum d'articles sélectionnablesNombre minimal d'éléments atteint ({min} éléments)Plus d'AJAXEncore plus de PersonnalisationPlus de champs utilisent maintenant la recherche via AJAX afin d'améliorer le temps de chargement des pages.DéplacerDéplacement effectué.Déplacer le champ personnaliséDéplacer le champDéplacer le champ dans un autre groupeMettre à la corbeille. Êtes-vous sûr?Champs amoviblesSélecteur multipleOuverture multipleValeurs multiplesMon bloc de testNomTexteNouvelles FonctionnalitésNouveau champNouveau groupe de champsNouveaux Emplacements de ChampsNouvelles lignesDe nouveaux filtres et actions PHP (et JS) ont été ajoutés afin de vous permettre plus de personnalisation.Nouveaux ParamètresLa nouvelle fonctionnalité d'export automatique en JSON améliore la rapidité et simplifie la synchronisation.La nouvelle fonctionnalité de Groupe de Champ vous permet de déplacer un champ entre différents groupes et parents.NonAucun groupe de champs trouvé pour cette page d’options. <a href="%s">Créer un groupe de champs</a>Aucun groupe de champs trouvéAucun groupe de champs trouvé dans la corbeilleAucun champ trouvéAucun champ trouvé dans la corbeillePas de formatageAucun groupe de champs sélectionnéAucun champ. Cliquez sur le bouton <strong>+ Ajouter un champ</strong> pour créer votre premier champ.Aucun fichier sélectionnéAucune image sélectionnéeAucun résultatAucune page d'option n’existePas de %sAucun champ de sélection disponibleAucune mise-à-jour disponible.NormalNormal (après le contenu)VideNombreTexte côté « Inactif »Texte côté « Actif »OuvertOuvrir dans un nouvel onglet/fenêtreOptionsPage d‘optionsOptions mises à joursOrdreOrdreAutrePageAttributs de pageLien vers page ou articlePage parenteModèle de pageType de pageParentPage parente (avec page(s) enfant)Mot de passePermalienTexte indicatifEmplacementVeuillez également vérifier que tous les modules d’extension premium (%s) soient à jour à leur dernière version disponible.Entrez votre clé de licence ci-dessus pour activer les mises-à-jourMerci de sélectionner au moins un site à mettre à niveau.Choisissez la destination de ce champPositionArticleCatégorieFormat d‘articleID de l'articleObjet ArticleStatut de l’articleTaxonomieModèle d’articleType de publicationArticle mis à jourPage des articlesNouvelles fonctionnalités surpuissantesPréfixer les labels de champsPréfixer les noms de champsPréfixeAjouter une case à cocher au début pour tout sélectionner/désélectionnerInsérer au débutTaille de prévisualisationProPublierBouton radioBoutons radioPlage de valeursEn savoir plus à propos des <a href="%s">fonctionnalités d’ACF PRO</a>.Lecture des instructions de mise à niveau…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!InscriptionRelationnelRelationEnleverRetirer la mise-en-formeRetirer l'élémentRéorganiserRéorganiser la mise-en-formeRépéteurRequis?RessourcesRestreindre l'import de fichiersRestreindre les images envoyéesLimitéFormat de retourValeur renvoyéeInverser l'ordre actuelExaminer les sites et mettre à niveauRévisionsRangéeLignesRèglesEnregistrer les valeurs personnalisées dans les choix du champsEnregistrer les valeurs personnalisées « autre » en tant que choixEnregistrer les valeurs personnaliséesEnregistrer le formatEnregistrer la valeur personnaliséeEnregistrer les termesSans contour (directement dans la page)Remplace ce champ par les champs sélectionnésRechercherRechercher des groupes de champsRechercher des champsChercher une adresse…Rechercher…Découvrez les nouveautés de la <a href="%s">version %s</a>.Choisir %sChoisir une couleurSélectionnez les groupes de champsSélectionner un fichierSélectionner une imageSélectionner un lienChoisir un sous champ à afficher lorsque l’élément est repliéAutoriser la sélection multiple?Sélectionnez un ou plusieurs champs à clonerChoisissez le type de publicationChoisissez la taxonomieSélectionnez le fichier JSON ACF que vous souhaitez importer et cliquez sur Importer. ACF importera les groupes de champs.Apparence de ce champSélectionnez les groupes de champs que vous souhaitez exporter puis choisissez la méthode d'export. Utilisez le bouton « télécharger » pour exporter un fichier JSON que vous pourrez importer dans une autre installation ACF. Utilisez le « générer » pour exporter le code PHP que vous pourrez ajouter à votre thème.Choisissez la taxonomie à afficherVeuillez retirer 1 caractèreVeuillez retirer %d caractèresVeuillez saisir au minimum 1 caractèreVeuillez saisir au minimum %d caractèresÉchec du chargementChargement de résultats supplémentaires&hellip;Aucun résultat trouvéUn résultat est disponible, appuyez sur Entrée pour le sélectionner.%d résultats sont disponibles, utilisez les flèches haut et bas pour naviguer parmi les résultats.Recherche en cours&hellip;Vous ne pouvez sélectionner qu’un seul élémentVous ne pouvez sélectionner que %d élémentsLes éléments sélectionnés seront affichés dans chaque résultatLa sélection est supérieure àLa sélection est inférieure àEnvoyer des rétroliensSéparateurNiveau de zoom initialHauteur du champRéglagesAfficher les boutons d‘ajout de médias?Montrer ce groupe siMontrer ce champ siAffiché dans la liste des groupes de champsSur le côtéValeur uniqueUn seul mot, sans espace. Les « _ » et « - » sont autorisésSiteLe site est à jourLe site requiert une mise à niveau de la base données de %s à %sIdentifiant (slug)Désolé, ce navigateur ne prend pas en charge la géolocalisationRanger par date de modificationRanger par date d'importRanger par titrePourriel repéréSpécifier la valeur retournée dans le codeDéfinit le style utilisé pour générer le champ dupliquéStyle utilisé pour générer les champs sélectionnésDéfinit la valeur retournéeDéfinir où les nouveaux fichiers attachés sont ajoutésStandard (boîte WP)StatutPasStyleInterface styliséeSous-champsSuper AdministrateurSupportPasser en ÉditionPasser en PrévisualisationSynchroniserSynchronisation disponibleSynchroniser le groupe de champsOngletTableauOngletsMots-clésTaxonomieID du termeObjet TermeTexteZone de texteTexte brut seulementText affiché lorsque le bouton est actifTexte affiché lorsque le bouton est désactivéMerci de créer avec <a href="%s">ACF</a>.Merci d'avoir mis-à-jour %s v%s!Merci d'avoir mis à jour! ACF %s est plus performant que jamais. Nous espérons que vous l'apprécierez.Le champ %s a été déplacé dans le groupe %sLe champ Groupe permet de créer un groupe de champs en toute simplicité.Le champ Lien permet de sélectionner ou définir un lien en toute simplicité (URL, titre, cible).Les modifications seront perdues si vous quittez cette pageLe champ Clone vous permet de sélectionner et afficher des champs existants.Toute l'extension a été améliorée et inclut de nouveaux types de champs, réglages ainsi qu'un nouveau design!Le code suivant peut être utilisé pour enregistrer une version locale du/des groupe(s) de champs sélectionné(s). Un groupe de champ local apporte de nombreux bénéfices comme des temps de chargement plus rapide, la gestion de versions, ou des champs/paramètres dynamiques. Copiez-collez le code suivant dans le fichier functions.php de votre thème ou incluez-le depuis un autre fichier.Les sites suivants nécessites une mise à niveau de la base de données. Sélectionnez ceux que vous voulez mettre à jour et cliquez sur %s.Format affiché lors de l’édition d’un articleValeur retournée dans le codeLe format enregistréLe champ oEmbed vous permet d'embarquer des vidéos, des images, des tweets, de l'audio ou encore d'autres médias en toute simplicité.Le nom d’un champ ne peut pas commencer par « field_ »Ce champ ne peut pas être déplacé tant que ses modifications n'ont pas été enregistréesCe champ a une limite de {max} {label} {identifier}Ce champ requiert au moins {min} {label} {identifier}Ce nom apparaîtra sur la page d‘éditionCette version contient des améliorations de la base de données et nécessite une mise à niveau.MiniatureSélecteur d’heureTinyMCE ne sera pas initialisé avant que l’utilisateur clique sur le champTitrePour activer les mises-à-jour, veuillez entrer votre clé de licence sur la page <a href="%s">Mises-à-jour</a>. Si vous n’en avez pas, rendez-vous sur nos <a href="%s">détails & tarifs</a>.Pour débloquer les mises-à-jour, veuillez entrer votre clé de licence ci-dessous. Si vous n’en avez pas, rendez-vous sur nos <a href="%s" target="_blank">détails & tarifs</a>.Tout (dé)sélectionnerTout (dé)sélectionnerBarre d‘outilsOutilsPage de haut niveau (sans parent)Aligné en hautOui / NonTypeURLInconnuChamp inconnuGroupe de champ inconnuMise à jourMise-à-jour disponibleMettre à jour le fichierMettre à jourInformations concernant les mises-à-jourMettre-à-jour l’extensionMises-à-jourMise à niveau de la base de donnéesInformations de mise-à-niveauMettre à niveau les sitesMise à niveau terminée.Mise à niveau échouée.Migration des données vers la version %sLa mise à niveau vers ACF PRO est facile. Achetez simplement une licence en ligne et téléchargez l'extension!Liés à cet articleLié(s) à cet articleURLUtiliser AJAX pour charger les choix dynamiquement?UtilisateurTableauFormulaire utilisateurID de l'utilisateurObjetRôle utilisateurUtilisateur incapable d'ajouter un nouveau %sValider l’adresse courrielÉchec de la validationValidé avec succèsValeurLa valeur contientLa valeur est égale àLa valeur est supérieure àLa valeur est inférieure àLa valeur est différente deLa valeur correspond au modèleLa valeur doit être un nombreLa valeur doit être une URL valideLa valeur doit être être supérieure ou égale à %dLa valeur doit être inférieure ou égale à %dLa valeur ne doit pas dépasser %d caractèresLes valeurs seront enregistrées en tant que %sVerticalVoir le champVoir le groupe de champsEst dans l’interface d’administrationEst dans le siteVisuelVisuel & Texte brutVisuel seulementNous avons également écrit un <a href="%s">guide de mise à niveau</a> pour répondre aux questions habituelles, mais si vous avez une question spécifique, veuillez contacter notre équipe de support via le <a href="%s">support technique</a>.Nous pensons que vous allez adorer les nouveautés de la version %s.Nous avons changé la façon dont les fonctionnalités premium sont délivrées!Site webLa semaine commencent leBienvenue sur Advanced Custom FieldsNouveautésWidgetLargeurAttributs du conteneurÉditeur WYSIWYGOuiZoomacf_form() peut maintenant créer un nouvel article lors de la soumission et propose de nombreux réglages.etclassecopiehttps://www.advancedcustomfields.comidest égal àn‘est pas égal àjQuerymise-en-formemises-en-formemises-en-formeCloneSélectionoEmbedChamp de Contenu Embarqué (oEmbed)ourouge : RougeModifierChoisirMettre à jourlargeur{available} {label} {identifier} disponible (max {max}){required} {label} {identifier} requis (min {min})PK�
�[���Ġ���lang/acf-zh_TW.monu�[��������)(8)8E8N8D`8�8
�8
�8�8�8�8z909=�9�9	:�:	�:�:�:M�:4;-8;
f;q;	z;�;�;
�;�;�;�;
�;�;�;�;<<1<L<P<�_<7=
V=a=p==!�=�=�=A�=>,>4L>�>�>
�>�>�> �>�>??,?2?
;?
I?T?[?x?�?�?�?�?�?�?�?�?C@G@T@a@n@{@�@
�@�@�@	�@�@�@�@�@�@A	AAA9&A`A|A�A�A�A�A�A	�A�A/�ABB B"2BUB]B#lB�B�B�B[�B
C C-C?C
OC]CEeC�C�CG�C:&DaDmD �D�D�D�DEE!2E"TE#wE!�E,�E,�E%F=F![F%}F%�F-�F!�F*GDGWG_G
pGZ~GV�G0HFH
MH[HhH
tHH�H,�H$�H
�H�H	II!I1IEIZIiI
nIyI	�I
�I
�I�I�I
�I�I
�I�I	�I �I&J&>JeJqJyJ�J�J1�J�J�J�J�J
KK
K
*K5KJK3eK�K�K�Ki�KHL7_L�L�L1�L�LMTMrM
wM�M�M	�M	�M�M"�M�M�MN&N5N=NSN+dNC�N@�NOO"O
+O	6O@OHOUO
pO{O=�O�O
�O�O�O�O�O
P�P�P�P�P	�P#�P"�P"
Q!0QRQfQrQ/�Q
�Q�Q�Q�QQ�Q�@R�R�R�RSS4%SZSynS�S�S�ST!T'T6T=TVTcTjTrT�T�T�T
�T
�T�T
�T�T�T
UU	U�"U�U�U�U�U�U
�U
V!V<V'VV~V�V	�V�V�V�V�V�V�V�V�V
�V
�V!W	*W4W=GW�W�W�W
�W�W�W
�W�W
XX'X1,X^X	kXuX�X	�XU�X�XMYRSY�Y`�Y
Z Z?ZOZ
hZvZT�Z�Z�Z[[/[>[Y[o[�[�[�[�[�[�[�[�[�[�[	�[�[�[\	\\
(\	6\@\G\b\	k\u\	�\M�\5�\+],@]m]v]
{]�]�]�]�]
�]
�]	�]�]
�]�]^^,^/4^d^}^�^�^�^
�^�^2�^�^�_�_
�_�_�_
�_
�_�_�_`	`	`$ `%E`
k`
v`�`�`�`	�`�`�`�`+�`*a.a:a
Fa
Qa\a3ra�a�a
�a�a	�a.�a	b(b5bIbUbbb0nb�b+�b�b�b�c#�c�c#�d5�d7!e>Ye?�e#�e1�e%.fGTfV�f&�f:g<Ug2�g�g�g�g	hh+hDhMhhh�h�h�h�h6�h�h�h,i<i0Airi�i
�i
�i'�i0�i4jHj'cj�j�j	�j�j�j
�j�j�j�j�jk	kk0k4k:k?kDkMkUkak	fk	pkzk�k1�k!�kZ�k3YlB�lU�lE&mAlmZ�mA	n^Ko(�o*�o#�o^"p@�p<�p4�p74q3lqL�q	�q�q6r:r�@r��rs
�s�s�s�s�s�s�s�s
�s�st	tt&t3t
FtTt\tmt
|t�t�t�tW�t!u2uHuLuku
pu	{u�u�u	�u�u�u�u�u�u�u	vv1vDvZvpv�v(�v'�v#�vw1w
:wEwVwgwyw
�w�w��w'?xMgx�x�x!�x
�x�xyyy(y,yM1yy�y�y$�y�y�y�y�y�y�y
�y�yzzz	z	(z2z>zJz6Pz4�z%�z�}�}~~2~B~N~Z~f~s~p�~/�~;,h���+�8�E�&L�s�,z�
����€π�����	�&�3�	@�J�Z�g�~��������"_���������Ȃ���B�O�$e�0����уރ���6�O�V�c�j�q�����������̈́Ԅ�����61�h�u���������������˅؅�	������&�-�4�*A�l�������������҆ن9�#�*�1�>�]�d�t�	������B������-�:�	G�@Q�����7��7�+�;�B�	I�	S�]�d�z�������������������������ȉω։	��	��K�QP�������Ɋ֊݊��6��/�N�U�b�i�v�����������ˋދ�����
�-�:�G�N�[�w�$����Čˌތ����+�2�?�L�Y�f�s�������э���K�b�{�����-ώ���c�~�����	��������$Տ���+�>�	Q�[�n�${�B��-���	�)�0�=�
D�O�
k�y�9����Ǒݑ���������������ʒ�$	�.�N�a�n���������	˓)Փ�����������ǔ<Δ
�a�{��������������ӕڕ�������)�6�C�P�	l�v���	�����%�,�3�@�M�	Z�d� t�����ɗ͗ԗ�������
��$�	1�;� K�l�x�<��˜ɘ٘����+�8�	?�I�P�W�	^�	h�r�����T��	�?��Q;���V���$�&�$9�	^�h�J��̛ߛ��	�%�A�Z�v�z�����������ÜМ�������	��#�0�=�D�]�d�	q�{�<��3��*�*�I�P�W�d�	q�{�����������	Ϟٞ����3�J�Z�j�n�u�	����9��͟��q�x������	��	����	��Ƞՠܠ����	(�2�E�[�b�f�j�)q�3��ϡܡ����*�B�I�\�i�	y�4��	��¢Ϣ����6	�@�*Y�����{��#��<�4�P�f�}�����ɥ�1��6)�`�r���*��Ӧ������8�!?�a�������	ŧ6ϧ�
�&�F�6M���������٨!�'�<�O�n���������	����ʩѩ��	�����#�*�	1�;�D�Q�X�e�l���+��Īp�1R�0��F��9��66�Km�.��W�$@�!e���R��6��*0�0[�3����6߯	� �20�c��j��	�����	��ű̱�������(�/�<�I�V�c�p�w�����������U۲1�D�]�#d�����������̳ܳ����"�)�9�I�Y�i�|���!��ʹ���3�:�G�Z�g�t�{�	�����11�Hc�����ö�	������&�*�V1�������$������	Ƿѷط߷���
��	�	
���%�,�63�5j�[��QPm~��>-Z�5��	##���n@�GPVq�E6r&���_5a����@YkZ-Q�LSK�'Y��f�����M����4�(��x��${��4(�d��)3k] f\��.%���mN,����:�3e�b
������7�a;prb\#�I����D
���1�hh+��*�7���[M��s���|�d��p�������sPk@�"�9�'���t���i.w��gO?���Ej%���"��Hn/Ogy*�V^"(����)�o
��A�Xvc�Y2`�=�?Q��8�����<J��`�5���+�n�xWR�X�>3�����S�{��0�z�9�%q��!;gO�1CH+e}!�o�6�v]uB�I��|��N�R6$By�92T<}0K_Ud��F��>��C�B���a1T;��t/��EU�TmD�J.u�����/�i
D�sS�K�����^�f�l�|�b���zG����l	�~c �_�LG7VW������������x
��`2-��zC�������\&�&�R���M���N�Z�)����v8��q	���!���t}w�4A:'h�=�i���
F8��X����j�[Lo0F,�AI:,ur^W*U���w��~l=����<H����ye$��?�{jp�����]J�c �%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.<strong>ERROR</strong>: %sA Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initialized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttps://www.advancedcustomfields.comidis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.8.7
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2020-02-13 17:09+0800
PO-Revision-Date: 2020-02-14 12:13+0800
Last-Translator: Audi Lu <mrmu@mrmu.com.tw>
Language-Team: Audi Lu <mrmu@mrmu.com.tw>
Language: zh_TW
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 2.1.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=1; plural=0;
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d 個欄位需要注意%s 已新增%s 已經存在%s 需要至少 %s 選擇%s 值為必填(無標籤)(無標題)(此欄位)新增欄位1 個欄位需要注意<b>錯誤</b>。無法對更新包進行驗證。請再次檢查或停用並重新啟動您的 ACF PRO 授權。<b>錯誤</b>。 無法連接到更新伺服器<b>選擇</b>需要在編輯畫面<b>隱藏</b>的項目。<strong>錯誤</strong>: %s更順暢的體驗ACF PRO包含強大的功能,例如可重複資料,彈性內容排版,漂亮的相簿欄位以及建立額外管理選項頁面的功能!收合容器啟用授權啟用啟用 <span class="count">(%s)</span>加入新增 ‘其他’ 選擇以允許自訂值新增/編輯新增檔案新增圖片新增圖片到相簿新建新增欄位新增欄位群組新增新排版新增列新增排版新增選項新增列新增規則組加到相簿Advanced Custom FieldsAdvanced Custom Fields PRO所有所有 %s 格式所有 4 個優質 Add-on 擴充元件已被合併成一個新的<a href="%s">ACF 的專業版</a>。提供個人和開發者授權,價格比以往任何時候更實惠!所有欄位來自 %s 欄位群組所有圖片所有文章類型所有分類法所有使用者角色允許加入 ‘自訂’ 值允許文章彙整網址允許自訂允許 HTML 標記顯示為可見文字而不是顯示繪製結果是否允許空值?允許在編輯時建立新的字詞允許此收合容器打開而不關閉其他。允許的檔案類型替代文字外觀出現在輸入欄位後面出現在輸入欄位之前建立新文章時出現出現在輸入欄位中後綴附加在後套用彙整你確定嗎?附件作者自動加入 &lt;br&gt;自動增加段落返回所有工具基本下面的欄位欄位標籤更好的前端表單更好的驗證區塊兩者(陣列)匯入 / 匯出可通過新工具頁面輕鬆完成。批次動作批次操作按鈕群組按鈕標籤取消標題類別中間置中初始地圖更新日誌字元限制更檢查一次複選框已選子頁(有父分類)選項選項清除清除位置點擊下方的 "%s" 按鈕以新增設定點擊初始化 TinyMCE點擊切換分身欄位關閉關閉欄位關閉視窗收合詳細資料收合顏色選擇器請以逗號分隔列出。留白表示允許所有類型留言留言條件邏輯連結選擇的字詞到文章內容內容編輯器控制如何呈現新行已複製複製到剪貼簿建立字詞建立一組規則以確定自訂欄位在哪些編輯介面顯示目前顏色目前使用者目前使用者角色目前版本自訂欄位自訂:使用專業直覺且功能強大的欄位來客製 WordPress。自訂地圖高度資料庫需要升級資料庫更新完成<a href="%s"> 返回控制台 </a>資料庫更新完成<a href="%s"> 查看新內容 </a>日期選擇器完成今天下一個上一個星期日期時間選擇器上午A完成目前時微秒毫秒分下午P秒選擇選擇時間時間時區停用授權預設值預設模版預設值定義一個前收合容器停止的端點。此收合容器將不可見。定義上一個頁籤要停止的端點。這將開始一組新的頁籤群組。延遲初始化?刪除刪除排版刪除欄位描述討論顯示顯示格式將此收合容器顯示為在頁面載入時打開。在複選框旁邊顯示文字文件拖曳排序複製複製排版複製欄位複製此項目輕鬆 匯入 / 匯出輕鬆升級編輯編輯欄位編輯欄位群組編輯檔案編輯圖片編輯欄位編輯欄位群組元素Elliot Condon電子郵件嵌入大小端點輸入網址每行輸入一個選項。每行輸入一個預設值檔案上傳錯誤。請再試一次跳脫 HTML摘要展開詳細資料匯出欄位群組匯出檔案已匯出 %s 個欄位群組。特色圖片欄位欄位群組欄位群組欄位鍵值欄位標籤欄位名稱欄位類型欄位群組已刪除。欄位群組草稿已更新。%s 欄位群組重複。欄位群組已發佈。設定已儲存。欄位群組已排程。欄位群組設定加入了啟用、標籤位置、說明位置及描述。欄位群組已提交。%s 欄位群組已同步。欄位群組的標題為必填欄位群組已更新。順序編號較小的欄位群組會先顯示欄位類型不存在欄位欄位現在可以被對應到選單、選單項目、留言、小工具及所有使用者表單!檔案檔案陣列檔案ID檔案URL檔名檔案容量檔案大小至少是 %s。檔案大小最大不能超過 %s。檔案類型必須是%s。以文章型別篩選以分類法篩選根據角色篩選篩選器搜尋目前位置彈性內容彈性內容需要至少 1 個排版為了更好掌控,你要同時指定一個值和標籤就像:表單驗證現在通過 PHP + AJAX 完成。格式表單全新 UI首頁完整尺寸相簿產出 PHP再見 Add-ons。PRO 您好Google 地圖群組群組(顯示該欄位內群組中被選定的欄位)群組欄位含有任何設定值不含設定值高隱藏元素高 (位於標題後面)水平如果多個欄位群組出現在編輯畫面,只有第一個自訂欄位群組的選項會被使用(排序最小的號碼)圖片圖片陣列圖片ID圖片網址圖片高度必須至少 %dpx.圖片高度不得超過%dpx。圖片寬度必須至少為 %d px。圖片寬度不得超過%dpx。匯入欄位群組匯入檔案匯入的檔案是空的匯入 %s 欄位群組改進資料改進的設計改進可用性未禁用未啟用 <span class="count">(%s)</span>引入流行的 Select2 函式庫提升了多種欄位類型的可用性和速度,包括文章物件、頁面連結、分類法和選擇控制項。檔案類型不正確資訊插入說明位置說明顯示給作者的說明文字。會在送出資料時顯示ACF PRO介绍我們強烈建議您在繼續操作之前備份你的資料庫。您確定要立即執行更新?鍵標籤標籤位置標籤將顯示為%s大最新版本樣式留白為無限制置左長度庫授權資訊授權金鑰限制媒體庫選擇鏈結鏈結陣列鏈結欄位鏈結網址載入字詞從文章字詞載入數值載入中本機 JSON位置已登入許多欄位都經過了視覺更新,使 ACF 看起來比以前更好!在圖庫、關係和 oEmbed (新) 欄位上可看到顯著的變化!最大最大最多排版最大行數最大選擇最大值最大文章數已達最大行數 ( {max} 行 )已達到最大選擇已達最大值 ( {max} 值 )中選單選單項目選單位置選單訊息最小最小最少排版最小行數最小選擇最小值最少的文章已達最小行數 ( {min} 行 )更多 AJAX更多自訂更多欄位使用 AJAX 搜尋來加快頁面載入速度。移動完成搬移。移動自訂欄位移動欄位將欄位移到其它群组確定要刪除嗎?移動欄位多選多擴展多選名稱文字新功能新欄位新增欄位群組新表單位置新行加入了新的 PHP ( 和 JS ) 的 actions 和 filters,方便進行更多客製。新設定新的自動匯出 JSON 功能改善了速度並允許同步。新的欄位群組功能,允許您在群組和上層群組之間移動欄位。否此設定頁沒有自訂欄位群組。<a href="%s">建立一個自訂欄位群組</a>沒有找到欄位群組回收桶裡沒有找到欄位群組沒有找到欄位回收桶中沒有找到欄位群組無格式尚未選擇欄位群組沒有欄位,點擊<strong>新增</strong>按鈕建立第一個欄位。沒有選擇檔案沒有選擇圖片找不到符合的設定頁面不存在沒有 %s沒有可用的條件欄位沒有可用的更新。正常 (位於內容後面)空數字關閉用字啟動用字開啟於新視窗/分頁開啟選項設定頁面選項已更新順序排序其他頁面頁面屬性頁面連結父級頁面頁面模版頁面類型上層父頁(有子分類)密碼固定連結佔位字位置請檢查所有高級項目 (%s) 均更新至最新版本。請於上方輸入你的授權金鑰以解鎖更新請至少選擇一個要升級的站點。請選取這個欄位的目標欄位群組位置文章文章類別文章格式文章 ID文章物件文章狀態文章分類法文章模版文章類型文章已更新文章頁強大的功能前置欄位標籤前置欄位名稱前置前置一個額外的核選框以切換所有選擇插入至最前預覽圖大小Pro發佈單選按鈕單選框範圍了解更多關於<a href=\"%s\">ACF PRO的功能</a> 。正在讀取更新任務...重新設計資料架構使子欄位能夠獨立於父欄位而存在。這允許您在父欄位裡將欄位拖放至外層或內層!註冊關係關係刪除移除排版移除列重排序重排序排版重複器必填嗎?資源限制檔案上傳類型限制哪些圖片可以上傳受限回傳格式返回值反向目前順序檢查網站和升級版本行行規則儲存 ‘自訂’ 值到欄位的選項將 ’其他’ 值儲存到該欄位的選項中儲存自訂儲存格式儲存其它儲存字詞連續 (no metabox)無縫(用選定欄位取代此欄位)搜尋搜尋欄位群組搜尋欄位搜尋地址...搜尋...了解 <a href="%s"> %s 版本</a>新增的功能。選擇 %s選擇顏色選取欄位群組選擇檔案選擇圖片選擇鏈結選取一個子欄位,讓它在行列收合時顯示是否選擇多個值?選取一或多個你希望複製的欄位選取內容類型選取分類法選取你想匯入的 Advanced Custom Fields JSON 檔案。當你點擊下方匯入按鈕時,ACF 將匯入欄位群組。選擇此欄位的外觀選擇你想匯出的欄位群組,再選擇匯出方式。使用匯出檔案將匯出一個 .json 檔,讓你可以在其他安裝 ACF 的站台匯入設定。使用產出 PHP 按鈕將會匯出 PHP 程式碼,以便置入你的佈景之中。選擇要顯示的分類法請刪除 1 個字元請刪除 %d 個字元請輸入 1 個或更多字元請輸入 %d 個或更多字元載入失敗載入更多結果&hellip;找不到符合的有一個結果可用。請按 enter 選擇它。%d 個可用結果,請使用上下鍵進行導覽。搜尋中&hellip;你只能夠選 1 個項目你只能選 %d 個項目選擇的元素將在每個結果中顯示選擇大於選擇少於發送 Trackbacks分隔設定初始縮放層級設定文字區域高度設定是否顯示媒體上傳按鈕?顯示此欄位群組的條件顯示此欄位群組的條件在欄位群組列表中顯示邊欄單個值單字元串不能有空格,可使用橫線或底線網站網站已是最新版本網站需要從 %s 升級到 %s別名很抱歉,使用中的瀏覽器不支援地理位置依修改日期排序依上傳日期排序依標題排序已檢測到垃圾郵件在前端指定回傳值指定繪製分身欄位的樣式指定用於呈現選定欄位的樣式指定回傳的值指定新附件加入的位置標準 (WP metabox)狀態數值增減幅度樣式程式化 UI子欄位超級使用者支援切換至編輯切換至預覽同步可同步同步欄位群組頁籤表格頁籤標籤分類法內容ID對象緩存文字文字區域文字啟用時顯示文字停用時顯示文字感謝您使用 <a href=“%s”>ACF</a>。感謝您更新至 %s v%s!感謝你完成更新!ACF %s 版比之前版本有更大更多的改進,開發團隊希望你會喜歡它。%s 欄位現在可以在 %s 欄位群組中找到群組欄位能簡單的建立欄位的群組。鏈結欄位能簡單的選擇或定義鏈結 (url, title, target) 。如果您離開這個頁面,您所做的變更將遺失分身欄位能讓你選擇並顯示現有的欄位。整體外掛翻新了介面,包括新的欄位類型,設定和設計!以下程式碼可用於註冊所選欄位群組的本機版本。本機的欄位群組可以提供許多好處,例如更快的載入時間、版本控制和動態欄位/設定。 只需將以下程式碼複製並貼到佈景主題的 functions.php 文件中,或將它自外部文件包含進來。以下站台需要進行資料庫更新。檢查要更新的內容,然後點擊 %s。編輯文章時顯示的時間格式透過模板函式回傳的格式儲存數值時使用的格式oEmbed 欄位能簡單的嵌入影片、圖片、推文、音檔和其他內容。"field_" 這個字串不能用在欄位名稱的開頭在儲存變更之前,欄位無法搬移此欄位的限制為 {max} {label} {identifier}這個欄位至少需要 {min} {label} {identifier}在編輯介面顯示的名稱此版本包含對資料庫的改進,需要更新。縮略圖時間選擇器在按一下欄位之前,不會初始化 TinyMCE標題要啟用更新,請在<a href="%s">更新</a>頁面上輸入您的授權金鑰。 如果您沒有授權金鑰,請參閱<a href="%s">詳情和定價</a>。要解鎖更新服務,請於下方輸入您的授權金鑰。若你沒有授權金鑰,請查閱 <a href=“%s” target=“_blank”>詳情 & 價目</a>.切換切換全部工具條工具頂層頁(無父層)置頂真/假類型未知未知的欄位未知的欄位群組更新可用更新更新檔案更新圖片更新資訊更新外掛更新升級資料庫升級提醒升級網站更新完成。更新失敗。將資料升級至 %s 版升級到 ACF PRO 很容易。 只需在線購買許可授權並下載外掛即可!已上傳至文章已上傳到這篇文章網址使用 AJAX 去 lazy load 選擇?會員使用者陣列使用者表單使用者 ID使用者物件使用者角色使用者無法加入新的 %s驗證 Email驗證失敗驗證成功數值設定值包含設定值等於設定值大於設定值小於設定值不等於設定值符合模式值必須是一個數字填入值必須是合法的網址值必須等於或高於%d值必須等於或低於%d值不得超過 %d 字元值將被儲存為 %s垂直檢視欄位檢視欄位群組查看後端查看前端視覺視覺 & 文字僅視覺我們編寫了<a href="%s"> 升級指南 </a>來回答任何問題,如您有任何問題,請通過<a href="%s"> 服務台 </a>與支援小組聯絡。開發團隊希望您會喜愛 %s 版的變更。我們正在以令人興奮的方式改變提供高級功能的方式!網站每週開始於歡迎來到高級自訂欄位最新消息小工具寬包覆元素的屬性可視化編輯器是縮放acf_form() 現在可以在提交時創建一篇新文章,並附帶大量新設定。+類別複製https://www.advancedcustomfields.comid等於不等於jQuery排版排版分身選擇oEmbedoEmbed 欄位或red : 紅編輯選擇更新寬度{available} {label} {identifier} 可用 (最大 {max}){required} {label} {identifier} 需要 (最小 {min})PK�[������lang/acf-bg_BG.monu�[�������!H-I-e-n-6�-:�-D�-7.
L.W.c.0~.)�.=�.0/"H/�k/;0L0]0Md0�0-�0
�0�0	�011
1-1A1P1
X1c1k1z1�1�1'�1�1�1��1��2
]3h3w3�3A�3�3,�34
#4.4F4 _4�4�4�4
�4�4�4�4�4c�4_5l5y5�5�5�5�5�5�5
�5�56	6!616=6F6^6e6m6s69�6�6�6�6�6�6	�67/7C7K7T7"f7�7�7#�7�7[�7
-8;8H8Z8
j8Ex8�8�8G�899E9X9`9
q99
�9�9�9
�9�9�9�9�9	�9	::*:>:M:
R:]:	n:
x:
�:�:�:�:
�:	�:	�: �:&�:&;<;C;O;W;f;z;�;�;�;�;
�;�;
�;
�;�;< <;<R<e<R�<�<�<=%=1:=l=�=A�=�=
�=�=�=	�=�="><>R>f>y>�>�>�>+�>C�>?'?g?n?
t?	?�?�?�?
�?�?�?�?
�?�@�@�@�@	�@#�@"�@"�@!A8A.?AnA�A
�A�A�A��AgB{B	�B�B�B4�B�By�BpCvC�C�C�C�C�C�C�C�C�C
D
D)D
1D<DED	ND�XD�D�DEE"E
4E
BE!PErE'�E2�E�E�E�E�EFFF
1F
?F!MF'oF	�F<�F�F�F�F
GG+G
HGVGcGsG1xG	�G�G	�G�G	�GJ�G/H/<HNlH.�HQ�HQ<I�I`�I�IJ'J7J
PJ!^J�JT�J�J�JK"K9KTKjKoK�K�K�K�K�K�K	�K�K�K�K	�K�K
�K	LL
+L9L	BLLL	]L5gL,�L�L�L
�L�L�L�LM
M	 M*M
7MBMTM/\M�M�M�M
�M2�M�M�N�N
�N�N�N�N
�N
�NOOO	$O	.O$8O%]O
�O
�O�O�O�O	�O�O�O�O*�O
P
%P0PFPMP
aPoP	�P	�P�P�P�P�P0�PQQ-Q�=Q#�Q�Q#S2$SWSgS�S�S�S�S�S�STT-T2T6?TvT{T,�T�T�T0�TUU
4U
BU'PUxU�U	�U�U�U
�U�U�U�U�U�U	V
VVVV
&V4V<VHV	MV	WV!aVZ�V3�VEWAXW(�X*�X6�X@%YrfY<�Y,Z/CZ7sZ3�Z	�Z�Zk�Z[[
b[m[u[{[�[�[�[�[�[�[�[�[�[
\\\.\=\N\k\|\�\Q�\�\<]D]	I]	S]]]w]�]�]�](�]'�]!^
*^5^F^W^i^
p^~^��^'._MV_�_!�_
�_�_�_�_```2`K`O`W`]`b``�`�`�`�`�`�`�`	�`�`�`6�`4aKa1cd'�d �do�d�NeS�e/&fVf pf*�fP�fb
gbpgY�gI-hgwh�i&_j�j]�j�j�k)�k�k,�kB�k@l'Sl8{l)�l�l$�l m/=m&mm�m6�mj�m:En�n7�n��o#�p.�p!�p0�p[)q:�qg�q.(rWr)kr+�rP�rKs^s}s�s
�s7�s?�st�%t�tu(u.Gu"vu4�u�u�u�uv)vA>v �v,�v�v�v1�v
 w
+w6w6Kwq�w1�w&x$9x*^x&�x�x�xr�xEyVyiy^�y�y*�yK$z&pz��zg{{{1�{�{'�{z|L�|E�|�}�}*�}�}*~.>~m~$�~ �~�~�~$�~(
762n�$� �/�*�J�$a�3��$��2߀$�37�k�|�&������:�]�Yz�
Ԃ�
�*�57�Dm���̃Ճ�$�)�H�a�0z�J��7��8.�2g�4���υ4_�A��Qֆ2(�t[�-Ї��������׈���H�Nd�9��5�.#�"R�u�>��#��i�{O�uˋA�N�a�}��� ��9Ō���""�,E�r������&��"��#�k�qs�g�mM���lҐ3?�8s���ʑ)�C�V�s���,��̓k�VM������"��ÕЕ�W��S�`�m���>��&�^�g�z�������3З��,&�*S�%~�%��2ʙU��DS�g��[�\�i�|���*��(ś#�#�06�Sg�e��!��3�ם3�$"�$G�=l�E�� �4�%F�l�s��� ����џ������:����b���
��Ģ�����/9�Ai�$��6Ф�R%�/x����L�.k�.��:ɦB�1G�y�4����
Ƨ
ѧܧ2��.�5�
H�S�*d�$����"Ԩ��7�!G�i�v�2��ɩ|ܩFY�����,Ī&��5�&U�.|� ��8̫(�.�&H�so�*��%�;�IS�E��-��(�=�J�e�&z� ��¯*ۯ��5�ZD�b���/�E�+e�:��̱۱��c��b�&u�����+Dz �!�6�H�[�'t���&��oܳ8L�5��%����<Ƶ�$�g<�=��U�D8�}�Q��?�0"�=S�=��Ϻ�!��k���:��]λ,�6@�Zw�EҼ4�(M�v�B��+Ͻ��"�+�'4�\�%x�����,ؾ=�C�P�_�n�}�������
̿׿��F
��T�`4����'�R;�U��h��tM����k��;�<H�D��i��4�E��V��*(�$S�x�5����������	�$�(C�8l�2������1�08�'i�=��.��7��6��:�K��L���+��#�;<�%x�!��4��<��Z2�X������+�:D�&���"����D��D9��~�$�OC���������*�����h�����������������������"�	)�3�I�JZ�O��K�6<KX
�n������;�hB���P��\x�gI�e?��������/2��v�w8T9z�s����s�T������,"|����iU�[�o(	���F��
�:w��5��^b��x{���Pb��`�=+]]��Z*��!ul����.�C�B�v�8��%���N�?y�����h��A�m��-�E��f-������@~%�����lZ�e}��q�)����|_��;1�����kM�7�R��S9<j��z�'&���D�5q��Q���dSG�L���2u�d4c~�0V�3�cO���RM�>���>^Q�A�W�03����(����Dk�4NJ���	�)aY���j������U��m�
�:��`�6.�	�W���E"���1�=�\H�p#f���Ja/y}�������O�V��&@
����
7,�g��t��!������ �o� ��$p���'r
���X�LF���r$�����Y���G{t�n+i�H�#I�C����[����_*%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Date PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDiscussionDisplay FormatDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense KeyLimit the media library choiceLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPrepend an extra checkbox to toggle all choicesPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OtherSave TermsSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect a sub field to show when row is collapsedSelect multiple values?Select post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/idis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?width{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-06-27 15:36+1000
PO-Revision-Date: 2018-02-06 10:03+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Elliot Condon <e@elliotcondon.com>
Language: bg_BG
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
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
X-Poedit-SourceCharset: UTF-8
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d полета изискват вниманиеуспешно добавяне на %s%s вече съществува%s група полета беше дублирана.%s групи полета бяха дублирани.%s група полета беше синхронизирана.%s групи полета бяха синхронизирани.%s изисква поне %s избор%s изисква поне %s избора%s стойност е задължителна(без заглавие)+ Добавяне на поле1 поле изисква внимание<b>Грешка</b>. Неуспешно свързване със сървъра<b>Грешка</b>. Списъкът с добавки не може да бъде зареден<b>Изберете</b> елементи, които да <b>скриете</b> от екрана.Ново поле за вграждане на съдържание бе добавеноПо-удобна работа с потребителски полетаPRO версията съдържа мощни функции като повторяеми полета, гъвкави оформления на съдържанието, красиво поле за галерия и възможността да създавате допълнителни страници с опции в администрацията.Вече записваме настройките на полетата като индивидуални публикацииАктивиране на лицензАктивноАктивно <span class="count">(%s)</span>Активни <span class="count">(%s)</span>ДобавянеДобавяне на избор 'друго' като възможност за потребителските стойностиДобавяне / редактиранеДобавяне на файлДобавяне на изображениеДобавяне на изображение към галерияСъздаванеДобавяне на ново полеСъздаване на нова група полетаДобавяне на нов шаблонДобавяне на редСъздаване на шаблонДобавяне на редДобавяне на група правилаДобавяне към галерияДобавкиМодерни потребителски полетаМодерни потребителски полета - Обновяване на базата данниМодерни потребителски полета PROВсичкиВсички 4 платени добавки бяха обединени в една нова <a href="%s">PRO версия</a>. С наличните личен лиценз и този за разработчици, платената функционалност е по-достъпна от всякога!Всички полета след това "раздел поле" (или до следващото такова) ще бъдат групирани заедно в този раздел.Всички изображенияВсички типове публикацииВсички таксономииВсички потребителски ролиПозволяване на HTML-а да се показва като видим текстПозволяване на празна стойност?Позволяване нови термини да се създават при редактиранеПозволени файлови типовеВъншен видПоказва се след полетоПоказва се преди полетоПоявява се при създаване на нова публикацияПоказва се в полето при липса на стойностПоставяне в краяАрхивиФайлАвторАвтоматично добавяне на &lt;br&gt;Автоматично добавяне на параграфиОсновенПреди да започнете да използвате новите страхотни функции, моля обновете базата данни до последната версия.Под полетатаПод етикетитеПо-добри форми в сайтаПо-добри страници с опцииПо-добра валидацияПо-добър контрол на версиитеБлокГрупови действияЕтикет на бутонаКатегорииЦентриранеЦентриране на първоначалната картаДневник с промениМаксимален брой символиПроверкаОтметкаДете страница (има родител)ИзборОпцииИзчистванеИзчистване на местоположениеНатиснете бутона "%s" за да започнете да създавате вашия шаблонКликнете за да превключитеЗатварянеЗатваряне на полетоЗатваряне на прозорецаСвиване на детайлитеСвитИзбор на цвятСписък, разделен със запетаи. Оставете празно за всички типовеКоментарКоментариУсловна логикаСвързване на избраните термини към тази публикацияСъдържаниеРедактор на съдържаниеКонтролира как се извеждат новите редовеСъздаване на терминиСъздаване на група правила, определящи кои екрани за редактиране ще използват тези модерни потребителски полетаТекущ цвятТекущ потребителРоля на текущия потребителТекуща версияПотребителски полетаПерсонализирайте WordPress с мощни, професионални и интуитивни полета.Персонализиране на височината на картатаИзисква се обновяване на базата данниОбновяването на базата данни бе завършено. <a href="%s">Връщане към мрежовото табло</a>Избор на датаДеактивиране на лицензПо подразбиранеШаблон по подразбиранеСтойност по подразбиранеИзтриванеИзтриване на шаблонИзтриване на полеОписаниеДискусияФормат на показванеСваляне и инсталиранеСваляне на експортирания файлПлъзнете, за да пренаредитеДублиранеДублиране на шаблонДублиране на полеДублиране на този елементЛесно обновяванеРедактиранеРедактиране на полеРедактиране на група полетаРедактиране на файлРедактиране на изображениеРедактиране на полеРедактиране на група полетаЕлементиEmailРазмери за вгражданеКрайна точкаВъведете URL адресВъведете всяка опция на нов ред.Въведете всяка стойност по подразбиране на нов редГрешка при качване на файл. Моля, опитайте отновоГрешка.Изчистване на HTMLОткъсРазпъване на детайлитеЕкспортиране на групи полетаЕкспортиране на групите полета към PHPГлавна снимкаПолеГрупa полетаГрупи полетаКлючове на полетатаЕтикет на полетоИме на полетоТип на полетоГрупата полета бе изтрита.Черновата на групата полета бе обновена.Групата полета %s бе дублирана.Групата полета бе публикувана.Групата полета бе запазена.Групата полета бе планирана.Бяха добавени настройки на групите полета за поставяне на етикет и инструкцииГрупата полета бе изпратена.Групата полета %s бе синхронизирана.Заглавието на групата полета е задължителноГрупата полета бе обновена.Групите полета с по-малък пореден номер ще бъдат показани първиТипът поле не съществуваПолетаПолетата вече могат да бъдат закачени към коментари, джаджи и потребителските формуляри!ФайлМасив от файловеID на файлаURL на файлаРазмер на файлаРазмерът на файла трябва да бъде поне %s.Размерът на файла трябва да не надвишава %s.Типът на файла трябва да бъде %s.Филтриране по тип публикацияФилтриране по таксономияФилтриране по роляФилтриНамерете текущото местоположениеГъвкаво съдържаниеПолето за гъвкаво съдържание изисква поне 1 шаблон полетаЗа повече контрол, можете да уточните и стойност и етикет, например:Валидацията на формулярите вече се прави с PHP + AJAX вместо само с JSФорматФормуляриПърва страницаПълен размерГалерияГенериране на кодСбогом на добавките. Здравей, PROGoogle картаВисочинаСкриване от екранаВисоко (след заглавието)ХоризонталенАко множество групи полета са показани на екрана, опциите на първата група полета ще бъдат използвани (тази с най-малкия пореден номер)ИзображениеМасив от изображенияID на изображениетоURL на изображениетоВисочината на изображението трябва да бъде поне %d пиксела.Височината на изображението не трябва да надвишава %d пиксела.Ширината на изображението трябва да бъде поне %d пиксела.Ширината на изображението не трябва да надвишава %d пиксела.ИмпортиранеИмпортирането и експортирането вече използват JSON вместо XMLИмпортиране на групи полетаФайлът за импортиране е празенПодобрени данниПодобрен дизайнПодобрена ползваемостВключването на популярната библиотека Select2 подобри използването и скоростта на множество полета, включително обект-публикация, връзка към страница, таксономия и поле за избор.Грешен тип файлИнформацияИнсталираноПозиция на инструкциитеИнструкцииИнструкции за автори. Показват се когато се изпращат данниПредставяме Ви Модерни потребителски полета PROСилно Ви препоръчваме да архивирате вашата база данни преди да продължите. Сигурни ли сте, че искате да продължите с обновяването?ЕтикетПозиция на етикетаГолямаПоследна версияШаблонОставете празно за да премахнете ограничениетоОтлявоРазмерБиблиотекаЛицензионен ключОграничаване на избора на файловеЗареждане на терминиЗареждане на стойност от термините на публикациитеЗарежданеЛокален JSONНамиранеМестоположениеВлезли стеМного от полетата претърпяха визуални подобрения и сега изглеждат по-добре от всякога! Забележими промени могат да се видят по галерията, полето за връзка и oEmbed полето!МаксимумМаксимумМаксимален брой шаблониМаксимален брой редовеМаксимална селекцияМаксимална стойностМаксимален брой публикацииМаксималния брой редове бе достигнат ({max} реда)Максималния брой избори бе достигнатМаксималния брой стойности бе достигнат ( {min} стойности )Максималния лимит на {label} бе достигнат ({max} {identifier})СреднаСъобщениеМинимумМинимумМинимален брой шаблониМинимален брой редовеМинимална селекцияМинимална стойностМинимален брой публикацииМинималния брой редове бе достигнат ({min} реда)Минималния брой стойности бе достигнат ( {min} стойности )Повече AJAXОще повече полета използват AJAX-базирано търсене, за да ускорят зареждането на страницитеПреместванеПреместването бе завършено.Преместване на полеПреместване на полеПреместване на поле в друга групаПреместване в кошчето. Сигурни ли сте?Местене на полетаМножество избрани стойностиМножество стойностиИмеТекстовНово полеНова група полетаНови формуляриНова галерияНови редовеНови настройки на полето за връзка за 'Филтри' (търсене, тип публикация, таксономия)Нови настройкиНова група архиви в page_link полетоНовия автоматичен експорт към JSON позволява настройките на полетата да бъдат под контрол на версиитеНовия автоматичен експорт към JSON увеличава скоросттаНовата функционалност на групите полета Ви позволява да местите полета измежду групите и родителитеНовите функции за страници с опции позволяват създаването както на родителски страници, така и на страници-деца.НеНяма намерени групи полета за тази страница с опции. <a href="%s">Създаване на група полета</a>Няма открити групи полетаНяма открити групи полета в кошчетоНяма открити полетаНяма открити полета в кошчетоБез форматиранеНяма открито вграждане за посочения URL адрес.Няма избрани групи полетаНяма полета. Натиснете бутона <strong>+ Добавяне на поле</strong> за да създадете първото си поле.Няма избран файлНяма избрано изображениеНяма намерени съвпаденияНяма създадени страници с опцииНяма налични полета за превключванеНяма налични актуализации.НикакъвНормално (след съдържанието)НищоЧислоОпцииСтраница с опцииОпциите бяха актуализираниРедПореден №ДругоСтраницаАтрибути на страницатаВръзка към страницаСтраница родителШаблон на страницаТип страницаРодителска страница (има деца)Родителски полетаПаролаПостоянна връзкаТекст при липса на стойностПоложениеМоля въведете вашия лицензионен ключ за да отключите обновяваниятаМоля, изберете дестинация за това полеПозицияПубликацияКатегория на публикацияФормат на публикацияID на публикацияОбект-публикацияСтатус на публикацияТаксономия на публикацияВид на публикацияПубликацията бе актуализиранаСтраница с публикацииМощни функцииПоставяне в началотоПрибавете допълнителна отметка за да превключите всички опцииРазмер на визуализацияПубликуванеРадио бутонРадио бутониНаучете повече за <a href="%s">PRO функциите</a>.Прочитане на задачите за обновяване...Подобряването на архитектурата на данните позволи вложените полета да съществуват независимо от своите родители. Това позволява да ги местите извън родителите си!РегистрацияРелационенВръзкаПоле за връзкаПремахванеПремахване на шаблонПремахване на редПренарежданеПренареждане на шаблонПовторителЗадължително?РесурсиОграничаване какви файлове могат да бъдат качениОграничаване какви изображения могат да бъдат качениОграниченФормат на върнатите данниВърната стойностОбръщане на текущия редПреглед на сайтове и обновяванеРевизииРедРедовеПравилаЗапазване на стойностите 'друго' към опциите на полетоЗапазванеЗапазване на терминиБез WordPress кутияТърсенеТърсене на групи полетаТърсене на полетаТърсене на адрес...Търсене…Избор на %sИзбор на цвятИзбор на групи полетаИзбор на файлИзбор на изображениеИзберете вложено поле, което да се показва когато реда е свитИзбиране на няколко стойности?Изберете тип на публикациятаИзберете таксономияИзберете JSON файла, който искате да импортирате. Когато натиснете бутона за импортиране, групите полета ще бъдат импортирани.Избор на външния вид на това полеИзберете групите полета които искате да експортирате и после изберете желания метод. Използвайте бутона за сваляне за да създадете .json файл, които можете да импортирате в друга инсталация. Използвайте бутона за генериране за да експортирате към PHP код, които можете да поставите в темата си.Избор на таксономияИзбраните елементи ще бъдат показани във всеки резултатИзпращане на проследяващи връзкиЗадаване на ниво на първоначалното увеличениеЗадава височината на текстовото полеНастройкиПоказване на бутоните за качване на файлове?Показване на тази група полета акоПоказване на това поле акоПоказани в списъка с групи полетаПоказва се при въвеждане на данниСъседни полетаОтстраниЕдинична стойностЕдна дума, без интервали. Долни черти и тирета са позволениСайтСайтът няма нужда от обновяванеСайтът изисква обновяване на базата данни от %s до %sКратко имеПо-умни настройки на полетатаЗа съжаление този браузър не поддържа геолокацияСортиране по дата на последна промянаСортиране по дата на качванеСортиране по заглавиеОткрит спамУточнява върнатата стойност в сайтаСтандартен (WordPress кутия)СтатусРазмер на стъпкатаСтилСтилизиран интерфейсВложени полетаСупер администраторЗаменихме XML с JSONСинхронизацияНалична е синхронизацияСинхронизиране на групата полетаРазделТаблицаРазделиЕтикетиТаксономияТерминID на терминОбект-терминТекстТекстова областСамо текстовБлагодарим ви за обновяването към %s v%s!Благодарим, че обновихте! Модерни потребителски полета %s сега е по-голям и по-добър от всякога. Надяваме се че ще Ви хареса.Полето %s сега може да бъде открито в групата полета %sПромените, които сте направили, ще бъдат загубени ако излезете от тази страницаСледния код може да се използва, за да регистрирате локална версия на избраните групи полета. Локалната група полета може да помогне с по-бързо зареждане, контрол на версиите и динамични настройки. Просто копирайте и сложете кода във файла functions.php на темата си или го сложете във външен файл.Форматът, показан при редакция на публикацияФорматът, който се връща от шаблонните функцииПолето за галерия претърпя сериозни визуални подобренияНизът "field_" не може да бъде използван в началото на името на полеПолето за раздел ще се покаже грешно когато се добави към поле-повторител с табличен стил, или поле за гъвкаво съдържаниеТова поле не може да бъде преместено докато не го запазите.Това поле има лимит от {max} {identifier}Това поле изисква поне {min} {identifier}Това поле изисква поне {min} {label} {identifier}Това е името, което ще се покаже на страницата за редакцияКартинкаЗаглавиеЗа да направите обновяването лесно, <a href="%s">влезте в профила си</a> и вземете вашето безплатно PRO копие!ПревключванеПревключване на всичкиЛента с инструментиИнструментиГорно ниво страница (родител)ОтгореВярно / невярноТипПод капакаОбновяванеНалице е обновяванеАктуализация на файлаАктуализация на изображениетоИнформация за обновяванетоОбновяванеАктуализацииОбновяване на базата данниЗабележки за обновяванетоОбновяването завършиОбновяване на данните до версия %sПрикачени към публикацияПрикачени към тази публикацияUrlИзползвайте "Полета Раздел" за да организирате по-добре екраните за редактиране чрез групиране на полетата.Използване на AJAX за зареждане на опциите?Използване на това поле като крайна точка и започване на нова група разделиПотребителПотребителски формулярПотребителска роляПотребителят не може да добави %sПровалена валидацияУспешна валидацияСтойността трябва да е числоСтойността трябва да е валиден URLСтойността трябва да е равна на или по-голяма от %dСтойността трябва да е равна на или по-малка от %dВертикаленПреглед на полеПреглед на група полетаПреглеждане на администрациятаПреглеждане на сайтаВизуаленВизуален и текстовСамо визуаленСъщо така написахме <a href="%s">съветник по обновяването</a> за да отговорим на всякакви въпроси, но ако имате някакви други въпроси, моля свържете се с нашия отдел <a href="%s">Поддръжка</a>Смятаме, че ще харесате промените в %s.Променяме начина по който Ви предоставяме платената функционалност по вълнуващ начин!Седмицата започва сДобре дошли в Модерни потребителски полетаКакво новоДжаджaШиринаАтрибутиРедактор на съдържаниеДаУвеличаванеacf_form() вече може да създава нови публикации при изпращанеиизбранокласкопиранеhttp://www.elliotcondon.com/idе равно нане е равно наjQueryшаблоншаблониoEmbedилиred : Redпремахване?широчина{available} {label} {identifier} налични  (максимум  {max}){required} {label} {identifier} задължителни (минимум {min})PK�[KR壤��lang/acf-es_ES.ponu�[���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-06-27 15:35+1000\n"
"PO-Revision-Date: 2018-02-06 10:05+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Héctor Garrofé <info@hectorgarrofe.com>\n"
"Language: es_ES\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-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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:355 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Grupos de Campos"

#: acf.php:356
msgid "Field Group"
msgstr "Grupo de Campos"

#: acf.php:357 acf.php:389 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New"
msgstr "Añadir nuevo"

#: acf.php:358
msgid "Add New Field Group"
msgstr "Añadir nuevo Field Group"

#: acf.php:359
msgid "Edit Field Group"
msgstr "Editar Grupo de Campos"

#: acf.php:360
msgid "New Field Group"
msgstr "Nuevo Grupo de Campos"

#: acf.php:361
msgid "View Field Group"
msgstr "Ver Grupo de Campos"

#: acf.php:362
msgid "Search Field Groups"
msgstr "Buscar Grupo de Campos"

#: acf.php:363
msgid "No Field Groups found"
msgstr "No se han encontrado Grupos de Campos"

#: acf.php:364
msgid "No Field Groups found in Trash"
msgstr "No se han encontrado Grupos de Campos en la Papelera"

#: acf.php:387 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:857
msgid "Fields"
msgstr "Campos"

#: acf.php:388
msgid "Field"
msgstr "Campo"

#: acf.php:390
msgid "Add New Field"
msgstr "Agregar Nuevo Campo"

#: acf.php:391
msgid "Edit Field"
msgstr "Editar Campo"

#: acf.php:392 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Nuevo Campo"

#: acf.php:393
msgid "View Field"
msgstr "Ver Campo"

#: acf.php:394
msgid "Search Fields"
msgstr "Buscar Campos"

#: acf.php:395
msgid "No Fields found"
msgstr "No se encontraron campos"

#: acf.php:396
msgid "No Fields found in Trash"
msgstr "No se encontraron Campos en Papelera"

#: acf.php:435 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inactivo"

#: acf.php:440
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Activo <span class=\"count\">(%s)</span>"
msgstr[1] "Activos <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Grupo de campos actualizado."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Grupo de campos eliminado."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Grupo de campos publicado."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Grupo de campos guardado."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Grupo de campos enviado."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Grupo de Campos programado."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Borrador del Grupo de Campos actualizado."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Ubicación"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Ajustes"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Mover a papelera. Estás seguro?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "Chequeado"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "No hay campos de conmutación disponibles"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "El título del grupo de campos es requerido"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:732
msgid "copy"
msgstr "copiar"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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:3970
msgid "or"
msgstr "o"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Campos Padre"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Campos de mismo nivel"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Mover Campo Personalizado"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Este campo no puede ser movido hasta que sus cambios se hayan guardado"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Vacío"

#: includes/admin/admin-field-group.php:281 includes/input.php:257
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Los cambios que has realizado se perderán si navegas hacia otra página"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr ""
"La cadena \"_field\" no se debe utilizar al comienzo de un nombre de campo"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Claves de Campo"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Activo"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Movimiento Completo."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "El campo %s puede ser ahora encontrado en el grupo de campos %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Cerrar Ventana"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Por favor selecciona el destino para este campo"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Mover Campo"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Activo <span class=\"count\">(%s)</span>"
msgstr[1] "Activos <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Grupo de campos duplicado. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s grupo de campos duplicado."
msgstr[1] "%s grupos de campos duplicado."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Grupo de campos sincronizado. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s grupo de campos sincronizado."
msgstr[1] "%s grupos de campos sincronizado."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Sincronización disponible"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Título"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Descripción"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Estado"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Personaliza Wordpress con campos poderosos, profesionales e intuitivos."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:111
msgid "Changelog"
msgstr "Changelog"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Ver las novedades de la <a href=\"% s \">versión %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Recursos"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Sitio web"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Documentación"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Soporte"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Gracias por crear con <a href=\" %s \">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Duplicar este ítem"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate"
msgstr "Duplicar"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:132
#: includes/fields/class-acf-field-relationship.php:737
msgid "Search"
msgstr "Buscar"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Selecciona %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Sincronizar grupo de campos"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Sincronizar"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "Aplicar"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "Acciones en lote"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Campos Personalizados"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Actualizar Base de datos"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Revisar sitios y actualizar"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "¡Error al validar la solicitud!"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "No hay actualizaciones disponibles."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Agregados"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Error</b>. No se pudo cargar la lista de agregados"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Qué hay de nuevo"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Herramientas"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "No se seleccionaron grupos de campos"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:174
msgid "No file selected"
msgstr "No se seleccionó archivo"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Error subiendo archivo.  Por favor intente nuevamente"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Tipo de campo incorrecto"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Archivo de imporación vacío"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
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"
msgstr "Lógica Condicional"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Mostrar este campo si"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:243
msgid "is equal to"
msgstr "es igual a"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:244
msgid "is not equal to"
msgstr "no es igual a"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "y"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Agregar grupo de reglas"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:420
#: pro/fields/class-acf-field-repeater.php:358
msgid "Drag to reorder"
msgstr "Arrastra para reordenar"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Editar campo"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:152
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Editar"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Duplicar campo"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Mover campo a otro grupo"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Mover"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Borrar campo"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete"
msgstr "Borrar"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Etiqueta del campo"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Este es el nombre que aparecerá en la página EDITAR"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "Nombre del campo"

#: includes/admin/views/field-group-field.php:79
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Una sola palabra, sin espacios. Guiones bajos y barras están permitidos."

#: includes/admin/views/field-group-field.php:89
msgid "Field Type"
msgstr "Tipo de campo"

#: includes/admin/views/field-group-field.php:101
#: includes/fields/class-acf-field-tab.php:102
msgid "Instructions"
msgstr "Instrucciones"

#: includes/admin/views/field-group-field.php:102
msgid "Instructions for authors. Shown when submitting data"
msgstr ""
"Instrucciones para los autores. Se muestra a la hora de introducir los datos."

#: includes/admin/views/field-group-field.php:111
msgid "Required?"
msgstr "¿Requerido?"

#: includes/admin/views/field-group-field.php:134
msgid "Wrapper Attributes"
msgstr "Atributos del Contenedor"

#: includes/admin/views/field-group-field.php:140
msgid "width"
msgstr "ancho"

#: includes/admin/views/field-group-field.php:155
msgid "class"
msgstr "class"

#: includes/admin/views/field-group-field.php:168
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:180
msgid "Close Field"
msgstr "Cerrar Campo"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Orden"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-checkbox.php:317
#: includes/fields/class-acf-field-radio.php:321
#: includes/fields/class-acf-field-select.php:530
#: pro/fields/class-acf-field-flexible-content.php:599
msgid "Label"
msgstr "Etiqueta"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:970
#: pro/fields/class-acf-field-flexible-content.php:612
msgid "Name"
msgstr "Nombre"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Clave"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tipo"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"No hay campos. Haz Click en el botón <strong>+ Añadir campo</strong> para "
"crear tu primer campo."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Añadir Campo"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Reglas"

#: 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 ""
"Crea un conjunto de reglas para determinar qué pantallas de edición "
"utilizarán estos campos personalizados"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Estilo"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Estándar (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Directo (sin metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posición"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Alta (después del título)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (después del contenido)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Lateral"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Ubicación de la etiqueta"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:116
msgid "Top aligned"
msgstr "Alineada arriba"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:117
msgid "Left aligned"
msgstr "Alineada a la izquierda"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Ubicación de la instrucción"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Debajo de las etiquetas"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Debajo de los campos"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Número de orden"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Los grupos de campos con menor orden aparecerán primero"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Mostrado en lista de grupos de campos"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Esconder en pantalla"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Selecciona</b> los items para <b>esconderlos</b> en la pantalla de "
"edición."

#: 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 ""
"Si múltiples grupos de campos aparecen en una pantalla de edición, las "
"opciones del primer grupo serán utilizadas (el que tiene el menor número de "
"orden)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Enlace Permanente"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Editor de Contenido"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Extracto"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Discusión"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Comentarios"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revisiones"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Formato"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Atributos de Página"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:751
msgid "Featured Image"
msgstr "Imagen Destacada"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Categorías"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Etiquetas"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Enviar Trackbacks"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Mostrar este grupo de campos si"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Mejorar los sitios"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Actualización de Base de Datos de Advanced Custom Fields"

#: 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."
msgstr ""
"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
msgid "Site"
msgstr "Sitio"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "El sitio requiere actualización de base de datos de %s a %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "El sitio está actualizado"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Actualización de base de datos completa. <a href=\"%s\">Regresar al "
"Escritorio de Red</a>"

#: 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 ""
"Es fuertemente recomendado que hagas un backup de tu base de datos antes de "
"continuar. Estás seguro que quieres ejecutar la actualización ahora?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Actualización completa"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Actualizando datos a la versión %s."

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:36
msgid "Repeater"
msgstr "Repeater"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:36
msgid "Flexible Content"
msgstr "Contenido Flexible"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:36
msgid "Gallery"
msgstr "Galería"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:13
msgid "Options Page"
msgstr "Página de Opciones"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Actualización de Base de Datos Requerida"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Gracias por actualizar a %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 ""
"Antes de comenzar a utilizar las nuevas y excelentes características, por "
"favor actualizar tu base de datos a la versión más nueva."

#: 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 ""
"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
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Actualización de la base de datos completada. <a href=\"%s \">Vea las "
"novedades</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Descargar e Instalar"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalado"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bienvenido a Advanced Custom Fields"

#: 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 ""
"Gracias por actualizar! ACF %s es más grande y poderoso que nunca.  "
"Esperamos que te guste."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Una experiencia de campos personalizados más fluida"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Usabilidad Mejorada"

#: 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 ""
"Incluir la popular librería Select2 ha mejorado tanto la usabilidad como la "
"velocidad a través de varios tipos de campos, incluyendo el objeto post , "
"link a página, taxonomía y selección."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Diseño Mejorado"

#: 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 ""
"Muchos campos han experimentado un mejorado visual para hacer que ACF luzca "
"mejor que nunca! Hay cambios notables en los campos de galería, relación y "
"oEmbed (nuevo)!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Datos Mejorados"

#: 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 ""
"Rediseñar la arquitectura de datos ha permitido que los sub campos vivan "
"independientemente de sus padres.  Esto permite arrastrar y soltar campos "
"desde y hacia otros campos padres!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Adiós Agregados.  Hola PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Presentando ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Estamos cambiando la manera en que las funcionalidades premium son brindadas "
"de un modo muy interesante!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Todos los 4 agregados premium han sido combinados en una nueva <a href=\"%s"
"\">version Pro de ACF</a>. Con lincencias personales y para desarrolladores "
"disponibles, la funcionalidad premium es más acequible que nunca!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Características Poderosas"

#: 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 ""
"ACF PRO contiene poderosas características como campo de repetición, "
"contenido con disposición flexible, un hermoso campo de galería y la "
"habilidad de crear páginas de opciones extra en el panel de administración."

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lee más acerca de las <a href=\"%s\">características de ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Fácil Actualización"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Para facilitar la actualización, <a href=\"%s\">accede a tu cuenta en "
"nuestra tienda</a> y solicita una copia gratis de ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Nosotros también escribimos una <a href=\"%s\">guía de actualización</a> "
"para responder cualquier pregunta, pero si tienes una, por favor contacta "
"nuestro equipo de soporte via <a href=\"%s\">mesa de ayuda</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Debajo del Capó"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Ajustes de campos más inteligentes"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr ""
"ACF ahora guarda los ajustes de los campos como objetos post individuales"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Más AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Más campos utilizan búsqueda manejada por AJAX para acelerar la carga de "
"página"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "JSON Local"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "La nueva funcionalidad de exportar a JSON mejora la velocidad"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Mejor Control por Versiones"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"La nueva funcionalidad de exporta a JSON permite que los ajustes de los "
"campos se controlen por versiones"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Reemplazamos XML por JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Importar / Exportar ahora utilizan JSON en vez de XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nuevos Formularios"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Los campos ahora pueden ser mapeados a comentarios, widgets y todos los "
"formularios de usuario!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Se agregó un nuevo campo para embeber contenido."

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nueva Galería"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "El campo galería ha experimentado un muy necesario lavado de cara"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nuevos Ajustes"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Se agregaron ajustes de grupos de campos para posicionamiento de las "
"etiquetas y las instrucciones"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Mejores formularios para Front End"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() ahora puede crear nuevos post"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Mejor Validación"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"La validación de los formularios es ahora realizada via PHP + AJAX en vez de "
"sólo JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Campod de Relación"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Nuevos ajustes para 'Filtros' en camp de Relación (Búsqueda, Tipo de Post, "
"Taxonomía)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Moviendo Campos"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Nueva funcionalidad de grupos permite mover campos entre grupos y padres"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:36
msgid "Page Link"
msgstr "Link de página"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Nuevo grupo archivos en el campo de selección de page_link"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Mejores Páginas de Opciones"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Nuevas funciones para las páginas de opciones permiten crear tanto páginas "
"de menú hijas como superiores."

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Creemos que te encantarán los cambios en %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Exportar Field Groups a 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 ""
"El siguiente código puede ser utilizado para registrar una versión local del "
"o los grupos seleccionados.  Un grupo de campos local puede brindar muchos "
"beneficios como tiempos de carga más cortos, control por versiones y campos/"
"ajustes dinámicos.  Simplemente copia y pega el siguiente código en el "
"archivo functions.php de tu tema o inclúyelo como un archivo externo."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Selleciona Grupos de Campos"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Exportar Grupos de Campos"

#: 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 ""
"Selecciona los grupos de campos que te gustaría exportar y luego elige tu "
"método de exportación.  Utiliza el boton de descarga para exportar a un "
"archivo .json el cual luego puedes importar en otra instalación de ACF. "
"Utiliza el botón de generación para exportar a código PHP que puedes incluir "
"en tu tema."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Descargar archivo de exportación"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Generar código de exportación"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Importar Field Group"

#: 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 ""
"Selecciona el archivo JSON de Advanced Custom Fields que te gustaría "
"importar.  Cuando hagas click en el botón importar debajo, ACF importará los "
"grupos de campos."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:46
msgid "Select File"
msgstr "Seleccionar archivo"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Importar"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Medio"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "GRande"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Tamaño Completo"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1837
#: pro/fields/class-acf-field-clone.php:1042
msgid "(no title)"
msgstr "(sin título)"

#: includes/api/api-helpers.php:1874
#: 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
msgid "Parent"
msgstr "Superior"

#: includes/api/api-helpers.php:3891
#, php-format
msgid "Image width must be at least %dpx."
msgstr "El ancho de la imagen debe ser al menos %dpx."

#: includes/api/api-helpers.php:3896
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "El ancho de la imagen no debe exceder %dpx."

#: includes/api/api-helpers.php:3912
#, php-format
msgid "Image height must be at least %dpx."
msgstr "La altura de la imagen debe ser al menos %dpx."

#: includes/api/api-helpers.php:3917
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "La altura de la imagen no debe exceder %dpx."

#: includes/api/api-helpers.php:3935
#, php-format
msgid "File size must be at least %s."
msgstr "El tamaño de archivo debe ser al menos %s."

#: includes/api/api-helpers.php:3940
#, php-format
msgid "File size must must not exceed %s."
msgstr "El tamaño de archivo no debe exceder %s."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "File type must be %s."
msgstr "El tipo de archivo debe ser %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Básico"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Contenido"

#: includes/fields.php:146
msgid "Choice"
msgstr "Elección"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relación"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:286
#: includes/fields/class-acf-field-group.php:485
#: includes/fields/class-acf-field-radio.php:300
#: pro/fields/class-acf-field-clone.php:889
#: pro/fields/class-acf-field-flexible-content.php:569
#: pro/fields/class-acf-field-flexible-content.php:618
#: pro/fields/class-acf-field-repeater.php:514
msgid "Layout"
msgstr "Layout"

#: includes/fields.php:305
msgid "Field type does not exist"
msgstr "Tipo de campo inexistente"

#: includes/fields.php:305
msgid "Unknown"
msgstr "Desconocido"

#: includes/fields/class-acf-field-checkbox.php:36
#: includes/fields/class-acf-field-taxonomy.php:786
msgid "Checkbox"
msgstr "Checkbox"

#: includes/fields/class-acf-field-checkbox.php:150
msgid "Toggle All"
msgstr "Invertir Todos"

#: includes/fields/class-acf-field-checkbox.php:207
msgid "Add new choice"
msgstr "Agregar nueva opción"

#: includes/fields/class-acf-field-checkbox.php:246
#: includes/fields/class-acf-field-radio.php:250
#: includes/fields/class-acf-field-select.php:466
msgid "Choices"
msgstr "Opciones"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "Enter each choice on a new line."
msgstr "Ingresa cada opción en una nueva línea"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Para más control, puedes especificar tanto un valor como una etiqueta, así:"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "red : Red"
msgstr "rojo : Rojo"

#: includes/fields/class-acf-field-checkbox.php:255
msgid "Allow Custom"
msgstr "Permitir personalización"

#: includes/fields/class-acf-field-checkbox.php:260
msgid "Allow 'custom' values to be added"
msgstr "Permite añadir valores personalizados"

#: includes/fields/class-acf-field-checkbox.php:266
msgid "Save Custom"
msgstr "Guardar personalización"

#: includes/fields/class-acf-field-checkbox.php:271
msgid "Save 'custom' values to the field's choices"
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
#: includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:145
#: includes/fields/class-acf-field-radio.php:291
#: includes/fields/class-acf-field-select.php:475
#: includes/fields/class-acf-field-text.php:142
#: includes/fields/class-acf-field-textarea.php:139
#: includes/fields/class-acf-field-true_false.php:150
#: includes/fields/class-acf-field-url.php:114
#: includes/fields/class-acf-field-wysiwyg.php:436
msgid "Default Value"
msgstr "Valor por defecto"

#: includes/fields/class-acf-field-checkbox.php:278
#: includes/fields/class-acf-field-select.php:476
msgid "Enter each default value on a new line"
msgstr "Ingresa cada valor en una nueva línea"

#: includes/fields/class-acf-field-checkbox.php:292
#: includes/fields/class-acf-field-radio.php:306
msgid "Vertical"
msgstr "Vertical"

#: includes/fields/class-acf-field-checkbox.php:293
#: includes/fields/class-acf-field-radio.php:307
msgid "Horizontal"
msgstr "Horizontal"

#: includes/fields/class-acf-field-checkbox.php:300
msgid "Toggle"
msgstr "Invertir"

#: includes/fields/class-acf-field-checkbox.php:301
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Anteponer un checkbox extra para invertir todas las opciones"

#: includes/fields/class-acf-field-checkbox.php:310
#: includes/fields/class-acf-field-file.php:219
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:180
#: includes/fields/class-acf-field-radio.php:314
#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Return Value"
msgstr "Retornar valor"

#: includes/fields/class-acf-field-checkbox.php:311
#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:207
#: includes/fields/class-acf-field-link.php:181
#: includes/fields/class-acf-field-radio.php:315
msgid "Specify the returned value on front end"
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
msgid "Value"
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 "Ambos (Array)"

#: includes/fields/class-acf-field-color_picker.php:36
msgid "Color Picker"
msgstr "Selector de color"

#: includes/fields/class-acf-field-color_picker.php:83
msgid "Clear"
msgstr "Limpiar"

#: includes/fields/class-acf-field-color_picker.php:84
msgid "Default"
msgstr "Por defecto"

#: includes/fields/class-acf-field-color_picker.php:85
msgid "Select Color"
msgstr "Selecciona Color"

#: includes/fields/class-acf-field-color_picker.php:86
msgid "Current Color"
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
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Hecho"

#: includes/fields/class-acf-field-date_picker.php:45
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Hoy"

#: includes/fields/class-acf-field-date_picker.php:46
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Siguiente"

#: includes/fields/class-acf-field-date_picker.php:47
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Anterior"

#: includes/fields/class-acf-field-date_picker.php:48
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Se"

#: includes/fields/class-acf-field-date_picker.php:223
#: includes/fields/class-acf-field-date_time_picker.php:197
#: includes/fields/class-acf-field-time_picker.php:127
msgid "Display Format"
msgstr "Formato de Visualización"

#: includes/fields/class-acf-field-date_picker.php:224
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-time_picker.php:128
msgid "The format displayed when editing a post"
msgstr "El formato mostrado cuando se edita un post"

#: includes/fields/class-acf-field-date_picker.php:232
#: includes/fields/class-acf-field-date_picker.php:263
#: includes/fields/class-acf-field-date_time_picker.php:207
#: 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
msgid "Custom:"
msgstr "Personalizado:"

#: includes/fields/class-acf-field-date_picker.php:242
msgid "Save Format"
msgstr "Guardar formato"

#: includes/fields/class-acf-field-date_picker.php:243
msgid "The format used when saving a value"
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
#: includes/fields/class-acf-field-post_object.php:447
#: includes/fields/class-acf-field-relationship.php:778
#: includes/fields/class-acf-field-select.php:524
#: includes/fields/class-acf-field-time_picker.php:142
msgid "Return Format"
msgstr "Formato de Retorno"

#: includes/fields/class-acf-field-date_picker.php:254
#: includes/fields/class-acf-field-date_time_picker.php:215
#: includes/fields/class-acf-field-time_picker.php:143
msgid "The format returned via template functions"
msgstr "El formato retornado a través de las funciones del tema"

#: includes/fields/class-acf-field-date_picker.php:272
#: includes/fields/class-acf-field-date_time_picker.php:231
msgid "Week Starts On"
msgstr "La semana comenza en "

#: includes/fields/class-acf-field-date_time_picker.php:36
msgid "Date Time Picker"
msgstr "Selector de fecha y hora"

#: includes/fields/class-acf-field-date_time_picker.php:44
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Elegir tiempo"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Tiempo"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:47
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "minuto"

#: includes/fields/class-acf-field-date_time_picker.php:48
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Segundo"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisegundo"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microsegundo"

#: includes/fields/class-acf-field-date_time_picker.php:51
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Zona horaria"

#: includes/fields/class-acf-field-date_time_picker.php:52
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Ahora"

#: includes/fields/class-acf-field-date_time_picker.php:53
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Hecho"

#: includes/fields/class-acf-field-date_time_picker.php:54
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Elige"

#: includes/fields/class-acf-field-date_time_picker.php:56
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:57
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:60
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:61
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:36
msgid "Email"
msgstr "Email"

#: includes/fields/class-acf-field-email.php:134
#: includes/fields/class-acf-field-number.php:146
#: includes/fields/class-acf-field-radio.php:292
#: includes/fields/class-acf-field-text.php:143
#: includes/fields/class-acf-field-textarea.php:140
#: includes/fields/class-acf-field-url.php:115
#: includes/fields/class-acf-field-wysiwyg.php:437
msgid "Appears when creating a new post"
msgstr "Aparece cuando se está creando un nuevo post"

#: includes/fields/class-acf-field-email.php:142
#: includes/fields/class-acf-field-number.php:154
#: includes/fields/class-acf-field-password.php:134
#: includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:148
#: includes/fields/class-acf-field-url.php:123
msgid "Placeholder Text"
msgstr "Marcador de Texto"

#: includes/fields/class-acf-field-email.php:143
#: includes/fields/class-acf-field-number.php:155
#: includes/fields/class-acf-field-password.php:135
#: includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:149
#: includes/fields/class-acf-field-url.php:124
msgid "Appears within the input"
msgstr "Aparece en el campo"

#: includes/fields/class-acf-field-email.php:151
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-password.php:143
#: includes/fields/class-acf-field-text.php:160
msgid "Prepend"
msgstr "Anteponer"

#: includes/fields/class-acf-field-email.php:152
#: includes/fields/class-acf-field-number.php:164
#: includes/fields/class-acf-field-password.php:144
#: includes/fields/class-acf-field-text.php:161
msgid "Appears before the input"
msgstr "Aparece antes del campo"

#: includes/fields/class-acf-field-email.php:160
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-password.php:152
#: includes/fields/class-acf-field-text.php:169
msgid "Append"
msgstr "Anexar"

#: includes/fields/class-acf-field-email.php:161
#: includes/fields/class-acf-field-number.php:173
#: includes/fields/class-acf-field-password.php:153
#: includes/fields/class-acf-field-text.php:170
msgid "Appears after the input"
msgstr "Aparece luego del campo"

#: includes/fields/class-acf-field-file.php:36
msgid "File"
msgstr "Archivo"

#: includes/fields/class-acf-field-file.php:47
msgid "Edit File"
msgstr "Editar Archivo"

#: includes/fields/class-acf-field-file.php:48
msgid "Update File"
msgstr "Actualizar Archivo"

#: includes/fields/class-acf-field-file.php:49
#: includes/fields/class-acf-field-image.php:54 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:55
msgid "Uploaded to this post"
msgstr "Subidos a este post"

#: includes/fields/class-acf-field-file.php:145
msgid "File name"
msgstr "Nombre del archivo"

#: includes/fields/class-acf-field-file.php:149
#: includes/fields/class-acf-field-file.php:252
#: includes/fields/class-acf-field-file.php:263
#: includes/fields/class-acf-field-image.php:266
#: includes/fields/class-acf-field-image.php:295
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Tamaño de Archivo"

#: includes/fields/class-acf-field-file.php:174
msgid "Add File"
msgstr "Añadir archivo"

#: includes/fields/class-acf-field-file.php:225
msgid "File Array"
msgstr "Array de Archivo"

#: includes/fields/class-acf-field-file.php:226
msgid "File URL"
msgstr "URL de Archivo"

#: includes/fields/class-acf-field-file.php:227
msgid "File ID"
msgstr "ID de Archivo"

#: includes/fields/class-acf-field-file.php:234
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Librería"

#: includes/fields/class-acf-field-file.php:235
#: includes/fields/class-acf-field-image.php:232
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Limitar las opciones de la librería de medios"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:237
#: includes/locations/class-acf-location-attachment.php:105
#: includes/locations/class-acf-location-comment.php:83
#: includes/locations/class-acf-location-nav-menu.php:106
#: includes/locations/class-acf-location-taxonomy.php:83
#: includes/locations/class-acf-location-user-form.php:91
#: includes/locations/class-acf-location-user-role.php:108
#: includes/locations/class-acf-location-widget.php:87
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Todos"

#: includes/fields/class-acf-field-file.php:241
#: includes/fields/class-acf-field-image.php:238
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Subidos al post"

#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-image.php:245
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Mínimo"

#: includes/fields/class-acf-field-file.php:249
#: includes/fields/class-acf-field-file.php:260
msgid "Restrict which files can be uploaded"
msgstr "Restringir qué archivos pueden ser subidos"

#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Máximo"

#: includes/fields/class-acf-field-file.php:270
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Tipos de archivos permitidos"

#: includes/fields/class-acf-field-file.php:271
#: includes/fields/class-acf-field-image.php:304
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Lista separada por comas.  Deja en blanco para todos los tipos"

#: includes/fields/class-acf-field-google-map.php:36
msgid "Google Map"
msgstr "Mapa de Google"

#: includes/fields/class-acf-field-google-map.php:51
msgid "Locating"
msgstr "Ubicando"

#: includes/fields/class-acf-field-google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Disculpas, este navegador no soporta geolocalización"

#: includes/fields/class-acf-field-google-map.php:133
msgid "Clear location"
msgstr "Borrar ubicación"

#: includes/fields/class-acf-field-google-map.php:134
msgid "Find current location"
msgstr "Encontrar ubicación actual"

#: includes/fields/class-acf-field-google-map.php:137
msgid "Search for address..."
msgstr "Buscar dirección..."

#: includes/fields/class-acf-field-google-map.php:167
#: includes/fields/class-acf-field-google-map.php:178
msgid "Center"
msgstr "Centro"

#: includes/fields/class-acf-field-google-map.php:168
#: includes/fields/class-acf-field-google-map.php:179
msgid "Center the initial map"
msgstr "Centrar inicialmente el mapa"

#: includes/fields/class-acf-field-google-map.php:190
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:191
msgid "Set the initial zoom level"
msgstr "Setear el nivel inicial de zoom"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-image.php:257
#: includes/fields/class-acf-field-image.php:286
#: includes/fields/class-acf-field-oembed.php:297
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Altura"

#: includes/fields/class-acf-field-google-map.php:201
msgid "Customise the map height"
msgstr "Personalizar altura de mapa"

#: includes/fields/class-acf-field-group.php:36
msgid "Group"
msgstr "Grupo"

#: includes/fields/class-acf-field-group.php:469
#: pro/fields/class-acf-field-repeater.php:453
msgid "Sub Fields"
msgstr "Sub Campos"

#: includes/fields/class-acf-field-group.php:486
#: 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
#: pro/fields/class-acf-field-flexible-content.php:629
#: pro/fields/class-acf-field-repeater.php:522
msgid "Block"
msgstr "Bloque"

#: includes/fields/class-acf-field-group.php:492
#: pro/fields/class-acf-field-clone.php:896
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:521
msgid "Table"
msgstr "Tabla"

#: includes/fields/class-acf-field-group.php:493
#: pro/fields/class-acf-field-clone.php:897
#: pro/fields/class-acf-field-flexible-content.php:630
#: pro/fields/class-acf-field-repeater.php:523
msgid "Row"
msgstr "Fila"

#: includes/fields/class-acf-field-image.php:36
msgid "Image"
msgstr "Imagen"

#: includes/fields/class-acf-field-image.php:51
msgid "Select Image"
msgstr "Seleccionar Imagen"

#: includes/fields/class-acf-field-image.php:52
#: pro/fields/class-acf-field-gallery.php:53
msgid "Edit Image"
msgstr "Editar Imagen"

#: includes/fields/class-acf-field-image.php:53
#: pro/fields/class-acf-field-gallery.php:54
msgid "Update Image"
msgstr "Actualizar Imagen"

#: includes/fields/class-acf-field-image.php:55
msgid "All images"
msgstr "Todas las imágenes"

#: includes/fields/class-acf-field-image.php:142
#: includes/fields/class-acf-field-link.php:153 includes/input.php:267
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Remover"

#: includes/fields/class-acf-field-image.php:158
msgid "No image selected"
msgstr "No hay ninguna imagen seleccionada"

#: includes/fields/class-acf-field-image.php:158
msgid "Add Image"
msgstr "Añadir Imagen"

#: includes/fields/class-acf-field-image.php:212
msgid "Image Array"
msgstr "Array de Imagen"

#: includes/fields/class-acf-field-image.php:213
msgid "Image URL"
msgstr "URL de Imagen"

#: includes/fields/class-acf-field-image.php:214
msgid "Image ID"
msgstr "ID de Imagen"

#: includes/fields/class-acf-field-image.php:221
msgid "Preview Size"
msgstr "Tamaño del Preview"

#: includes/fields/class-acf-field-image.php:222
msgid "Shown when entering data"
msgstr "Mostrado cuando se ingresan datos"

#: includes/fields/class-acf-field-image.php:246
#: includes/fields/class-acf-field-image.php:275
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Restringir cuáles imágenes pueden ser subidas"

#: includes/fields/class-acf-field-image.php:249
#: includes/fields/class-acf-field-image.php:278
#: includes/fields/class-acf-field-oembed.php:286
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Ancho"

#: includes/fields/class-acf-field-link.php:36
msgid "Link"
msgstr "Enlace"

#: includes/fields/class-acf-field-link.php:146
msgid "Select Link"
msgstr "Elige el enlace"

#: includes/fields/class-acf-field-link.php:151
msgid "Opens in a new window/tab"
msgstr "Abrir en una nueva ventana/pestaña"

#: includes/fields/class-acf-field-link.php:186
msgid "Link Array"
msgstr "Matriz de enlace"

#: includes/fields/class-acf-field-link.php:187
msgid "Link URL"
msgstr "URL del enlace"

#: includes/fields/class-acf-field-message.php:36
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-true_false.php:141
msgid "Message"
msgstr "Mensaje"

#: includes/fields/class-acf-field-message.php:124
#: includes/fields/class-acf-field-textarea.php:176
msgid "New Lines"
msgstr "Nuevas Líneas"

#: includes/fields/class-acf-field-message.php:125
#: includes/fields/class-acf-field-textarea.php:177
msgid "Controls how new lines are rendered"
msgstr "Controla cómo se muestran las nuevas líneas"

#: includes/fields/class-acf-field-message.php:129
#: includes/fields/class-acf-field-textarea.php:181
msgid "Automatically add paragraphs"
msgstr "Agregar párrafos automáticamente"

#: includes/fields/class-acf-field-message.php:130
#: includes/fields/class-acf-field-textarea.php:182
msgid "Automatically add &lt;br&gt;"
msgstr "Agregar &lt;br&gt; automáticamente"

#: includes/fields/class-acf-field-message.php:131
#: includes/fields/class-acf-field-textarea.php:183
msgid "No Formatting"
msgstr "Sin Formato"

#: includes/fields/class-acf-field-message.php:138
msgid "Escape HTML"
msgstr "Escapar HTML"

#: includes/fields/class-acf-field-message.php:139
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Permitir que el maquetado HTML se muestre como texto visible en vez de "
"interpretarlo"

#: includes/fields/class-acf-field-number.php:36
msgid "Number"
msgstr "Número"

#: includes/fields/class-acf-field-number.php:181
msgid "Minimum Value"
msgstr "Valor Mínimo"

#: includes/fields/class-acf-field-number.php:190
msgid "Maximum Value"
msgstr "Valor Máximo"

#: includes/fields/class-acf-field-number.php:199
msgid "Step Size"
msgstr "Tamaño del Paso"

#: includes/fields/class-acf-field-number.php:237
msgid "Value must be a number"
msgstr "El valor debe ser un número"

#: includes/fields/class-acf-field-number.php:255
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "El valor debe ser mayor o igual a %d"

#: includes/fields/class-acf-field-number.php:263
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "El valor debe ser menor o igual a %d"

#: includes/fields/class-acf-field-oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:237
msgid "Enter URL"
msgstr "Ingresa URL"

#: includes/fields/class-acf-field-oembed.php:250
#: includes/fields/class-acf-field-taxonomy.php:904
msgid "Error."
msgstr "Error."

#: includes/fields/class-acf-field-oembed.php:250
msgid "No embed found for the given URL."
msgstr "No se encontró embed para la URL proporcionada."

#: includes/fields/class-acf-field-oembed.php:283
#: includes/fields/class-acf-field-oembed.php:294
msgid "Embed Size"
msgstr "Tamaño del Embed"

#: includes/fields/class-acf-field-page_link.php:192
msgid "Archives"
msgstr "Archivos"

#: includes/fields/class-acf-field-page_link.php:500
#: includes/fields/class-acf-field-post_object.php:399
#: includes/fields/class-acf-field-relationship.php:704
msgid "Filter by Post Type"
msgstr "Filtrar por Tipo de Post"

#: includes/fields/class-acf-field-page_link.php:508
#: includes/fields/class-acf-field-post_object.php:407
#: includes/fields/class-acf-field-relationship.php:712
msgid "All post types"
msgstr "Todos los Tipos de Post"

#: includes/fields/class-acf-field-page_link.php:514
#: includes/fields/class-acf-field-post_object.php:413
#: includes/fields/class-acf-field-relationship.php:718
msgid "Filter by Taxonomy"
msgstr "Filtrar por Taxonomía"

#: includes/fields/class-acf-field-page_link.php:522
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-relationship.php:726
msgid "All taxonomies"
msgstr "Todas las taxonomías"

#: includes/fields/class-acf-field-page_link.php:528
#: includes/fields/class-acf-field-post_object.php:427
#: includes/fields/class-acf-field-radio.php:259
#: includes/fields/class-acf-field-select.php:484
#: includes/fields/class-acf-field-taxonomy.php:799
#: includes/fields/class-acf-field-user.php:423
msgid "Allow Null?"
msgstr "Permitir Vacío?"

#: includes/fields/class-acf-field-page_link.php:538
msgid "Allow Archives URLs"
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
#: includes/fields/class-acf-field-select.php:494
#: includes/fields/class-acf-field-user.php:433
msgid "Select multiple values?"
msgstr "¿Seleccionar valores múltiples?"

#: includes/fields/class-acf-field-password.php:36
msgid "Password"
msgstr "Contraseña"

#: includes/fields/class-acf-field-post_object.php:36
#: includes/fields/class-acf-field-post_object.php:452
#: includes/fields/class-acf-field-relationship.php:783
msgid "Post Object"
msgstr "Objecto Post"

#: includes/fields/class-acf-field-post_object.php:453
#: includes/fields/class-acf-field-relationship.php:784
msgid "Post ID"
msgstr "ID de Post"

#: includes/fields/class-acf-field-radio.php:36
msgid "Radio Button"
msgstr "Radio Button"

#: includes/fields/class-acf-field-radio.php:269
msgid "Other"
msgstr "Otro"

#: includes/fields/class-acf-field-radio.php:274
msgid "Add 'other' choice to allow for custom values"
msgstr "Agregar la opción 'otros' para permitir valores personalizados"

#: includes/fields/class-acf-field-radio.php:280
msgid "Save Other"
msgstr "Guardar Otro"

#: includes/fields/class-acf-field-radio.php:285
msgid "Save 'other' values to the field's choices"
msgstr "Guardar 'otros' valores a las opciones del campo"

#: includes/fields/class-acf-field-relationship.php:36
msgid "Relationship"
msgstr "Relación"

#: includes/fields/class-acf-field-relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "Valores mínimos alcanzados ( {min} valores )"

#: includes/fields/class-acf-field-relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Valores máximos alcanzados ( {max} valores )"

#: includes/fields/class-acf-field-relationship.php:50
msgid "Loading"
msgstr "Cargando"

#: includes/fields/class-acf-field-relationship.php:51
msgid "No matches found"
msgstr "No se encontraron resultados"

#: includes/fields/class-acf-field-relationship.php:585
msgid "Search..."
msgstr "Buscar..."

#: includes/fields/class-acf-field-relationship.php:594
msgid "Select post type"
msgstr "Selecciona Tipo de Post"

#: includes/fields/class-acf-field-relationship.php:607
msgid "Select taxonomy"
msgstr "Selecciona Taxonomía"

#: includes/fields/class-acf-field-relationship.php:732
msgid "Filters"
msgstr "Filtros"

#: includes/fields/class-acf-field-relationship.php:738
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Post Type"

#: includes/fields/class-acf-field-relationship.php:739
#: includes/fields/class-acf-field-taxonomy.php:36
#: includes/fields/class-acf-field-taxonomy.php:769
msgid "Taxonomy"
msgstr "Taxonomía"

#: includes/fields/class-acf-field-relationship.php:746
msgid "Elements"
msgstr "Elementos"

#: includes/fields/class-acf-field-relationship.php:747
msgid "Selected elements will be displayed in each result"
msgstr "Los elementos seleccionados serán mostrados en cada resultado"

#: includes/fields/class-acf-field-relationship.php:758
msgid "Minimum posts"
msgstr "Mínimos posts"

#: includes/fields/class-acf-field-relationship.php:767
msgid "Maximum posts"
msgstr "Máximos posts"

#: includes/fields/class-acf-field-relationship.php:871
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s requiere al menos %s selección"
msgstr[1] "%s requiere al menos %s selecciones"

#: includes/fields/class-acf-field-select.php:36
#: includes/fields/class-acf-field-taxonomy.php:791
msgctxt "noun"
msgid "Select"
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 "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
msgctxt "Select2 JS matches_0"
msgid "No matches found"
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 "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 "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 "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 "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 "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 "Sólo puede seleccionar %d elementos"

#: includes/fields/class-acf-field-select.php:58
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Cargando más resultados&hellip;"

#: includes/fields/class-acf-field-select.php:59
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Buscando&hellip;"

#: includes/fields/class-acf-field-select.php:60
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Error al cargar"

#: includes/fields/class-acf-field-select.php:270 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Elige"

#: includes/fields/class-acf-field-select.php:504
#: includes/fields/class-acf-field-true_false.php:159
msgid "Stylised UI"
msgstr "UI estilizada"

#: includes/fields/class-acf-field-select.php:514
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
msgid "Specify the value returned"
msgstr "Especifique el valor devuelto"

#: includes/fields/class-acf-field-separator.php:36
msgid "Separator"
msgstr "Separador"

#: includes/fields/class-acf-field-tab.php:36
msgid "Tab"
msgstr "Pestaña"

#: includes/fields/class-acf-field-tab.php:96
msgid ""
"The tab field will display incorrectly when added to a Table style repeater "
"field or flexible content field layout"
msgstr ""
"El campo pestaña se visualizará incorrectamente cuando sea agregado a un "
"campo de repetición con estilo Tabla o a un layout de contenido flexible"

#: includes/fields/class-acf-field-tab.php:97
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""
"Usa \"Campos Pestaña\" para organizar mejor tu pantalla de edición agrupando "
"campos."

#: includes/fields/class-acf-field-tab.php:98
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 ""
"Todos los campos que siguen de este \"campo pestaña\" (o hasta que otro "
"\"campo pestaña\" sea definido) serán agrepados la etiqueta de este campo "
"como título de la pestaña."

#: includes/fields/class-acf-field-tab.php:112
msgid "Placement"
msgstr "Ubicación"

#: includes/fields/class-acf-field-tab.php:124
msgid "End-point"
msgstr "Punto de Terminación"

#: includes/fields/class-acf-field-tab.php:125
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""
"Usar este campo como un punto de terminación y comenzar un nuevo grupo de "
"pestañas"

#: includes/fields/class-acf-field-taxonomy.php:719
#: includes/fields/class-acf-field-true_false.php:95
#: includes/fields/class-acf-field-true_false.php:184 includes/input.php:266
#: pro/admin/views/html-settings-updates.php:103
msgid "No"
msgstr "No"

#: includes/fields/class-acf-field-taxonomy.php:738
msgid "None"
msgstr "Ninguno"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Select the taxonomy to be displayed"
msgstr "Selecciona taxonomía a ser mostrada"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Appearance"
msgstr "Apariencia"

#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Select the appearance of this field"
msgstr "Selecciona la apariencia de este campo"

#: includes/fields/class-acf-field-taxonomy.php:785
msgid "Multiple Values"
msgstr "Múltiples Valores"

#: includes/fields/class-acf-field-taxonomy.php:787
msgid "Multi Select"
msgstr "Selección Múltiple"

#: includes/fields/class-acf-field-taxonomy.php:789
msgid "Single Value"
msgstr "Valor Individual"

#: includes/fields/class-acf-field-taxonomy.php:790
msgid "Radio Buttons"
msgstr "Botones Radio"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Create Terms"
msgstr "Crear Términos"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Allow new terms to be created whilst editing"
msgstr "Permitir la creación de nuevos términos mientras se edita"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Save Terms"
msgstr "Guardar Términos"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "Conectar los términos seleccionados al post"

#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Load Terms"
msgstr "Cargar Términos"

#: includes/fields/class-acf-field-taxonomy.php:830
msgid "Load value from posts terms"
msgstr "Cargar valor de los términos del post"

#: includes/fields/class-acf-field-taxonomy.php:844
msgid "Term Object"
msgstr "Objeto de Término"

#: includes/fields/class-acf-field-taxonomy.php:845
msgid "Term ID"
msgstr "ID de Término"

#: includes/fields/class-acf-field-taxonomy.php:904
#, php-format
msgid "User unable to add new %s"
msgstr "El usuario no puede agregar nuevos %s"

#: includes/fields/class-acf-field-taxonomy.php:917
#, php-format
msgid "%s already exists"
msgstr "%s ya existe"

#: includes/fields/class-acf-field-taxonomy.php:958
#, php-format
msgid "%s added"
msgstr "%s agregados"

#: includes/fields/class-acf-field-taxonomy.php:1003
msgid "Add"
msgstr "Agregar"

#: includes/fields/class-acf-field-text.php:36
msgid "Text"
msgstr "Texto"

#: includes/fields/class-acf-field-text.php:178
#: includes/fields/class-acf-field-textarea.php:157
msgid "Character Limit"
msgstr "Límite de Caractéres"

#: includes/fields/class-acf-field-text.php:179
#: includes/fields/class-acf-field-textarea.php:158
msgid "Leave blank for no limit"
msgstr "Deja en blanco para ilimitado"

#: includes/fields/class-acf-field-textarea.php:36
msgid "Text Area"
msgstr "Area de Texto"

#: includes/fields/class-acf-field-textarea.php:166
msgid "Rows"
msgstr "Filas"

#: includes/fields/class-acf-field-textarea.php:167
msgid "Sets the textarea height"
msgstr "Setea el alto del área de texto"

#: includes/fields/class-acf-field-time_picker.php:36
msgid "Time Picker"
msgstr "Selector de hora"

#: includes/fields/class-acf-field-true_false.php:36
msgid "True / False"
msgstr "Verdadero / Falso"

#: includes/fields/class-acf-field-true_false.php:94
#: includes/fields/class-acf-field-true_false.php:174 includes/input.php:265
#: pro/admin/views/html-settings-updates.php:93
msgid "Yes"
msgstr "Sí"

#: includes/fields/class-acf-field-true_false.php:142
msgid "Displays text alongside the checkbox"
msgstr "Muestra el texto junto a la casilla de verificación"

#: includes/fields/class-acf-field-true_false.php:170
msgid "On Text"
msgstr "Sobre texto"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when active"
msgstr "Texto mostrado cuando está activo"

#: includes/fields/class-acf-field-true_false.php:180
msgid "Off Text"
msgstr "Sin texto"

#: includes/fields/class-acf-field-true_false.php:181
msgid "Text shown when inactive"
msgstr "Texto mostrado cuando está inactivo"

#: includes/fields/class-acf-field-url.php:36
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:165
msgid "Value must be a valid URL"
msgstr "El valor debe ser una URL válida"

#: includes/fields/class-acf-field-user.php:36 includes/locations.php:95
msgid "User"
msgstr "Usuario"

#: includes/fields/class-acf-field-user.php:408
msgid "Filter by role"
msgstr "Filtrar por rol"

#: includes/fields/class-acf-field-user.php:416
msgid "All user roles"
msgstr "Todos los roles de usuario"

#: includes/fields/class-acf-field-wysiwyg.php:36
msgid "Wysiwyg Editor"
msgstr "Editor Wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:385
msgid "Visual"
msgstr "Visual"

#: includes/fields/class-acf-field-wysiwyg.php:386
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Texto"

#: includes/fields/class-acf-field-wysiwyg.php:392
msgid "Click to initialize TinyMCE"
msgstr "Haz clic para iniciar TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Tabs"
msgstr "Pestañas"

#: includes/fields/class-acf-field-wysiwyg.php:450
msgid "Visual & Text"
msgstr "Visual y Texto"

#: includes/fields/class-acf-field-wysiwyg.php:451
msgid "Visual Only"
msgstr "Sólo Visual"

#: includes/fields/class-acf-field-wysiwyg.php:452
msgid "Text Only"
msgstr "Sólo Texto"

#: includes/fields/class-acf-field-wysiwyg.php:459
msgid "Toolbar"
msgstr "Barra de Herramientas"

#: includes/fields/class-acf-field-wysiwyg.php:469
msgid "Show Media Upload Buttons?"
msgstr "¿Mostrar el botón Media Upload?"

#: includes/fields/class-acf-field-wysiwyg.php:479
msgid "Delay initialization?"
msgstr "¿Inicialización retrasada?"

#: includes/fields/class-acf-field-wysiwyg.php:480
msgid "TinyMCE will not be initalized until field is clicked"
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
msgid "Edit field group"
msgstr "Editar grupo de campos"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Validar correo electrónico"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Actualizar"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Post actualizado"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Spam detectado"

#: includes/input.php:258
msgid "Expand Details"
msgstr "Expandir Detalles"

#: includes/input.php:259
msgid "Collapse Details"
msgstr "Colapsar Detalles"

#: includes/input.php:260
msgid "Validation successful"
msgstr "Validación exitosa"

#: includes/input.php:261 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validación fallida"

#: includes/input.php:262
msgid "1 field requires attention"
msgstr "1 campo requiere atención"

#: includes/input.php:263
#, php-format
msgid "%d fields require attention"
msgstr "%d campos requieren atención"

#: includes/input.php:264
msgid "Restricted"
msgstr "Restringido"

#: includes/input.php:268
msgid "Cancel"
msgstr "Cancelar"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Post"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Página"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formularios"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Adjunto"

#: includes/locations/class-acf-location-attachment.php:113
#, php-format
msgid "All %s formats"
msgstr "%s formatos"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Comentario"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rol del Usuario Actual"

#: includes/locations/class-acf-location-current-user-role.php:114
msgid "Super Admin"
msgstr "Super Administrador"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Usuario Actual"

#: includes/locations/class-acf-location-current-user.php:101
msgid "Logged in"
msgstr "Logueado"

#: includes/locations/class-acf-location-current-user.php:102
msgid "Viewing front end"
msgstr "Viendo front end"

#: includes/locations/class-acf-location-current-user.php:103
msgid "Viewing back end"
msgstr "Viendo back end"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Elemento del menú"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menú"

#: includes/locations/class-acf-location-nav-menu.php:113
msgid "Menu Locations"
msgstr "Localizaciones de menú"

#: includes/locations/class-acf-location-nav-menu.php:123
msgid "Menus"
msgstr "Menús"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Página Superior"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Plantilla de Página"

#: includes/locations/class-acf-location-page-template.php:102
#: includes/locations/class-acf-location-post-template.php:156
msgid "Default Template"
msgstr "Plantilla por Defecto"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipo de Página"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Front Page"
msgstr "Página Principal"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Posts Page"
msgstr "Página de Entradas"

#: includes/locations/class-acf-location-page-type.php:151
msgid "Top Level Page (no parent)"
msgstr "Página de Nivel Superior"

#: includes/locations/class-acf-location-page-type.php:152
msgid "Parent Page (has children)"
msgstr "Página Superior (tiene hijas)"

#: includes/locations/class-acf-location-page-type.php:153
msgid "Child Page (has parent)"
msgstr "Página hija (tiene superior)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoría de Post"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formato de Post"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Estado del Post"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomía de Post"

#: includes/locations/class-acf-location-post-template.php:29
msgid "Post Template"
msgstr "Plantilla de entrada:"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Término de Taxonomía"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Formulario de Usuario"

#: includes/locations/class-acf-location-user-form.php:92
msgid "Add / Edit"
msgstr "Agregar / Editar"

#: includes/locations/class-acf-location-user-form.php:93
msgid "Register"
msgstr "Registrar"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Rol de Usuario"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Editar"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Actualizar"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "El valor %s es requerido"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:196
msgid "Publish"
msgstr "Publicar"

#: pro/admin/admin-options-page.php:202
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"No se encontraron grupos de campos personalizados para esta página de "
"opciones. <a href=\"%s\">Crear Grupo de Campos Personalizados</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr ""
"<b>Error</b>. No se ha podido conectar con el servidor de actualización"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:17
msgid "Updates"
msgstr "Actualizaciones"

#: pro/admin/views/html-settings-updates.php:11
msgid "Deactivate License"
msgstr "Desactivar Licencia"

#: pro/admin/views/html-settings-updates.php:11
msgid "Activate License"
msgstr "Activar Licencia"

#: pro/admin/views/html-settings-updates.php:21
msgid "License Information"
msgstr "Información de la licencia"

#: pro/admin/views/html-settings-updates.php:24
#, php-format
msgid ""
"To unlock updates, please enter your license key below. If you don't have a "
"licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Para desbloquear las actualizaciones, por favor a continuación introduce tu "
"clave de licencia. Si no tienes una clave de licencia, consulta <a href=\"%s"
"\" target=\"_blank\">detalles y precios</a>."

#: pro/admin/views/html-settings-updates.php:33
msgid "License Key"
msgstr "Clave de Licencia"

#: pro/admin/views/html-settings-updates.php:65
msgid "Update Information"
msgstr "Información de Actualización"

#: pro/admin/views/html-settings-updates.php:72
msgid "Current Version"
msgstr "Versión Actual"

#: pro/admin/views/html-settings-updates.php:80
msgid "Latest Version"
msgstr "Última Versión"

#: pro/admin/views/html-settings-updates.php:88
msgid "Update Available"
msgstr "Actualización Disponible"

#: pro/admin/views/html-settings-updates.php:96
msgid "Update Plugin"
msgstr "Actualizar Plugin"

#: pro/admin/views/html-settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Por favor ingresa tu clave de licencia para habilitar actualizaciones"

#: pro/admin/views/html-settings-updates.php:104
msgid "Check Again"
msgstr "Chequear nuevamente"

#: pro/admin/views/html-settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Notificación de Actualización"

#: pro/fields/class-acf-field-clone.php:36
msgctxt "noun"
msgid "Clone"
msgstr "Clonar"

#: pro/fields/class-acf-field-clone.php:858
msgid "Select one or more fields you wish to clone"
msgstr "Elige uno o más campos que quieras clonar"

#: pro/fields/class-acf-field-clone.php:875
msgid "Display"
msgstr "Mostrar"

#: pro/fields/class-acf-field-clone.php:876
msgid "Specify the style used to render the clone field"
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 "Transparente (reemplaza este campo con los campos seleccionados)"

#: pro/fields/class-acf-field-clone.php:903
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Las etiquetas se mostrarán como %s"

#: pro/fields/class-acf-field-clone.php:906
msgid "Prefix Field Labels"
msgstr "Etiquetas del prefijo de campo"

#: pro/fields/class-acf-field-clone.php:917
#, php-format
msgid "Values will be saved as %s"
msgstr "Los valores se guardarán como %s"

#: pro/fields/class-acf-field-clone.php:920
msgid "Prefix Field Names"
msgstr "Nombres de prefijos de campos"

#: pro/fields/class-acf-field-clone.php:1038
msgid "Unknown field"
msgstr "Campo desconocido"

#: pro/fields/class-acf-field-clone.php:1077
msgid "Unknown field group"
msgstr "Grupo de campos desconocido"

#: pro/fields/class-acf-field-clone.php:1081
#, php-format
msgid "All fields from %s field group"
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
#: pro/fields/class-acf-field-repeater.php:534
msgid "Add Row"
msgstr "Agregar Fila"

#: pro/fields/class-acf-field-flexible-content.php:45
msgid "layout"
msgstr "esquema"

#: pro/fields/class-acf-field-flexible-content.php:46
msgid "layouts"
msgstr "esquemas"

#: pro/fields/class-acf-field-flexible-content.php:47
msgid "remove {layout}?"
msgstr "remover {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Este campo requiere al menos {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Este campo tiene un límite de  {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Este campo requiere al menos {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Límite máximo de {label} alcanzado. ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponible (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} requerido (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:54
msgid "Flexible Content requires at least 1 layout"
msgstr "El Contenido Flexible requiere por lo menos 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:288
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Haz click en el botón \"%s\" debajo para comenzar a crear tu esquema"

#: pro/fields/class-acf-field-flexible-content.php:423
msgid "Add layout"
msgstr "Agregar Esquema"

#: pro/fields/class-acf-field-flexible-content.php:424
msgid "Remove layout"
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 "Clic para mostrar"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder Layout"
msgstr "Reordenar Esquema"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder"
msgstr "Reordenar"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete Layout"
msgstr "Eliminar Esquema"

#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate Layout"
msgstr "Duplicar Esquema"

#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New Layout"
msgstr "Agregar Nuevo Esquema"

#: pro/fields/class-acf-field-flexible-content.php:645
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:658
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:685
#: pro/fields/class-acf-field-repeater.php:530
msgid "Button Label"
msgstr "Etiqueta del Botón"

#: pro/fields/class-acf-field-flexible-content.php:694
msgid "Minimum Layouts"
msgstr "Esquemas Mínimos"

#: pro/fields/class-acf-field-flexible-content.php:703
msgid "Maximum Layouts"
msgstr "Esquemas Máximos"

#: pro/fields/class-acf-field-gallery.php:52
msgid "Add Image to Gallery"
msgstr "Agregar Imagen a Galería"

#: pro/fields/class-acf-field-gallery.php:56
msgid "Maximum selection reached"
msgstr "Selección máxima alcanzada"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Longitud"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Leyenda"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Texto Alt"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Agregar a galería"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Acciones en lote"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Ordenar por fecha de subida"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Ordenar por fecha de modificación"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Ordenar por título"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Invertir orden actual"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Cerrar"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Selección Mínima"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Selección Máxima"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Insertar"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Especificar dónde se agregan nuevos adjuntos"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Añadir al final"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Adelantar hasta el principio"

#: pro/fields/class-acf-field-repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "Mínimo de filas alcanzado ({min} rows)"

#: pro/fields/class-acf-field-repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "Máximo de filas alcanzado ({max} rows)"

#: pro/fields/class-acf-field-repeater.php:405
msgid "Add row"
msgstr "Agregar fila"

#: pro/fields/class-acf-field-repeater.php:406
msgid "Remove row"
msgstr "Remover fila"

#: pro/fields/class-acf-field-repeater.php:483
msgid "Collapsed"
msgstr "Colapsado"

#: pro/fields/class-acf-field-repeater.php:484
msgid "Select a sub field to show when row is collapsed"
msgstr "Elige un subcampo para indicar cuándo se colapsa la fila"

#: pro/fields/class-acf-field-repeater.php:494
msgid "Minimum Rows"
msgstr "Mínimo de Filas"

#: pro/fields/class-acf-field-repeater.php:504
msgid "Maximum Rows"
msgstr "Máximo de Filas"

#: pro/locations/class-acf-location-options-page.php:70
msgid "No options pages exist"
msgstr "No existen páginas de opciones"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opciones"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opciones Actualizadas"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Para habilitar actualizaciones, por favor, introduzca su llave de licencia "
"en la <a href=\"%s\">página de actualizaciones</a>. Si no tiene una llave de "
"licencia, por favor, consulta <a href=\"%s\">detalles y precios</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "Deshabilitado"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Deshabilitado <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Deshabilitados <span class=\"count\">(%s)</span>"

#~ msgid "See what's new in"
#~ msgstr "Que hay de nuevo en"

#~ msgid "version"
#~ msgstr "versión"

#~ msgid "Getting Started"
#~ msgstr "Comenzando"

#~ msgid "Field Types"
#~ msgstr "Tipos de Campos"

#~ msgid "Functions"
#~ msgstr "Funciones"

#~ msgid "Actions"
#~ msgstr "Acciones"

#~ msgid "'How to' guides"
#~ msgstr "Guías 'Cómo hacer'"

#~ msgid "Tutorials"
#~ msgstr "Tutoriales"

#~ msgid "Created by"
#~ msgstr "Creado por"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr ""
#~ "<b>Perfecto</b>. La herramienta de importación agregó %s grupos de "
#~ "campos: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Alerta</b>. La herramienta de importación detectó que %s grupos de "
#~ "campos ya existen y han sido ignorados: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Actualizar ACF"

#~ msgid "Upgrade"
#~ msgstr "Actualizar"

#~ msgid "Error"
#~ msgstr "Error"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Arrastra y suelta para reordenar"

#~ msgid "Upgrading data to"
#~ msgstr "Actualizando datos a"

#~ msgid "See what's new"
#~ msgstr "Mira qué hay de nuevo"

#~ msgid "Show a different month"
#~ msgstr "Mostrar un mes diferente"

#~ msgid "Return format"
#~ msgstr "Formato de Retorno"

#~ msgid "uploaded to this post"
#~ msgstr "subidos a este post"

#~ msgid "File Size"
#~ msgstr "Tamaño de Archivo"

#~ msgid "No File selected"
#~ msgstr "No hay ningún archivo seleccionado"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Por favor toma en cuenta que todo el texto será pasado primero por la "
#~ "función wp"

#~ msgid "Warning"
#~ msgstr "Alerta"

#~ msgid "Add new %s "
#~ msgstr "Agregar nuevo %s"

#~ msgid "eg. Show extra content"
#~ msgstr "ej. Mostrar contenido extra"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Error de Conección</b>. Disculpa, por favor intenta nuevamente"

#~ msgid "Save Options"
#~ msgstr "Guardar Opciones"

#~ msgid "License"
#~ msgstr "Licencia"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Para desbloquear las actualizaciones, por favor ingresa tu clabe de "
#~ "licencia debajo.  Si no tienes una clave de licencia, por favor mira"

#~ msgid "details & pricing"
#~ msgstr "detalles y precios"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "Fallo en la validación. Uno o más campos son requeridos."

#~ msgid "Error: Field Type does not exist!"
#~ msgstr "Error: El tipo de campo no existe!"

#~ msgid "No ACF groups selected"
#~ msgstr "No hay grupos de ACF seleccionados"

#~ msgid "Field Order"
#~ msgstr "Orden de los campos"

#~ msgid "Docs"
#~ msgstr "Docs"

#~ msgid "Field Instructions"
#~ msgstr "Instrucciones del campo"

#~ msgid "Save Field"
#~ msgstr "Guardar Field"

#~ msgid "Hide this edit screen"
#~ msgstr "Ocultar esta pantalla de edición"

#~ msgid "continue editing ACF"
#~ msgstr "continuar editando ACF"

#~ msgid "match"
#~ msgstr "coincide"

#~ msgid "of the above"
#~ msgstr "de los superiores"

#~ msgid "Field groups are created in order <br />from lowest to highest."
#~ msgstr "Los Field Groups son creados en orden <br /> de menor a mayor."

#~ msgid "Show on page"
#~ msgstr "Mostrar en página"

#~ msgid "Deselect items to hide them on the edit page"
#~ msgstr "Deselecciona items para esconderlos en la página de edición"

#~ msgid ""
#~ "If multiple ACF groups appear on an edit page, the first ACF group's "
#~ "options will be used. The first ACF group is the one with the lowest "
#~ "order number."
#~ msgstr ""
#~ "Si aparecen multiples grupos de ACF en una página de edición, se usarán "
#~ "las opciones del primer grupo. Se considera primer grupo de ACF al que "
#~ "cuenta con el número de orden más bajo."

#~ msgid ""
#~ "Read documentation, learn the functions and find some tips &amp; tricks "
#~ "for your next web project."
#~ msgstr ""
#~ "Lee la documentación, aprende sobre las funciones y encuentra algunos "
#~ "trucos y consejos para tu siguiente proyecto web."

#~ msgid "View the ACF website"
#~ msgstr "Ver la web de ACF"

#~ msgid "Vote"
#~ msgstr "Vota"

#~ msgid "Follow"
#~ msgstr "Sígueme"

#~ msgid "Advanced Custom Fields Settings"
#~ msgstr "Ajustes de Advanced Custom Fields"

#~ msgid "Activate Add-ons."
#~ msgstr "Activar Add-ons."

#~ msgid "Activation Code"
#~ msgstr "Código de activación"

#~ msgid "Repeater Field"
#~ msgstr "Repeater Field"

#~ msgid "Flexible Content Field"
#~ msgstr "Flexible Content Field"

#~ msgid ""
#~ "Add-ons can be unlocked by purchasing a license key. Each key can be used "
#~ "on multiple sites."
#~ msgstr ""
#~ "Las Add-ons pueden desbloquearse comprando una clave de licencia. Cada "
#~ "clave puede usarse en multiple sites."

#~ msgid "Find Add-ons"
#~ msgstr "Buscar Add-ons"

#~ msgid "Export Field Groups to XML"
#~ msgstr "Exportar Field Groups a XML"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr ""
#~ "ACF creará un archivo .xml que es compatible con el plugin de importación "
#~ "nativo de WP."

#~ msgid "Export XML"
#~ msgstr "Exportar XML"

#~ msgid "Navigate to the"
#~ msgstr "Navegar a"

#~ msgid "Import Tool"
#~ msgstr "Utilidad de importación"

#~ msgid "and select WordPress"
#~ msgstr "y selecciona WordPress"

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "Instalar el plugin de importación de WP si se pide"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "Subir e importar tu archivo .xml exportado"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "Selecciona tu usuario e ignora Import Attachments"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "¡Eso es todo! Feliz WordPressing"

#~ msgid "ACF will create the PHP code to include in your theme"
#~ msgstr "ACF creará el código PHP para incluir en tu tema"

#~ msgid "Create PHP"
#~ msgstr "Crear PHP"

#~ msgid "Register Field Groups with PHP"
#~ msgstr "Registrar Field Groups con PHP"

#~ msgid "Copy the PHP code generated"
#~ msgstr "Copia el código PHP generado"

#~ msgid "Paste into your functions.php file"
#~ msgstr "Pegalo en tu archivo functions.php"

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr ""
#~ "Para activar cualquier Add-on, edita y usa el código en las primeras "
#~ "pocas lineas."

#~ msgid "Back to settings"
#~ msgstr "Volver a los ajustes"

#~ 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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * Activar Add-ons\n"
#~ " * Aquí puedes introducir tus códigos de activación para desbloquear Add-"
#~ "ons y utilizarlos en tu tema. \n"
#~ " * Ya que todos los códigos de activación tiene licencia multi-site, se "
#~ "te permite incluir tu clave en temas premium. \n"
#~ " * Utiliza el código comentado para actualizar la base de datos con tu "
#~ "código de activación. \n"
#~ " * Puedes colocar este código dentro de una instrucción IF para que sólo "
#~ "funcione en la activación del tema.\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"
#~ " * This code must run every time the functions.php file is read\n"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " * Registrar field groups\n"
#~ " * La función register_field_group acepta un 1 array que contiene los "
#~ "datos pertinentes para registrar un Field Group\n"
#~ " * Puedes editar el array como mejor te parezca. Sin embargo, esto puede "
#~ "dar lugar a errores si la matriz no es compatible con ACF\n"
#~ " * Este código debe ejecutarse cada vez que se lee el archivo functions."
#~ "php\n"
#~ " */"

#~ msgid "No field groups were selected"
#~ msgstr "No hay ningún Field Group seleccionado"

#~ msgid "No choices to choose from"
#~ msgstr "No hay opciones para escojer"

#~ msgid ""
#~ "Enter your choices one per line<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tRed<br />\n"
#~ "\t\t\t\tBlue<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tor<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tred : Red<br />\n"
#~ "\t\t\t\tblue : Blue"
#~ msgstr ""
#~ "Introduce tus opciones, una por línea<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tRojo<br />\n"
#~ "\t\t\t\tAzul<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\to<br />\n"
#~ "\t\t\t\t<br />\n"
#~ "\t\t\t\tred : Rojo<br />\n"
#~ "\t\t\t\tblue : Azul"

#~ msgid "eg. dd/mm/yy. read more about"
#~ msgstr "ej. dd/mm/yy. leer más sobre"

#~ msgid "Remove File"
#~ msgstr "Eliminar Archivo"

#~ msgid "Click the \"add row\" button below to start creating your layout"
#~ msgstr ""
#~ "Haz click sobre el botón \"añadir fila\" para empezar a crear tu Layout"

#~ msgid "+ Add Row"
#~ msgstr "+ Añadir fila"

#~ msgid ""
#~ "No fields. Click the \"+ Add Field button\" to create your first field."
#~ msgstr ""
#~ "No hay campos. Haz click en el botón \"+ Añadir Campo\" para crear tu "
#~ "primer campo."

#~ msgid ""
#~ "Filter posts by selecting a post type<br />\n"
#~ "\t\t\t\tTip: deselect all post types to show all post type's posts"
#~ msgstr ""
#~ "Filtrar posts seleccionando un post type<br />\n"
#~ "\t\t\t\tConsejo: deselecciona todos los post type para mostrar todos los "
#~ "tipos de post"

#~ msgid "Filter from Taxonomy"
#~ msgstr "Filtrar por Taxonomía"

#~ msgid "Set to -1 for inifinit"
#~ msgstr "Se establece en -1 para inifinito"

#~ msgid "Repeater Fields"
#~ msgstr "Repeater Fields"

#~ msgid "Row Limit"
#~ msgstr "Limite de filas"

#~ msgid "Formatting"
#~ msgstr "Formato"

#~ msgid "Define how to render html tags"
#~ msgstr "Define como renderizar las etiquetas html"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Define como renderizar los tags html / nuevas lineas"

#~ msgid "Save"
#~ msgstr "Guardar"
PK�[�~�'�'�lang/acf-de_DE_formal.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.8 Formal\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-05-09 15:54+0200\n"
"PO-Revision-Date: 2019-05-09 17:23+0200\n"
"Last-Translator: Ralf Koller <r.koller@gmail.com>\n"
"Language-Team: Ralf Koller <r.koller@gmail.com>\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.2.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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

# @ acf
#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

# @ acf
#: acf.php:363 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Feldgruppen"

# @ acf
#: acf.php:364
msgid "Field Group"
msgstr "Feldgruppe"

# @ acf
#: acf.php:365 acf.php:397 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Erstellen"

# @ acf
#: acf.php:366
msgid "Add New Field Group"
msgstr "Neue Feldgruppe erstellen"

# @ acf
#: acf.php:367
msgid "Edit Field Group"
msgstr "Feldgruppe bearbeiten"

# @ acf
#: acf.php:368
msgid "New Field Group"
msgstr "Neue Feldgruppe"

# @ acf
#: acf.php:369
msgid "View Field Group"
msgstr "Feldgruppe anzeigen"

# @ acf
#: acf.php:370
msgid "Search Field Groups"
msgstr "Feldgruppen durchsuchen"

# @ acf
#: acf.php:371
msgid "No Field Groups found"
msgstr "Keine Feldgruppen gefunden"

# @ acf
#: acf.php:372
msgid "No Field Groups found in Trash"
msgstr "Keine Feldgruppen im Papierkorb gefunden"

# @ acf
#: acf.php:395 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Felder"

# @ acf
#: acf.php:396
msgid "Field"
msgstr "Feld"

# @ acf
#: acf.php:398
msgid "Add New Field"
msgstr "Feld hinzufügen"

# @ acf
#: acf.php:399
msgid "Edit Field"
msgstr "Feld bearbeiten"

# @ acf
#: acf.php:400 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Neues Feld"

# @ acf
#: acf.php:401
msgid "View Field"
msgstr "Feld anzeigen"

# @ acf
#: acf.php:402
msgid "Search Fields"
msgstr "Felder suchen"

# @ acf
#: acf.php:403
msgid "No Fields found"
msgstr "Keine Felder gefunden"

# @ acf
#: acf.php:404
msgid "No Fields found in Trash"
msgstr "Keine Felder im Papierkorb gefunden"

#: acf.php:443 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inaktiv"

#: acf.php:448
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inaktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inaktiv <span class=\"count\">(%s)</span>"

# @ acf
#: includes/acf-field-functions.php:828
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(keine Beschriftung)"

# @ acf
#: includes/acf-field-group-functions.php:816
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "Kopie"

# @ acf
#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Feldgruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Feldgruppe gelöscht."

# @ acf
#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Feldgruppe veröffentlicht."

# @ acf
#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Feldgruppe gespeichert."

# @ acf
#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Feldgruppe übertragen."

# @ acf
#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Feldgruppe geplant für."

# @ acf
#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Entwurf der Feldgruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Der Feldname darf nicht mit \"field_\" beginnen"

# @ acf
#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Diese Feld kann erst verschoben werden, wenn die Änderungen gespeichert "
"wurden"

# @ acf
#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Es ist ein Titel für die Feldgruppe erforderlich"

# @ acf
#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Wirklich in den Papierkorb verschieben?"

# @ acf
#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Es liegen keine Auswahl-Feldtypen vor"

# @ acf
#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Individuelles Feld verschieben"

# @ acf
#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Ausgewählt"

# @ acf
#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(dieses Feld)"

# @ acf
#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3862
msgid "or"
msgstr "oder"

# @ acf
#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Null"

# @ acf
#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Position"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Einstellungen"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Feldschlüssel"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktiviert"

# @ acf
#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "Verschieben erfolgreich abgeschlossen."

# @ acf
#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Das Feld \"%s\" wurde in die %s Feldgruppe verschoben"

# @ acf
#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "Schließen"

# @ acf
#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "In welche Feldgruppe solle dieses Feld verschoben werden"

# @ acf
#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "Feld verschieben"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Veröffentlicht <span class=\"count\">(%s)</span>"
msgstr[1] "Veröffentlicht <span class=\"count\">(%s)</span>"

# @ acf
#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Feldgruppe dupliziert."
msgstr[1] "%s Feldgruppen dupliziert."

# @ acf
#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Feldgruppe synchronisiert."
msgstr[1] "%s Feldgruppen synchronisiert."

# @ acf
#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Synchronisierung verfügbar"

# @ acf
#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:372
msgid "Title"
msgstr "Titel"

# @ acf
#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:399
msgid "Description"
msgstr "Beschreibung"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Status"

# @ acf
#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"WordPress durch leistungsfähige, professionelle und zugleich intuitive "
"Felder erweitern."

# @ acf
#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Änderungsprotokoll"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Was gibt es Neues in <a href=\"%s\">Version %s</a>."

# @ acf
#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Dokumentation (engl.)"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Website"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Dokumentation"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Hilfe"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Danke für das Vertrauen in <a href=\"%s\">ACF</a>."

# @ acf
#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Dieses Element duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Suchen"

# @ acf
#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "%s auswählen"

# @ acf
#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Synchronisiere Feldgruppe"

# @ acf
#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Synchronisieren"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Anwenden"

# @ acf
#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Massenverarbeitung"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Werkzeuge"

# @ acf
#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Datenbank upgraden"

# @ acf
#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Übersicht Websites & Upgrades"

# @ acf
#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Individuelle Felder"

# @ acf
#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

# @ acf
#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Was gibt es Neues"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Feldgruppen exportieren"

#: 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 "PHP erstellen"

# @ acf
#: 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 "Keine Feldgruppen ausgewählt"

#: 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] "Eine Feldgruppe wurde exportiert."
msgstr[1] "%s Feldgruppen wurden exportiert."

# @ acf
#: 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 "Feldgruppen auswählen"

# @ acf
#: 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 ""
"Entscheiden Sie welche Feldgruppen Sie exportieren möchten und wählen dann "
"das Exportformat. Benutzen Sie den „Datei exportieren“-Button, um eine JSON-"
"Datei zu generieren, welche Sie im Anschluss in eine andere ACF-Installation "
"importieren können. Verwenden Sie den „PHP erstellen“-Button, um den "
"resultierenden PHP-Code in ihr Theme einfügen zu können."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Datei exportieren"

# @ acf
#: 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 ""
"Der nachfolgende Code kann dazu verwendet werden eine lokale Version der "
"ausgewählten Feldgruppe(n) zu registrieren. Eine lokale Feldgruppe bietet "
"viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische "
"Felder und Einstellungen. Kopieren Sie einfach folgenden Code und füge ihn "
"in die functions.php oder eine externe Datei in Ihrem Theme ein."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "In die Zwischenablage kopieren"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Kopiert"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Feldgruppen importieren"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""
"Wählen Sie die Advanced Custom Fields JSON-Datei aus, welche Sie importieren "
"möchten. Nach dem Klicken des „Datei importieren“-Buttons wird ACF die "
"Feldgruppen hinzufügen."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Datei auswählen"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Datei importieren"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Keine Datei ausgewählt"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Fehler beim Upload der Datei. Bitte versuchen Sie es erneut"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Falscher Dateityp"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "Die importierte Datei ist leer"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Eine Feldgruppe importiert"
msgstr[1] "%s Feldgruppen importiert"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Bedingungen für die Anzeige"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Zeige dieses Feld, wenn"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "und"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Regelgruppe hinzufügen"

# @ acf
#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Ziehen zum Sortieren"

# @ acf
#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Feld bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:359
msgid "Edit"
msgstr "Bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Feld duplizieren"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Feld in eine andere Gruppe verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Feld löschen"

# @ acf
#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Löschen"

# @ acf
#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Feldbeschriftung"

# @ acf
#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Dieser Name wird in der Bearbeitungsansicht eines Beitrags angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Feldname"

# @ acf
#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Einzelnes Wort ohne Leerzeichen. Es sind nur Unter- und Bindestriche als "
"Sonderzeichen erlaubt"

# @ acf
#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Feldtyp"

# @ acf
#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Anweisungen"

# @ acf
#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr ""
"Anweisungen für die Autoren. Sie werden in der Bearbeitungsansicht angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Erforderlich?"

# @ acf
#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Wrapper-Attribute"

# @ acf
#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "Breite"

# @ acf
#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "Klasse"

# @ acf
#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "ID"

# @ acf
#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Feld schließen"

# @ acf
#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Reihenfolge"

# @ 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:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Beschriftung"

# @ acf
#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Name"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Schlüssel"

# @ acf
#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

# @ acf
#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Es sind noch keine Felder angelegt. Klicken Sie den <strong>+ Feld "
"hinzufügen-Button</strong> und erstellen Sie Ihr erstes Feld."

# @ acf
#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Feld hinzufügen"

# @ acf
#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regeln"

# @ acf
#: 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 ""
"Erstellen Sie ein Regelwerk das festlegt welche Bearbeitungs-Ansichten diese "
"Advanced Custom Fields nutzen"

# @ acf
#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

# @ acf
#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "WP-Metabox (Standard)"

# @ acf
#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Übergangslos ohne Metabox"

# @ acf
#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

# @ acf
#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Nach dem Titel vor dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Nach dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Seitlich neben dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Platzierung der Beschriftung"

# @ acf
#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Über dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Links neben dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Platzierung der Anweisungen"

# @ acf
#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Unterhalb der Beschriftungen"

# @ acf
#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Unterhalb der Felder"

# @ acf
#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Reihenfolge"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Feldgruppen mit einem niedrigeren Wert werden zuerst angezeigt"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "In der Feldgruppen-Liste anzeigen"

# @ acf
#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Permalink"

# @ acf
#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Inhalts-Editor"

# @ acf
#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Textauszug"

# @ acf
#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Diskussion"

# @ acf
#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Kommentare"

# @ acf
#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revisionen"

# @ acf
#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Titelform"

# @ acf
#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

# @ acf
#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

# @ acf
#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Seiten-Attribute"

# @ acf
#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Beitragsbild"

# @ acf
#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategorien"

# @ acf
#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Schlagworte"

# @ acf
#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Sende Trackbacks"

# @ acf
#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Verstecken"

# @ acf
#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<strong>Wählen</strong> Sie die Elemente, welche in der Bearbeitungsansicht "
"<strong>verborgen</strong> werden sollen."

# @ acf
#: includes/admin/views/field-group-options.php:129
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 ""
"Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die "
"Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Nummer in "
"der Reihe)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Folgende Websites erfordern ein Upgrade der Datenbank. Markieren Sie die "
"gewünschten Seiten und klicken Sie dann %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Websites upgraden"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Website"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Die Website erfordert ein Upgrade der Datenbank von %s auf %s"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Die Website ist aktuell"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Upgrade der Datenbank fertiggestellt. <a href=\"%s\">Zum Netzwerk Dashboard</"
"a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Bitte zumindest eine Website zum Upgrade auswählen."

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Es wird dringend empfohlen, dass Sie ihre Datenbank sichern, bevor Sie "
"fortfahren. Sind sie sicher, dass Sie jetzt die Aktualisierung durchführen "
"wollen?"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Daten auf Version %s upgraden"

# @ default
#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Upgrade abgeschlossen."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Upgrade fehlgeschlagen."

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Aufgaben für das Upgrade einlesen…"

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Datenbank-Upgrade abgeschlossen. <a href=\"%s\">Schauen Sie nach was es "
"Neues gibt</a>"

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "Keine Aktualisierungen verfügbar."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Zurück zur Werkzeugübersicht"

# @ acf
#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Zeige diese Felder, wenn"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Wiederholung"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Flexible Inhalte"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Options-Seite"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Es ist ein Upgrade der Datenbank erforderlich"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Danke für die Aktualisierung auf %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Die vorliegende Version enthält Verbesserungen für deine Datenbank und "
"erfordert ein Upgrade."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Stellen Sie bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die "
"neueste Version aktualisiert wurden."

# @ acf
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Zusatz-Module"

# @ acf
#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Download & Installieren"

# @ acf
#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installiert"

# @ acf
#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Willkommen bei Advanced Custom Fields"

# @ acf
#: 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 ""
"Vielen Dank fürs Aktualisieren! ACF %s ist größer und besser als je zuvor. "
"Wir hoffen es wird ihnen gefallen."

# @ acf
#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Eine reibungslosere Erfahrung"

# @ acf
#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Verbesserte Benutzerfreundlichkeit"

# @ acf
#: includes/admin/views/settings-info.php:20
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 ""
"Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die "
"Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie "
"Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern "
"signifikant verbessert."

# @ acf
#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Verbessertes Design"

# @ acf
#: includes/admin/views/settings-info.php:25
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 ""
"Viele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! "
"Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das "
"nagelneue oEmbed-Feld!"

# @ acf
#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Verbesserte Datenstruktur"

# @ acf
#: includes/admin/views/settings-info.php:30
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 ""
"Die Neugestaltung der Datenarchitektur erlaubt es, dass Unterfelder "
"unabhängig von ihren übergeordneten Feldern existieren können. Dies "
"ermöglicht, dass Felder per Drag-and-Drop, in und aus ihren übergeordneten "
"Feldern verschoben werden können!"

# @ acf
#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Macht's gut Add-ons&hellip; Hallo PRO"

# @ acf
#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Wir dürfen vorstellen&hellip; ACF PRO"

# @ acf
#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung "
"gestellt wird geändert - das \"wie\" dürfte Sie begeistern!"

# @ acf
#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Alle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen "
"<a href=\"%s\">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-"
"Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, "
"ist somit erschwinglicher denn je!"

# @ acf
#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Leistungsstarke Funktionen"

# @ acf
#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible "
"Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit "
"zusätzliche Options-Seiten im Admin-Bereich zu erstellen!"

# @ acf
#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lesen Sie mehr über die <a href=\"%s\">ACF PRO Funktionen</a>."

# @ acf
#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Kinderleichte Aktualisierung"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"Das Upgrade auf ACF PRO ist leicht. Einfach online eine Lizenz erwerben und "
"das Plugin herunterladen!"

# @ acf
#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Um möglichen Fragen zu begegnen haben wir haben einen <a href=\"%s\">Upgrade-"
"Leitfaden (Engl.)</a> erstellt. Sollten dennoch Fragen auftreten, "
"kontaktieren Sie bitte unser <a href=\"%s\"> Support-Team </a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Neue Funktionen"

# @ acf
#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Link-Feld"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Das Link-Feld bietet einen einfachen Weg um einen Link (URL, Titel, Ziel) "
"entweder auszuwählen oder zu definieren."

# @ acf
#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Gruppen-Feld"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""
"Das Gruppen-Feld bietet einen einfachen Weg eine Gruppe von Feldern zu "
"erstellen."

# @ acf
#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "oEmbed-Feld"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Das oEmbed-Feld erlaubt auf eine einfache Weise Videos, Bilder, Tweets, "
"Audio und weitere Inhalte einzubetten."

# @ acf
#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Klon-Feld"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"Das Klon-Feld erlaubt es ihnen bestehende Felder auszuwählen und anzuzeigen."

# @ acf
#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Mehr AJAX"

# @ acf
#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Mehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von "
"Seiten deutlich verringert."

# @ acf
#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Lokales JSON"

# @ acf
#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Ein neuer automatischer Export nach JSON verbessert die Geschwindigkeit und "
"erlaubt die Synchronisation."

# @ acf
#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Einfacher Import / Export"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Importe sowie Exporte können beide einfach auf der neuen Werkzeug-Seite "
"durchgeführt werden."

# @ acf
#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Neue Positionen für Formulare"

# @ acf
#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Felder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen "
"Benutzer-Formularen zugeordnet werden!"

# @ acf
#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Weitere Anpassungen"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Neue Aktionen und Filter für PHP und JS wurden hinzugefügt um noch mehr "
"Anpassungen zu erlauben."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Eine modernisierte Benutzeroberfläche"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Das Design des kompletten Plugins wurde modernisiert, inklusive neuer "
"Feldtypen, Einstellungen und Aussehen!"

# @ acf
#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Neue Einstellungen"

# @ acf
#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Die Feldgruppen wurden um die Einstellungen für das Aktivieren und "
"Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen "
"sowie eine Beschreibung erweitert."

# @ acf
#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Verbesserte Frontend-Formulare"

# @ acf
#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen "
"inklusive vieler neuer Einstellungsmöglichkeiten."

# @ acf
#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Bessere Validierung"

# @ acf
#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, "
"anstelle nur JS zu verwenden."

# @ acf
#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Verschiebbare Felder"

# @ acf
#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Die neue Feldgruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen und "
"übergeordneten Gruppen frei zu verschieben."

# @ acf
#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Wir glauben Sie werden die Änderungen in %s lieben."

# @ acf
#: includes/api/api-helpers.php:1003
msgid "Thumbnail"
msgstr "Vorschaubild"

# @ acf
#: includes/api/api-helpers.php:1004
msgid "Medium"
msgstr "Mittel"

# @ acf
#: includes/api/api-helpers.php:1005
msgid "Large"
msgstr "Groß"

# @ acf
#: includes/api/api-helpers.php:1054
msgid "Full Size"
msgstr "Volle Größe"

# @ acf
#: includes/api/api-helpers.php:1775 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(ohne Titel)"

# @ acf
#: includes/api/api-helpers.php:3783
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Die Breite des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3788
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Die Breite des Bildes darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3804
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Die Höhe des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3809
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Die Höhe des Bild darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3827
#, php-format
msgid "File size must be at least %s."
msgstr "Die Dateigröße muss mindestens %s sein."

# @ acf
#: includes/api/api-helpers.php:3832
#, php-format
msgid "File size must must not exceed %s."
msgstr "Die Dateigröße darf %s nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3866
#, php-format
msgid "File type must be %s."
msgstr "Der Dateityp muss %s sein."

# @ acf
#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wird"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Auswählen"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Bearbeiten"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Zu diesem Beitrag hochgeladen"

# @ acf
#: includes/assets.php:175
msgid "Expand Details"
msgstr "Details einblenden"

# @ acf
#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Details ausblenden"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Eingeschränkt"

# @ acf
#: includes/assets.php:178 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Alle Bilder"

# @ acf
#: includes/assets.php:181
msgid "Validation successful"
msgstr "Überprüfung erfolgreich"

# @ acf
#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Überprüfung fehlgeschlagen"

# @ acf
#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "Für 1 Feld ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "Für %d Felder ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Wirklich entfernen?"

# @ acf
#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Ja"

# @ acf
#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Nein"

# @ acf
#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:360
#: pro/fields/class-acf-field-gallery.php:549
msgid "Remove"
msgstr "Entfernen"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Abbrechen"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Hat einen Wert"

#: includes/assets.php:195
msgid "Has no value"
msgstr "Hat keinen Wert"

# @ acf
#: includes/assets.php:196
msgid "Value is equal to"
msgstr "Wert ist gleich"

# @ acf
#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "Wert ist ungleich"

# @ acf
#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "Wert entspricht regulärem Ausdruck"

#: includes/assets.php:199
msgid "Value contains"
msgstr "Wert enthält"

# @ acf
#: includes/assets.php:200
msgid "Value is greater than"
msgstr "Wert ist größer als"

# @ acf
#: includes/assets.php:201
msgid "Value is less than"
msgstr "Wert ist kleiner als"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "Auswahl ist größer als"

# @ acf
#: includes/assets.php:203
msgid "Selection is less than"
msgstr "Auswahl ist kleiner als"

# @ acf
#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Feldgruppe bearbeiten"

# @ acf
#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Feldtyp existiert nicht"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Unbekannt"

# @ acf
#: includes/fields.php:349
msgid "Basic"
msgstr "Grundlage"

# @ acf
#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Inhalt"

# @ acf
#: includes/fields.php:351
msgid "Choice"
msgstr "Auswahl"

# @ acf
#: includes/fields.php:352
msgid "Relational"
msgstr "Relational"

# @ acf
#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

# @ acf
#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Layout"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Akkordeon"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Geöffnet"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Dieses Akkordeon beim Laden der Seite als geöffnet anzeigen."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Gleichzeitig geöffnet"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Erlaubt dieses Akkordeon zu öffnen ohne andere zu schließen."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Endpunkt"

#: 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 ""
"Definiert einen Endpunkt an dem das vorangegangene Akkordeon endet. Dieses "
"abschließende Akkordeon wird nicht sichtbar sein."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Button-Gruppe"

# @ 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:364
msgid "Choices"
msgstr "Auswahlmöglichkeiten"

# @ acf
#: 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:365
msgid "Enter each choice on a new line."
msgstr "Jede Auswahlmöglichkeit in eine neue Zeile eingeben."

# @ acf
#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Für mehr Kontrolle, können Sie sowohl einen Wert als auch eine Beschriftung "
"wie folgt angeben:"

# @ acf
#: 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:365
msgid "red : Red"
msgstr "rot : Rot"

# @ 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "NULL-Werte zulassen?"

# @ acf
#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: 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:381
msgid "Default Value"
msgstr "Standardwert"

# @ acf
#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Erscheint bei der Erstellung eines neuen Beitrags"

# @ acf
#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertikal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Rückgabewert"

# @ acf
#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Legt den Rückgabewert für das Frontend fest"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Wert"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Beide (Array)"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Checkbox"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Alle auswählen"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Neue Auswahlmöglichkeit hinzufügen"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Individuelle Werte erlauben"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Erlaubt das Hinzufügen individueller Werte"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Individuelle Werte speichern"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Individuelle Werte unter den Auswahlmöglichkeiten des Feldes speichern"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Jeden Standardwert in einer neuen Zeile eingeben"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Alle Auswählen"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"Hängt eine zusätzliche Checkbox an mit der alle Optionen ausgewählt werden "
"können"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Farbauswahl"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Leeren"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Standard"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Farbe auswählen"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Aktuelle Farbe"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Datumsauswahl"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Fertig"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Heute"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Nächstes"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Vorheriges"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "W"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Darstellungsformat"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Das Format für die Anzeige in der Bearbeitungsansicht"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Individuelles Format:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Speicherformat"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Das Format das beim Speichern eines Wertes verwendet wird"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
msgid "Return Format"
msgstr "Rückgabeformat"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Das Format für die Ausgabe in den Template-Funktionen"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Die Woche beginnt am"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Datums- und Zeitauswahl"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Zeit auswählen"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Zeit"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Stunde"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minute"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunde"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisekunde"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunde"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Zeitzone"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Jetzt"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Fertig"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Auswählen"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "Vorm."

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "Vorm."

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "Nachm."

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "Nachm."

# @ acf
#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-Mail"

# @ acf
#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Platzhaltertext"

# @ acf
#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Platzhaltertext solange keine Eingabe im Feld vorgenommen wurde"

# @ acf
#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Voranstellen"

# @ acf
#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Wird dem Eingabefeld vorangestellt"

# @ acf
#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Anhängen"

# @ acf
#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Wird dem Eingabefeld hinten angestellt"

# @ acf
#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Datei"

# @ acf
#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Datei bearbeiten"

# @ acf
#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Datei aktualisieren"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Dateiname"

# @ acf
#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:708
#: pro/fields/class-acf-field-gallery.php:737
msgid "File size"
msgstr "Dateigröße"

# @ acf
#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Datei hinzufügen"

# @ acf
#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Datei-Array"

# @ acf
#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Datei-URL"

# @ acf
#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "Datei-ID"

# @ acf
#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:673
msgid "Library"
msgstr "Mediathek"

# @ acf
#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:674
msgid "Limit the media library choice"
msgstr "Beschränkt die Auswahl in der Mediathek"

# @ acf
#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:679
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Alle"

# @ acf
#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:680
msgid "Uploaded to post"
msgstr "Für den Beitrag hochgeladen"

# @ acf
#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:687
msgid "Minimum"
msgstr "Minimum"

# @ acf
#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Beschränkt welche Dateien hochgeladen werden können"

# @ acf
#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:716
msgid "Maximum"
msgstr "Maximum"

# @ acf
#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:745
msgid "Allowed file types"
msgstr "Erlaubte Dateiformate"

# @ acf
#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:746
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Eine durch Komma getrennte Liste. Leer lassen um alle Dateiformate zu "
"erlauben"

# @ acf
#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Maps"

# @ acf
#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Dieser Browser unterstützt keine Geo-Lokation"

# @ acf
#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Position löschen"

# @ acf
#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Aktuelle Position finden"

# @ acf
#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Nach der Adresse suchen..."

# @ acf
#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Mittelpunkt"

# @ acf
#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Mittelpunkt der Ausgangskarte"

# @ acf
#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Zoom"

# @ acf
#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Legt die anfängliche Zoomstufe der Karte fest"

# @ acf
#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:699
#: pro/fields/class-acf-field-gallery.php:728
msgid "Height"
msgstr "Höhe"

# @ acf
#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Passt die Höhe der Karte an"

# @ acf
#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Gruppe"

# @ acf
#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Unterfelder"

#: 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 "Gibt die Art an wie die ausgewählten Felder ausgegeben werden sollen"

# @ acf
#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Block"

# @ acf
#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Tabelle"

# @ acf
#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Reihe"

# @ acf
#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Bild"

# @ acf
#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Bild auswählen"

# @ acf
#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Bild bearbeiten"

# @ acf
#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Bild aktualisieren"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Kein Bild ausgewählt"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Bild hinzufügen"

# @ acf
#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Bild-Array"

# @ acf
#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Bild-URL"

# @ acf
#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "Bild-ID"

# @ acf
#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Maße der Vorschau"

# @ acf
#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Legt fest welche Maße die Vorschau in der Bearbeitungsansicht hat"

# @ acf
#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Restrict which images can be uploaded"
msgstr "Beschränkt welche Bilder hochgeladen werden können"

# @ acf
#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:691
#: pro/fields/class-acf-field-gallery.php:720
msgid "Width"
msgstr "Breite"

# @ acf
#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

# @ acf
#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Link auswählen"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "In einem neuen Fenster/Tab öffnen"

# @ acf
#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Link-Array"

# @ acf
#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Link-URL"

# @ acf
#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mitteilung"

# @ acf
#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Neue Zeilen"

# @ acf
#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Legt fest wie Zeilenumbrüche gerendert werden"

# @ acf
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Automatisches hinzufügen von Absätzen"

# @ acf
#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Automatisches hinzufügen von &lt;br&gt;"

# @ acf
#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Keine Formatierung"

# @ acf
#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escape HTML"

# @ acf
#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Erlaubt HTML-Markup als sichtbaren Text anzuzeigen anstelle diesen zu rendern"

# @ acf
#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Numerisch"

# @ acf
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Mindestwert"

# @ acf
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Maximalwert"

# @ acf
#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Schrittweite"

# @ acf
#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Wert muss eine Zahl sein"

# @ acf
#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Wert muss größer oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Wert muss kleiner oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

# @ acf
#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "URL eingeben"

# @ acf
#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Maße"

# @ acf
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Seiten-Link"

# @ acf
#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archive"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Übergeordnet"

# @ acf
#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Nach Inhaltstyp filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Alle Inhaltstypen"

# @ acf
#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Nach Taxonomien filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Alle Taxonomien"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Archiv-URL's zulassen"

# @ acf
#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Mehrere Werte auswählbar?"

# @ acf
#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Passwort"

# @ acf
#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Beitrags-Objekt"

# @ acf
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "Beitrags-ID"

# @ acf
#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radio-Button"

# @ acf
#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Weitere"

# @ acf
#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""
"Das Hinzufügen der Auswahlmöglichkeit ‚Weitere‘ erlaubt benutzerdefinierte "
"Werte"

# @ acf
#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Weitere speichern"

# @ acf
#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Numerischer Bereich"

# @ acf
#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Beziehung"

# @ acf
#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Maximum der Einträge mit ({max} Einträge) erreicht"

# @ acf
#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Lade"

# @ acf
#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Keine Übereinstimmung gefunden"

# @ acf
#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Inhaltstyp auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Taxonomie auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Suchen..."

# @ acf
#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filter"

# @ acf
#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Inhaltstyp"

# @ acf
#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

# @ acf
#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elemente"

# @ acf
#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Die ausgewählten Elemente werden in jedem Ergebnis angezeigt"

# @ acf
#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Mindestzahl an Beiträgen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Höchstzahl an Beiträgen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:818
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s benötigt mindestens %s Selektion"
msgstr[1] "%s benötigt mindestens %s Selektionen"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Auswahl"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""
"Es ist ein Ergebnis verfügbar, drücken Sie die Eingabetaste um es "
"auszuwählen."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"Es sind %d Ergebnisse verfügbar, benutzen Sie die Pfeiltasten um nach oben "
"und unten zu navigieren."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Keine Übereinstimmungen gefunden"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Geben Sie bitte ein oder mehr Zeichen ein"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Geben Sie bitte %d oder mehr Zeichen ein"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Löschen Sie bitte ein Zeichen"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Löschen Sie bitte %d Zeichen"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Sie können nur ein Element auswählen"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Sie können nur %d Elemente auswählen"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Mehr Ergebnisse laden&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Suchen&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Laden fehlgeschlagen"

# @ acf
#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Select2-Library aktivieren"

# @ acf
#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "AJAX verwenden um die Auswahl mittels Lazy Loading zu laden?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Legen Sie den Rückgabewert fest"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Trennelement"

# @ acf
#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Tab"

# @ acf
#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Platzierung"

#: 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 ""
"Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der "
"Startpunkt für eine neue Gruppe an Tabs."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Keine %s"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Wählen Sie die Taxonomie, welche angezeigt werden soll"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Anzeige"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Wählen Sie das Aussehen für dieses Feld"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Mehrere Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Auswahlmenü"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Einzelne Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Radio Button"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Begriffe erstellen"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Erlaubt das Erstellen neuer Begriffe während des Bearbeitens"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Begriffe speichern"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Verbindet die ausgewählten Begriffe mit dem Beitrag"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Begriffe laden"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Den Wert aus den Begriffen des Beitrags laden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Begriffs-Objekt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "Begriffs-ID"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Der Benutzer kann keine neue %s hinzufügen"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s ist bereits vorhanden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s hinzugefügt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Hinzufügen"

# @ acf
#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text einzeilig"

# @ acf
#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Zeichenbegrenzung"

# @ acf
#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Leer lassen für keine Begrenzung"

#: includes/fields/class-acf-field-text.php:181
#: includes/fields/class-acf-field-textarea.php:213
#, php-format
msgid "Value must not exceed %d characters"
msgstr "Wert darf %d Zeichen nicht überschreiten"

# @ acf
#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Text mehrzeilig"

# @ acf
#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Zeilenanzahl"

# @ acf
#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Definiert die Höhe des Textfelds"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Zeitauswahl"

# @ acf
#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Wahr / Falsch"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Zeigt den Text neben der Checkbox an"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Wenn aktiv"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Der Text der im aktiven Zustand angezeigt wird"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Wenn inaktiv"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Der Text der im inaktiven Zustand angezeigt wird"

# @ acf
#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

# @ acf
#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Bitte eine gültige URL eingeben"

# @ acf
#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Benutzer"

# @ acf
#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Nach Rolle filtern"

# @ acf
#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Alle Benutzerrollen"

# @ acf
#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Benutzer-Array"

# @ acf
#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Benutzer-Objekt"

# @ acf
#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "Benutzer-ID"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "WYSIWYG-Editor"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Klicken um TinyMCE zu initialisieren"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Tabs"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visuell & Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Nur Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Nur Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Werkzeugleiste"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Button zum Hochladen von Medien anzeigen?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Initialisierung verzögern?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE wird nicht initialisiert solange das Feld nicht geklickt wurde"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "E-Mail bestätigen"

# @ acf
#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:591
#: pro/options-page.php:81
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Beitrag aktualisiert"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam entdeckt"

# @ acf
#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Beitrag"

# @ acf
#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Seite"

# @ acf
#: includes/locations.php:96
msgid "Forms"
msgstr "Formulare"

# @ acf
#: includes/locations.php:243
msgid "is equal to"
msgstr "ist gleich"

# @ acf
#: includes/locations.php:244
msgid "is not equal to"
msgstr "ist ungleich"

# @ acf
#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Dateianhang"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Alle %s Formate"

# @ acf
#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentar"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Aktuelle Benutzerrolle"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super-Administrator"

# @ acf
#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Aktueller Benutzer"

# @ acf
#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Angemeldet"

# @ acf
#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Frontend anzeigen"

# @ acf
#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Backend anzeigen"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menüelement"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menü"

# @ acf
#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Menüpositionen"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menüs"

# @ acf
#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Übergeordnete Seite"

# @ acf
#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Seiten-Template"

# @ acf
#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Standard-Template"

# @ acf
#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Seitentyp"

# @ acf
#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Startseite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Beitrags-Seite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Seite ohne übergeordnete Seiten"

# @ acf
#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Übergeordnete Seite (mit Unterseiten)"

# @ acf
#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Unterseite (mit übergeordneter Seite)"

# @ acf
#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Beitragskategorie"

# @ acf
#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Beitragsformat"

# @ acf
#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Beitragsstatus"

# @ acf
#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Beitrags-Taxonomie"

# @ acf
#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Beitrags-Template"

# @ acf
#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Benutzerformular"

# @ acf
#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Hinzufügen / Bearbeiten"

# @ acf
#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registrieren"

# @ acf
#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Benutzerrolle"

# @ acf
#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

# @ acf
#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s Wert ist erforderlich"

# @ acf
#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

# @ acf
#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Veröffentlichen"

# @ acf
#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Keine Feldgruppen für diese Options-Seite gefunden. <a href=\"%s\">Eine "
"Feldgruppe erstellen</a>"

# @ acf
#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr ""
"<b>Fehler</b>. Es konnte keine Verbindung zum Aktualisierungsserver "
"hergestellt werden"

# @ acf
#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aktualisierungen"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Fehler</b>. Das Aktualisierungspaket konnte nicht authentifiziert werden. "
"Bitte probieren Sie es nochmal oder deaktivieren und reaktivieren Sie ihre "
"ACF PRO-Lizenz."

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Lizenz deaktivieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Lizenz aktivieren"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Lizenzinformation"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Um die Aktualisierungsfähigkeit freizuschalten geben Sie bitte unten Ihren "
"Lizenzschlüssel ein. Falls Sie keinen besitzen sollten informieren Sie sich "
"bitte hier hinsichtlich <a href=\"%s\" target=\"_blank\">Preisen und aller "
"weiteren Details</a>."

# @ acf
#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Lizenzschlüssel"

# @ acf
#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Aktualisierungsinformationen"

# @ acf
#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Installierte Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Aktuellste Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Aktualisierung verfügbar"

# @ acf
#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Plugin aktualisieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Bitte geben Sie oben Ihren Lizenzschlüssel ein um die "
"Aktualisierungsfähigkeit freizuschalten"

# @ acf
#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Erneut suchen"

# @ acf
#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Hinweis zum Upgrade"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Zum Bearbeiten wechseln"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Zur Vorschau wechseln"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klon"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Wählen Sie ein oder mehrere Felder aus die Sie klonen möchten"

# @ acf
#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Anzeige"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Geben Sie den Stil an mit dem das Klon-Feld angezeigt werden soll"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses "
"Feldes an)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Beschriftungen werden als %s angezeigt"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Präfix für Feldbeschriftungen"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Werte werden als %s gespeichert"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Präfix für Feldnamen"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Unbekanntes Feld"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Unbekannte Feldgruppe"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Alle Felder der Feldgruppe %s"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "Layout"
msgstr[1] "Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "Einträge"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Dieses Feld erfordert mindestens {min} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Dieses Feld erlaubt höchstens {max} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} möglich (max {max})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} erforderlich (min {min})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibler Inhalt benötigt mindestens ein Layout"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klicke \"%s\" zum Erstellen des Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Layout entfernen"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Zum Auswählen anklicken"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Layout sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Layout löschen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Layout duplizieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Neues Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Min"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Max"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Button-Beschriftung"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Mindestzahl an Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Höchstzahl an Layouts"

# @ acf
#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Bild zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Maximale Auswahl erreicht"

# @ acf
#: pro/fields/class-acf-field-gallery.php:338
msgid "Length"
msgstr "Länge"

#: pro/fields/class-acf-field-gallery.php:381
msgid "Caption"
msgstr "Bildunterschrift"

#: pro/fields/class-acf-field-gallery.php:390
msgid "Alt Text"
msgstr "Alt Text"

# @ acf
#: pro/fields/class-acf-field-gallery.php:562
msgid "Add to gallery"
msgstr "Zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:566
msgid "Bulk actions"
msgstr "Massenverarbeitung"

# @ acf
#: pro/fields/class-acf-field-gallery.php:567
msgid "Sort by date uploaded"
msgstr "Sortiere nach Upload-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:568
msgid "Sort by date modified"
msgstr "Sortiere nach Änderungs-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:569
msgid "Sort by title"
msgstr "Sortiere nach Titel"

# @ acf
#: pro/fields/class-acf-field-gallery.php:570
msgid "Reverse current order"
msgstr "Aktuelle Sortierung umkehren"

# @ acf
#: pro/fields/class-acf-field-gallery.php:588
msgid "Close"
msgstr "Schließen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum Selection"
msgstr "Minimale Auswahl"

# @ acf
#: pro/fields/class-acf-field-gallery.php:651
msgid "Maximum Selection"
msgstr "Maximale Auswahl"

#: pro/fields/class-acf-field-gallery.php:660
msgid "Insert"
msgstr "Einfügen"

#: pro/fields/class-acf-field-gallery.php:661
msgid "Specify where new attachments are added"
msgstr "Gibt an wo neue Anhänge hinzugefügt werden"

#: pro/fields/class-acf-field-gallery.php:665
msgid "Append to the end"
msgstr "Anhängen"

#: pro/fields/class-acf-field-gallery.php:666
msgid "Prepend to the beginning"
msgstr "Voranstellen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "Mindestzahl der Einträge hat ({min} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Höchstzahl der Einträge hat ({max} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Eintrag löschen"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Zugeklappt"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll"

# @ acf
#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Mindestzahl der Einträge"

# @ acf
#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Höchstzahl der Einträge"

# @ acf
#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Keine Options-Seiten vorhanden"

# @ acf
#: pro/options-page.php:51
msgid "Options"
msgstr "Optionen"

# @ acf
#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Optionen aktualisiert"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Um die Aktualisierungsfähigkeit freizuschalten geben Sie bitte Ihren "
"Lizenzschlüssel auf der <a href=\"%s\">Aktualisierungen</a> Seite ein. Falls "
"Sie keinen besitzen informieren Sie sich bitte hier hinsichtlich der <a href="
"\"%s\" target=\"_blank\">Preise und Einzelheiten</a>."

#: tests/basic/test-blocks.php:13
msgid "Testimonial"
msgstr "Testimonial"

#: tests/basic/test-blocks.php:14
msgid "A custom testimonial block."
msgstr "Ein individueller Testimonial-Block."

#: tests/basic/test-blocks.php:40
msgid "Slider"
msgstr "Slider"

# @ acf
#: tests/basic/test-blocks.php:41
msgid "A custom gallery slider."
msgstr "Ein individueller Galerie-Slider."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

# @ acf
#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

# @ acf
#~ msgid "%s field group duplicated."
#~ msgid_plural "%s field groups duplicated."
#~ msgstr[0] "%s Feldgruppe dupliziert."
#~ msgstr[1] "%s Feldgruppen dupliziert."

# @ acf
#~ msgid "%s field group synchronised."
#~ msgid_plural "%s field groups synchronised."
#~ msgstr[0] "%s Feldgruppe synchronisiert."
#~ msgstr[1] "%s Feldgruppen synchronisiert."

# @ acf
#~ msgid "<b>Error</b>. Could not load add-ons list"
#~ msgstr ""
#~ "<b>Fehler</b>. Die Liste der Zusatz-Module kann nicht geladen werden"

#~ msgid "Error validating request"
#~ msgstr "Fehler bei der Überprüfung der Anfrage"

# @ acf
#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Advanced Custom Fields Datenbank-Upgrade"

# @ acf
#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Bevor Sie die großartigen neuen Funktionen nutzen können ist ein Upgrade "
#~ "der Datenbank notwendig."

# @ acf
#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Wir haben den Aktualisierungsprozess so einfach wie möglich gehalten; <a "
#~ "href=\"%s\">melden Sie sich mit Ihrem Store-Account an</a> und fordern "
#~ "Sie ein Gratisexemplar von ACF PRO an!"

# @ acf
#~ msgid "Under the Hood"
#~ msgstr "Unter der Haube"

# @ acf
#~ msgid "Smarter field settings"
#~ msgstr "Intelligentere Feld-Einstellungen"

# @ acf
#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr ""
#~ "ACF speichert nun die Feld-Einstellungen als individuelle Beitrags-Objekte"

# @ acf
#~ msgid "Better version control"
#~ msgstr "Verbesserte Versionskontrolle"

# @ acf
#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Die neue JSON Export Funktionalität erlaubt die Versionskontrolle von "
#~ "Feld-Einstellungen"

# @ acf
#~ msgid "Swapped XML for JSON"
#~ msgstr "JSON ersetzt XML"

# @ acf
#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "Das Import- und Export-Modul nutzt nun JSON anstelle XML"

# @ acf
#~ msgid "New Forms"
#~ msgstr "Neue Formulare"

# @ acf
#~ msgid "A new field for embedding content has been added"
#~ msgstr "Ein neues Feld für das Einbetten von Inhalten wurde hinzugefügt"

# @ acf
#~ msgid "New Gallery"
#~ msgstr "Neue Galerie"

# @ acf
#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr ""
#~ "Das Galerie-Feld wurde einem längst überfälligen Face-Lifting unterzogen"

# @ acf
#~ msgid "Relationship Field"
#~ msgstr "Beziehungs-Feld"

# @ acf
#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr ""
#~ "Neue Einstellungen innerhalb des Beziehungs-Feldes um nach Suche, "
#~ "Beitrags-Typ und oder Taxonomie filtern zu können"

# @ acf
#~ msgid "New archives group in page_link field selection"
#~ msgstr ""
#~ "Im neuen Seitenlink-Feld werden alle Archiv-URL's der verfügbaren Custom "
#~ "Post Types in einer Options-Gruppe zusammengefasst"

# @ acf
#~ msgid "Better Options Pages"
#~ msgstr "Verbesserte Options-Seiten"

# @ acf
#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Neue Funktionen für die Options-Seite erlauben die Erstellung von Menüs "
#~ "für übergeordnete Seiten sowie Unterseiten"

# @ acf
#~ msgid "None"
#~ msgstr "Nur Text"

#~ msgid "Error."
#~ msgstr "Fehler."

# @ acf
#~ msgid "remove {layout}?"
#~ msgstr "{layout} löschen?"

# @ acf
#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Dieses Feld erfordert mindestens {min} {identifier}"

# @ acf
#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Maximale {label}-Anzahl erreicht ({max} {identifier})"

# @ acf
#~ msgid "Parent fields"
#~ msgstr "Übergeordnete Felder"

# @ acf
#~ msgid "Sibling fields"
#~ msgstr "Geschwister-Felder"

# @ acf
#~ msgid "Locating"
#~ msgstr "Lokalisiere"

# @ acf
#~ msgid "No embed found for the given URL."
#~ msgstr "Keine Inhalte für die eingegebene URL gefunden."

# @ acf
#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Minimum der Einträge mit ({min} Einträge) erreicht"

# @ acf
#~ msgid "Taxonomy Term"
#~ msgstr "Taxonomie"

# @ acf
#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportieren der Feld-Gruppen nach PHP"

# @ acf
#~ msgid "Download export file"
#~ msgstr "JSON-Datei exportieren"

# @ acf
#~ msgid "Generate export code"
#~ msgstr "Erstelle PHP-Code"

# @ acf
#~ msgid "Import"
#~ msgstr "Importieren"

# @ acf
#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Ein Tab-Feld wird nicht korrekt dargestellt, wenn es zu einem "
#~ "Wiederholung- oder Flexible-Inhalte-Feld im Tabellen-Layout eingebunden "
#~ "ist"

# @ acf
#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Mit \"Tab Feldern\" können Felder für eine bessere Struktur im Editor in "
#~ "Tabs zusammengefasst werden."

# @ acf
#~ 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 ""
#~ "Alle Felder, die auf dieses \"Tab Feld\" folgen (oder bis ein weiteres "
#~ "\"Tab Feld\" definiert ist), werden in einem Tab mit dem Namen dieses "
#~ "Felds zusammengefasst."

# @ acf
#~ msgid "Getting Started"
#~ msgstr "Erste Schritte"

# @ acf
#~ msgid "Field Types"
#~ msgstr "Feld-Typen"

# @ acf
#~ msgid "Functions"
#~ msgstr "Funktionen"

# @ acf
#~ msgid "Actions"
#~ msgstr "Aktionen"

#~ msgid "How to"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Tutorials"
#~ msgstr "Ausführliche Anleitungen"

#~ msgid "FAQ"
#~ msgstr "Häufig gestellte Fragen"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Term Meta-Aktualisierung war nicht möglich (die termmeta-Tabelle "
#~ "existiert nicht)"

# @ acf
#~ msgid "Error"
#~ msgstr "Fehler"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "Ein Feld bedarf Ihrer Aufmerksamkeit."
#~ msgstr[1] "%d Felder bedürfen Ihrer Aufmerksamkeit."

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Fehler bei der Überprüfung der ACF PRO Lizenz URL (Webseiten stimmen "
#~ "nicht überein). Bitte reaktivieren sie ihre Lizenz"

#~ msgid "Disabled"
#~ msgstr "Deaktiviert"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Deaktiviert <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Deaktiviert <span class=\"count\">(%s)</span>"

# @ acf
#~ msgid "'How to' guides"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Created by"
#~ msgstr "Erstellt von"

#~ msgid "Error loading update"
#~ msgstr "Fehler beim Laden der Aktualisierung"

# @ acf
#~ msgid "See what's new"
#~ msgstr "Was ist neu"

# @ acf
#~ msgid "eg. Show extra content"
#~ msgstr "z.B. Zeige zusätzliche Inhalte"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Fehler bei der Überprüfung der Lizenz-URL (Webseite stimmt nicht "
#~ "überein). Bitte reaktivieren Sie ihre Lizenz"

# @ acf
#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Erfolgreich</b>. Der Import hat %s Feld-Gruppen hinzugefügt: %s"

# @ acf
#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Warnung</b>. Der Import hat %s Feld-Gruppen erkannt, die schon "
#~ "vorhanden sind und diese ignoriert: %s"

# @ acf
#~ msgid "Upgrade ACF"
#~ msgstr "Aktualisiere ACF"

# @ acf
#~ msgid "Upgrade"
#~ msgstr "Aktualisieren"

# @ acf
#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Die folgenden Seiten erfordern eine Datenbank- Aktualisierung. Markieren "
#~ "Sie die gewünschten Seiten und klicken \\\"Aktualisiere Datenbank\\\"."

# @ acf
#~ msgid "Select"
#~ msgstr "Auswahlmenü"

# @ acf
#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr ""
#~ "<b>Verbindungsfehler</b>. Entschuldigung, versuchen Sie es bitte später "
#~ "noch einmal"

# @ acf
#~ msgid "Done"
#~ msgstr "Fertig"

# @ acf
#~ msgid "Today"
#~ msgstr "Heute"

# @ acf
#~ msgid "Show a different month"
#~ msgstr "Zeige einen anderen Monat"

# @ acf
#~ msgid "See what's new in"
#~ msgstr "Neuerungen in"

# @ acf
#~ msgid "version"
#~ msgstr "Version"

#~ msgid "Upgrading data to"
#~ msgstr "Aktualisiere Daten auf"

# @ acf
#~ msgid "Return format"
#~ msgstr "Rückgabe-Format"

# @ acf
#~ msgid "uploaded to this post"
#~ msgstr "zu diesem Beitrag hochgeladen"

# @ acf
#~ msgid "File Name"
#~ msgstr "Dateiname"

# @ acf
#~ msgid "File Size"
#~ msgstr "Dateigröße"

# @ acf
#~ msgid "No File selected"
#~ msgstr "Keine Datei ausgewählt"

# @ acf
#~ msgid "License"
#~ msgstr "Lizenz"

# @ acf
#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Um die Aktualisierungs-Fähigkeit freizuschalten, tragen Sie bitte Ihren "
#~ "Lizenzschlüssel im darunterliegenden Feld ein. Sollten Sie noch keinen "
#~ "Lizenzschlüssel besitzen, informieren Sie sich bitte hier über die"

# @ acf
#~ msgid "details & pricing"
#~ msgstr "Details und Preise."

# @ acf
#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Um die Aktualisierungen freizuschalten, tragen Sie bitte Ihren "
#~ "Lizenzschlüssel auf der <a href=\"%s\">Aktualisierungen</a>-Seite ein. "
#~ "Sollten Sie noch keinen Lizenzschlüssel besitzen, informieren Sie sich "
#~ "bitte hier über die <a href=\"%s\">Details und Preise</a>"

# @ acf
#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

# @ acf
#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

# @ acf
#~ msgid "elliot condon"
#~ msgstr "elliot condon"

# @ acf
#~ msgid "Drag and drop to reorder"
#~ msgstr "Mittels Drag-and-Drop die Reihenfolge ändern"

# @ acf
#~ msgid "Add new %s "
#~ msgstr "Neue %s "

# @ acf
#~ msgid "Save Options"
#~ msgstr "Optionen speichern"

#~ msgid "Sync Available"
#~ msgstr "Synchronisierung verfügbar"

# @ acf
#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Bitte beachten Sie, dass der gesamte Text zuerst durch eine WordPress "
#~ "Funktion gefiltert wird. Siehe: "

# @ acf
#~ msgid "Warning"
#~ msgstr "Warnung"

# @ acf
#~ msgid "Show Field Keys"
#~ msgstr "Zeige Feld-Schlüssel"

# @ acf
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "Felder-Gruppen werden nach diesem Wert sortiert, vom niedrigsten zum "
#~ "höchsten Wert."

# @ acf
#~ msgid "Hide / Show All"
#~ msgstr "Alle Verstecken"

# @ acf
#~ msgid "5.2.6"
#~ msgstr "5.2.6"

# @ acf
#~ msgid "Sync Terms"
#~ msgstr "Einträge synchronisieren"
PK�[���և���lang/acf-fr_CA.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.8.2\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-08-02 20:54-0400\n"
"PO-Revision-Date: 2019-08-02 21:08-0400\n"
"Last-Translator: Berenger Zyla <hello@berengerzyla.com>\n"
"Language-Team: Bérenger Zyla <hello@berengerzyla.com>\n"
"Language: fr_CA\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.2.3\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

# @ acf
#: acf.php:79
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

# @ acf
#: acf.php:359 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Groupes de champs"

# @ acf
#: acf.php:360
msgid "Field Group"
msgstr "Groupe de champs"

# @ acf
#: acf.php:361 acf.php:393 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Ajouter"

# @ acf
#: acf.php:362
msgid "Add New Field Group"
msgstr "Ajouter un nouveau groupe de champs"

# @ acf
#: acf.php:363
msgid "Edit Field Group"
msgstr "Modifier le groupe de champs"

# @ acf
#: acf.php:364
msgid "New Field Group"
msgstr "Nouveau groupe de champs"

# @ default
#: acf.php:365
msgid "View Field Group"
msgstr "Voir le groupe de champs"

# @ default
#: acf.php:366
msgid "Search Field Groups"
msgstr "Rechercher des groupes de champs"

# @ default
#: acf.php:367
msgid "No Field Groups found"
msgstr "Aucun groupe de champs trouvé"

# @ default
#: acf.php:368
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:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Champs"

# @ acf
#: acf.php:392
msgid "Field"
msgstr "Champ"

# @ acf
#: acf.php:394
msgid "Add New Field"
msgstr "Ajouter un champ"

# @ acf
#: acf.php:395
msgid "Edit Field"
msgstr "Modifier le champ"

# @ acf
#: acf.php:396 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Nouveau champ"

# @ acf
#: acf.php:397
msgid "View Field"
msgstr "Voir le champ"

# @ default
#: acf.php:398
msgid "Search Fields"
msgstr "Rechercher des champs"

# @ default
#: acf.php:399
msgid "No Fields found"
msgstr "Aucun champ trouvé"

# @ default
#: acf.php:400
msgid "No Fields found in Trash"
msgstr "Aucun champ trouvé dans la corbeille"

#: acf.php:439 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inactif"

#: acf.php:444
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactif <span class=\"count\">(%s)</span>"
msgstr[1] "Inactifs <span class=\"count\">(%s)</span>"

#: includes/acf-field-functions.php:827
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(aucun label)"

#: includes/acf-field-group-functions.php:813
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "copie"

# @ default
#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Groupe de champs mis à jour."

# @ default
#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Groupe de champs supprimé."

# @ default
#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Groupe de champ publié."

# @ default
#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Groupe de champ enregistré."

# @ default
#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Groupe de champ enregistré."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Groupe de champs programmé pour."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Brouillon du groupe de champs mis à jour."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Le nom d’un champ ne peut pas commencer par « field_ »"

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Ce champ ne peut pas être déplacé tant que ses modifications n'ont pas été "
"enregistrées"

# @ default
#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Veuillez indiquer un titre pour le groupe de champs"

# @ acf
#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Mettre à la corbeille. Êtes-vous sûr?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Aucun champ de sélection disponible"

# @ acf
#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Déplacer le champ personnalisé"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Coché"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(ce champ)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3871
msgid "or"
msgstr "ou"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Vide"

# @ acf
#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Emplacement"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Réglages"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Identifiants des champs"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Actif"

#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "Déplacement effectué."

#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Le champ %s a été déplacé dans le groupe %s"

# @ acf
#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "Fermer la fenêtre"

# @ acf
#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "Choisissez la destination de ce champ"

# @ acf
#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "Déplacer le champ"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Actif <span class=\"count\">(%s)</span>"
msgstr[1] "Actifs <span class=\"count\">(%s)</span>"

# @ default
#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Groupe de champs dupliqué."
msgstr[1] "%s groupes de champs dupliqués."

# @ default
#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Groupe de champs synchronisé."
msgstr[1] "%s groupes de champs synchronisés."

# @ acf
#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Synchronisation disponible"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:374
msgid "Title"
msgstr "Titre"

# @ acf
#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:401
msgid "Description"
msgstr "Description"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Statut"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"Personnalisez WordPress avec des champs intuitifs, puissants et "
"professionnels."

# @ acf
#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Liste des modifications"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Découvrez les nouveautés de la <a href=\"%s\">version %s</a>."

# @ acf
#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Ressources"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Site web"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Documentation"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Support"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Merci de créer avec <a href=\"%s\">ACF</a>."

# @ acf
#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Dupliquer cet élément"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Dupliquer"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Rechercher"

# @ acf
#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "Choisir %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Synchroniser le groupe de champs"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Synchroniser"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Appliquer"

# @ acf
#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Actions groupées"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Outils"

# @ acf
#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Mise à niveau de la base de données"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Examiner les sites et mettre à niveau"

# @ acf
#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "ACF"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informations"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Nouveautés"

# @ 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/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 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] "Un 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 les groupes 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 les groupes de champs que vous souhaitez exporter puis "
"choisissez la méthode d'export. Utilisez le bouton « télécharger » pour "
"exporter un fichier JSON que vous pourrez importer dans une autre "
"installation ACF. Utilisez le « générer » pour exporter le code PHP que vous "
"pourrez ajouter à 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/des "
"groupe(s) de champs sélectionné(s). Un groupe de champ local apporte de "
"nombreux bénéfices comme des temps de chargement plus rapide, la gestion de "
"versions, ou des champs/paramètres dynamiques. Copiez-collez le code suivant "
"dans le fichier 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"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Copié"

# @ acf
#: 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:47
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 ACF que vous souhaitez importer et cliquez sur "
"Importer. ACF importera les groupes de champs."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Sélectionner un fichier"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Importer le fichier"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Aucun fichier sélectionné"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Échec de l'import du fichier. Merci d’essayer à nouveau"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Type de fichier incorrect"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "Le fichier à importer est vide"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Un groupe de champs importé"
msgstr[1] "%s groupes de champs importés"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Logique conditionnelle"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Montrer ce champ si"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "et"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Ajouter une règle"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Faites glisser pour réorganiser"

# @ acf
#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Modifier ce champ"

# @ acf
#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:361
msgid "Edit"
msgstr "Modifier"

# @ acf
#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Dupliquer ce champ"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Déplacer le champ dans un autre groupe"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Déplacer"

# @ acf
#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Supprimer ce champ"

# @ acf
#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Supprimer"

# @ acf
#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Titre du champ"

# @ acf
#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Ce nom apparaîtra sur la page d‘édition"

# @ acf
#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nom du champ"

# @ acf
#: includes/admin/views/field-group-field.php:76
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:85
msgid "Field Type"
msgstr "Type de champ"

# @ acf
#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instructions"

# @ acf
#: includes/admin/views/field-group-field.php:97
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:106
msgid "Required?"
msgstr "Requis?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Attributs du conteneur"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "largeur"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

# @ acf
#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Fermer le champ"

# @ acf
#: includes/admin/views/field-group-fields.php:4
msgid "Order"
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:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Intitulé"

# @ acf
#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Nom"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Identifiant"

# @ acf
#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Type"

# @ acf
#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Aucun champ. Cliquez sur le bouton <strong>+ Ajouter un champ</strong> pour "
"créer votre premier champ."

# @ acf
#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Ajouter un champ"

# @ acf
#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Règles"

# @ acf
#: 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 ""
"Créez une série de règles pour déterminer les écrans sur lesquels ce groupe "
"de champs sera utilisé"

# @ acf
#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Style"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standard (boîte WP)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Sans contour (directement dans la page)"

# @ acf
#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Haute (après le titre)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (après le contenu)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Sur le côté"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Emplacement de l'intitulé"

#: includes/admin/views/field-group-options.php:62
#: 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:107
msgid "Left aligned"
msgstr "Aligné à gauche"

# @ acf
#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Emplacement des instructions"

# @ acf
#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Sous les intitulés"

# @ acf
#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Sous les champs"

# @ acf
#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Ordre"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""
"Le groupe de champs qui a l’ordre le plus petit sera affiché en premier"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Affiché dans la liste des groupes de champs"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Permalien"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Éditeur de contenu"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Extrait"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Discussion"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Commentaires"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Révisions"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Identifiant (slug)"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Auteur"

# @ acf
#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Attributs de page"

# @ acf
#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Image à la Une"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Catégories"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Mots-clés"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Envoyer des rétroliens"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Masquer"

# @ acf
#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Sélectionnez</b> les champs que vous souhaitez <b>masquer</b> sur la page "
"d‘édition."

# @ acf
#: includes/admin/views/field-group-options.php:129
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 ""
"Si plusieurs groupes ACF sont présents sur une page d‘édition, le groupe "
"portant le numéro le plus bas sera affiché en premier"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Les sites suivants nécessites une mise à niveau de la base de données. "
"Sélectionnez ceux que vous voulez mettre à jour et cliquez sur %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Mettre à niveau les sites"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Site"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Le site requiert une mise à niveau de la base données de %s à %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Le site est à jour"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Mise à niveau de la base de données effectuée. <a href=\"%s\">Retourner au "
"panneau d'administration du réseau</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Merci de sélectionner au moins un site à mettre à niveau."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Il est fortement recommandé de faire une sauvegarde de votre base de données "
"avant de continuer. Êtes-vous sûr de vouloir lancer la mise à niveau "
"maintenant?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Migration des données vers la version %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Mise à niveau terminée."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Mise à niveau échouée."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Lecture des instructions de mise à niveau…"

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Mise à niveau de la base de données terminée. <a href=\"%s\">Consulter les "
"nouveautés</a>"

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr "Aucune mise-à-jour disponible."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Retour aux outils"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Montrer ce groupe si"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Répéteur"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Contenu flexible"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Page d‘options"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Mise-à-jour de la base de données nécessaire"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Merci d'avoir mis-à-jour %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Cette version contient des améliorations de la base de données et nécessite "
"une mise à niveau."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Veuillez également vérifier que tous les modules d’extension premium (%s) "
"soient à jour à leur dernière version disponible."

# @ acf
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Modules d’extension"

# @ acf
#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Télécharger & installer"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installé"

# @ acf
#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bienvenue sur Advanced Custom Fields"

#: 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 ""
"Merci d'avoir mis à jour! ACF %s est plus performant que jamais. Nous "
"espérons que vous l'apprécierez."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Une expérience plus fluide"

#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Convivialité améliorée"

#: includes/admin/views/settings-info.php:20
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 ""
"ACF inclue désormais la librairie populaire Select2, qui améliore "
"l'ergonomie et la vitesse sur plusieurs types de champs dont l'objet "
"article, lien vers page, taxonomie, et sélection."

#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Design amélioré"

#: includes/admin/views/settings-info.php:25
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 ""
"Plusieurs champs ont reçu une refonte graphique pour qu'ACF apparaisse sous "
"son plus beau jour! Les améliorations sont notamment visibles sur la "
"galerie, le champ relationnel et le petit nouveau : oEmbed (champ de contenu "
"embarqué)!"

#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Données améliorées"

#: includes/admin/views/settings-info.php:30
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 ""
"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!"

#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Au revoir modules d’extension. Bonjour ACF Pro"

#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Découvrez ACF PRO"

#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Nous avons changé la façon dont les fonctionnalités premium sont délivrées!"

#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Les 4 modules d’extension premium (répéteur, galerie, contenu flexible et "
"pages d'options) ont été combinés en une toute nouvelle <a href=\"%s"
"\">version PRO d'ACF</a>. Avec des licences personnelles et développeur "
"disponibles, les fonctionnalités premium sont encore plus accessibles que "
"jamais!"

#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Nouvelles fonctionnalités surpuissantes"

#: includes/admin/views/settings-info.php:48
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 ""
"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!"

#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr ""
"En savoir plus à propos des <a href=\"%s\">fonctionnalités d’ACF PRO</a>."

# @ wp3i
#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Mise à niveau facile"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"La mise à niveau vers ACF PRO est facile. Achetez simplement une licence en "
"ligne et téléchargez l'extension!"

#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Nous avons également écrit un <a href=\"%s\">guide de mise à niveau</a> pour "
"répondre aux questions habituelles, mais si vous avez une question "
"spécifique, veuillez contacter notre équipe de support via le <a href=\"%s"
"\">support technique</a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Nouvelles Fonctionnalités"

#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Champ Lien"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Le champ Lien permet de sélectionner ou définir un lien en toute simplicité "
"(URL, titre, cible)."

#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Champ Groupe"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""
"Le champ Groupe permet de créer un groupe de champs en toute simplicité."

#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "Champ de Contenu Embarqué (oEmbed)"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Le champ oEmbed vous permet d'embarquer des vidéos, des images, des tweets, "
"de l'audio ou encore d'autres médias en toute simplicité."

#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Champ Clone"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"Le champ Clone vous permet de sélectionner et afficher des champs existants."

#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Plus d'AJAX"

#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Plus de champs utilisent maintenant la recherche via AJAX afin d'améliorer "
"le temps de chargement des pages."

#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "JSON Local"

#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"La nouvelle fonctionnalité d'export automatique en JSON améliore la rapidité "
"et simplifie la synchronisation."

#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Import / Export Facile"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Les imports et exports de données d'ACF sont encore plus simples à réaliser "
"via notre nouvelle page d'outils."

#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Nouveaux Emplacements de Champs"

#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Les champs peuvent désormais être intégrés dans les menus, éléments de menu, "
"commentaires, widgets et tous les formulaires utilisateurs!"

#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Encore plus de Personnalisation"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"De nouveaux filtres et actions PHP (et JS) ont été ajoutés afin de vous "
"permettre plus de personnalisation."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Interface Améliorée"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Toute l'extension a été améliorée et inclut de nouveaux types de champs, "
"réglages ainsi qu'un nouveau design!"

#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Nouveaux Paramètres"

#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"De nouveaux réglages font leur apparition pour Actif, Emplacement du Label, "
"Emplacement des Instructions et Description."

#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "De meilleurs formulaires côté public"

#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() peut maintenant créer un nouvel article lors de la soumission et "
"propose de nombreux réglages."

#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Meilleure validation"

#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"La validation des formulaires est maintenant faite via PHP + AJAX au lieu "
"d'être seulement faite en JS."

# @ acf
#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Champs amovibles"

#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"La nouvelle fonctionnalité de Groupe de Champ vous permet de déplacer un "
"champ entre différents groupes et parents."

#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Nous pensons que vous allez adorer les nouveautés de la version %s."

#: includes/api/api-helpers.php:1049
msgid "Thumbnail"
msgstr "Miniature"

#: includes/api/api-helpers.php:1050
msgid "Medium"
msgstr "Moyen"

#: includes/api/api-helpers.php:1051
msgid "Large"
msgstr "Grande"

#: includes/api/api-helpers.php:1100
msgid "Full Size"
msgstr "Taille originale"

# @ acf
#: includes/api/api-helpers.php:1821 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(sans titre)"

#: includes/api/api-helpers.php:3792
#, php-format
msgid "Image width must be at least %dpx."
msgstr "L'image doit mesurer au moins %dpx de largeur."

#: includes/api/api-helpers.php:3797
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "L'image ne doit pas dépasser %dpx de largeur."

#: includes/api/api-helpers.php:3813
#, php-format
msgid "Image height must be at least %dpx."
msgstr "L'image doit mesurer au moins %dpx de hauteur."

#: includes/api/api-helpers.php:3818
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "L'image ne doit pas dépasser %dpx de hauteur."

#: includes/api/api-helpers.php:3836
#, 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:3841
#, php-format
msgid "File size must must not exceed %s."
msgstr "Le poids de l'image ne doit pas dépasser %s."

# @ acf
#: includes/api/api-helpers.php:3875
#, php-format
msgid "File type must be %s."
msgstr "Le type de fichier doit être %s."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Les modifications seront perdues si vous quittez cette page"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Choisir"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Modifier"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Mettre à jour"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Lié(s) à cet article"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "Afficher les détails"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Masquer les détails"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Limité"

# @ acf
#: includes/assets.php:178 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr "Toutes les images"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "Validé avec succès"

#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Échec de la validation"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "1 champ requiert votre attention"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "%d champs requièrent votre attention"

# @ acf
#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Êtes-vous sûr(e)?"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Oui"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Non"

# @ acf
#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:362
#: pro/fields/class-acf-field-gallery.php:499
msgid "Remove"
msgstr "Enlever"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Annuler"

#: includes/assets.php:194
msgid "Has any value"
msgstr "A n'importe quelle valeur"

#: includes/assets.php:195
msgid "Has no value"
msgstr "N'a pas de valeur"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "La valeur est égale à"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "La valeur est différente de"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "La valeur correspond au modèle"

#: includes/assets.php:199
msgid "Value contains"
msgstr "La valeur contient"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "La valeur est supérieure à"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "La valeur est inférieure à"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "La sélection est supérieure à"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "La sélection est inférieure à"

# @ acf
#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Modifier le groupe de champs"

# @ acf
#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Ce type de champ n‘existe pas"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Inconnu"

#: includes/fields.php:349
msgid "Basic"
msgstr "Commun"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Contenu"

# @ acf
#: includes/fields.php:351
msgid "Choice"
msgstr "Choix"

# @ acf
#: includes/fields.php:352
msgid "Relational"
msgstr "Relationnel"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

# @ acf
#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Mise en page"

#: 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 "Extrémité"

#: 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 comme extrémité de l’accordéon précédent. 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:364
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:365
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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Pour plus de contrôle, vous pouvez spécifier la valeur et le label 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:365
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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
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:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
msgid "Appears when creating a new post"
msgstr "Valeur donnée lors de la création d’un nouvel article"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertical"

# @ acf
#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Valeur renvoyée"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Spécifier la valeur retournée dans le code"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Valeur"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Les deux (tableau)"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Case à cocher"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Tout (dé)sélectionner"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Ajouter un choix"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Autoriser une valeur personnalisée"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Permettre l’ajout de valeurs personnalisées"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Enregistrer les valeurs personnalisées"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Enregistrer les valeurs personnalisées dans les choix du champs"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
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:403
msgid "Toggle"
msgstr "Tout (dé)sélectionner"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"Ajouter une case à cocher au début pour tout sélectionner/désélectionner"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Sélecteur de couleur"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Effacer"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Valeur par défaut"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Choisir une couleur"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Couleur actuelle"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Sélecteur de date"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Valider"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Aujourd’hui"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Suiv."

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Préc."

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Sem."

# @ acf
#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Format d’affichage"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Format affiché lors de l’édition d’un article"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Personnalisé :"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Enregistrer le format"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Le format enregistré"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:578
msgid "Return Format"
msgstr "Format de retour"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Valeur retournée dans le code"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "La semaine commencent le"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Sélecteur de date et heure"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Choisir l’heure"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Heure"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Heure"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minute"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Seconde"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milliseconde"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microseconde"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fuseau horaire"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Maintenant"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Valider"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Sélectionner"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Adresse courriel"

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Texte indicatif"

#: 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:105
#: 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"

#: 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:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr "Préfixe"

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr "Apparait avant le champ"

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr "Suffixe"

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr "Apparait après le champ"

# @ acf
#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Modifier le fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Mettre à jour le fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Nom du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:663
#: pro/fields/class-acf-field-gallery.php:692
msgid "File size"
msgstr "Taille du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Ajouter un fichier"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Données du fichier (tableau)"

# @ acf
#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "URL du fichier"

# @ acf
#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID du Fichier"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:613
msgid "Library"
msgstr "Médias"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:614
msgid "Limit the media library choice"
msgstr "Limiter le choix dans la médiathèque"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:619
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Tous"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:620
msgid "Uploaded to post"
msgstr "Liés à cet article"

# @ acf
#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum"
msgstr "Minimum"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Restreindre l'import de fichiers"

# @ acf
#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:671
msgid "Maximum"
msgstr "Maximum"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:699
msgid "Allowed file types"
msgstr "Types de fichiers autorisés"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:700
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Extensions autorisées séparées par une virgule. Laissez vide pour autoriser "
"toutes les extensions"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Map"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Désolé, ce navigateur ne prend pas en charge la géolocalisation"

# @ acf
#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Effacer la position"

#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Trouver l'emplacement actuel"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Chercher une adresse…"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Centre"

#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Position initiale du centre de la carte"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Niveau de zoom initial"

#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:654
#: pro/fields/class-acf-field-gallery.php:683
msgid "Height"
msgstr "Hauteur"

#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Hauteur de la carte"

# @ acf
#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Groupe"

# @ acf
#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Sous-champs"

#: 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 "Style utilisé pour générer les champs sélectionnés"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Bloc"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Tableau"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Rangée"

# @ acf
#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Image"

# acf
#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr "Sélectionner une image"

# @ acf
#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr "Modifier l'image"

# @ acf
#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr "Mettre à jour"

# @ acf
#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr "Aucune image sélectionnée"

# @ acf
#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr "Ajouter une image"

# @ acf
#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:584
msgid "Image Array"
msgstr "Données de l'image (tableau)"

# @ acf
#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:585
msgid "Image URL"
msgstr "URL de l‘image"

# @ acf
#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:586
msgid "Image ID"
msgstr "ID de l‘image"

# @ acf
#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:592
msgid "Preview Size"
msgstr "Taille de prévisualisation"

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:643
#: pro/fields/class-acf-field-gallery.php:672
msgid "Restrict which images can be uploaded"
msgstr "Restreindre les images envoyées"

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:646
#: pro/fields/class-acf-field-gallery.php:675
msgid "Width"
msgstr "Largeur"

# @ acf
#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Lien"

# @ acf
#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Sélectionner un lien"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Ouvrir dans un nouvel onglet/fenêtre"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Tableau de données"

# @ acf
#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL du Lien"

# @ acf
#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Message"

# @ acf
#: includes/fields/class-acf-field-message.php:110
#: 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: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: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:145
msgid "Automatically add &lt;br&gt;"
msgstr "Ajouter &lt;br&gt; automatiquement"

# @ acf
#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Pas de formatage"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Afficher le code HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Permettre l'affichage du code HTML à l'écran au lieu de l'interpréter"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Nombre"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Valeur minimale"

# @ acf
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Valeur maximale"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Pas"

#: 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: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:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "La valeur doit être inférieure ou égale à %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Entrez l'URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Dimensions"

# @ acf
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Lien vers page ou article"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archives"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Parent"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Filtrer par type de publication"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Tous les types de publication"

# @ acf
#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Filtrer par taxonomie"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Toutes les taxonomies"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Afficher les pages d’archives"

# @ acf
#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Autoriser la sélection multiple?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Mot de passe"

# @ acf
#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Objet Article"

# @ acf
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "ID de l'article"

# @ acf
#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Bouton radio"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Autre"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Ajouter un choix « autre » pour autoriser une valeur personnalisée"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Enregistrer la valeur personnalisée"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Enregistrer les valeurs personnalisées « autre » en tant que choix"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Plage de valeurs"

# @ acf
#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relation"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Nombre maximal de valeurs atteint ({max} valeurs)"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Chargement en cours"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Aucun résultat"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Choisissez le type de publication"

# @ acf
#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Choisissez la taxonomie"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Rechercher…"

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filtres"

# @ acf
#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Type de publication"

# @ acf
#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Éléments"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Les éléments sélectionnés seront affichés dans chaque résultat"

# @ acf
#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Minimum d'articles sélectionnables"

# @ acf
#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Maximum d'articles sélectionnables"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
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:776
msgctxt "noun"
msgid "Select"
msgstr "Sélection"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Un résultat est disponible, appuyez sur Entrée pour le sélectionner."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"%d résultats sont disponibles, utilisez les flèches haut et bas pour "
"naviguer parmi les résultats."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Aucun résultat trouvé"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Veuillez saisir au minimum 1 caractère"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Veuillez saisir au minimum %d caractères"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Veuillez retirer 1 caractère"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Veuillez retirer %d caractères"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Vous ne pouvez sélectionner qu’un seul élément"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Vous ne pouvez sélectionner que %d éléments"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Chargement de résultats supplémentaires&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Recherche en cours&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Échec du chargement"

# @ acf
#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Interface stylisée"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "Utiliser AJAX pour charger les choix dynamiquement?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Définit la valeur retournée"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Séparateur"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Onglet"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Emplacement"

#: 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éfinit une extrémité pour fermer les précédents onglets. Cela va commencer "
"un nouveau groupe d'onglets."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Pas de %s"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Choisissez la taxonomie à afficher"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Apparence"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Apparence de ce champ"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Valeurs multiples"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Sélecteur multiple"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Valeur unique"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Boutons radio"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Créer des termes"

#: includes/fields/class-acf-field-taxonomy.php:800
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:809
msgid "Save Terms"
msgstr "Enregistrer les termes"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Lier les termes sélectionnés à l'article"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Charger les termes"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Charger une valeur depuis les termes de l’article"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Objet Terme"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID du terme"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Utilisateur incapable d'ajouter un nouveau %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s existe déjà"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s ajouté"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Ajouter"

# @ acf
#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Texte"

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limite de caractères"

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Laisser vide ne pas donner de limite"

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr "La valeur ne doit pas dépasser %d caractères"

# @ acf
#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Zone de texte"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Lignes"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Hauteur du champ"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Sélecteur d’heure"

# @ acf
#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Oui / Non"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Affiche le texte à côté de la case à cocher"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Texte côté « Actif »"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Text affiché lorsque le bouton est actif"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Texte côté « Inactif »"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Texte affiché lorsque le bouton est désactivé"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "La valeur doit être une URL valide"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Utilisateur"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Filtrer par rôle"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Tous les rôles utilisateurs"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Tableau"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Objet"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "ID de l'utilisateur"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Éditeur WYSIWYG"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visuel"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Texte"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Cliquez pour initialiser TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Onglets"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visuel & Texte brut"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Visuel seulement"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Texte brut seulement"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Barre d‘outils"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Afficher les boutons d‘ajout de médias?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Retarder l’initialisation?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""
"TinyMCE ne sera pas initialisé avant que l’utilisateur clique sur le champ"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Valider l’adresse courriel"

# @ acf
#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:531
#: pro/options-page.php:81
msgid "Update"
msgstr "Mise à jour"

# @ acf
#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Article mis à jour"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Pourriel repéré"

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr "<strong>ERREUR</strong> : %s"

# @ acf
#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Article"

# @ acf
#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Page"

# @ acf
#: includes/locations.php:96
msgid "Forms"
msgstr "Formulaires"

#: includes/locations.php:243
msgid "is equal to"
msgstr "est égal à"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "n‘est pas égal à"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Fichier attaché"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Tous les formats %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Commentaire"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rôle de l’utilisateur courant"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Administrateur"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Utilisateur courant"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Connecté"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Est dans le site"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Est dans l’interface d’administration"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Élément de menu"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menu"

# @ acf
#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Emplacement de menu"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menus"

# @ acf
#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Page parente"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Modèle de page"

# @ acf
#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Modèle de base"

# @ acf
#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Type de page"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Page d’accueil"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Page des articles"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Page de haut niveau (sans parent)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Page parente (avec page(s) enfant)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Page enfant (avec parent)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Catégorie"

# @ acf
#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Format d‘article"

# @ acf
#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Statut de l’article"

# @ acf
#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomie"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Modèle d’article"

# @ acf
#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Formulaire utilisateur"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Ajouter / Modifier"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Inscription"

# @ acf
#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Rôle utilisateur"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

# @ default
#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "La valeur %s est requise"

# @ acf
#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Publier"

# @ default
#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Aucun groupe de champs trouvé pour cette page d’options. <a href=\"%s"
"\">Créer un groupe de champs</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Erreur</b>. Impossible de joindre le serveur"

# @ acf
#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Mises-à-jour"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Erreur</b>. Impossible d'authentifier la mise-à-jour. Merci d'essayer à "
"nouveau et si le problème persiste, désactivez et réactivez votre licence "
"ACF PRO."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Désactiver la licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activer votre licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informations sur la licence"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Pour débloquer les mises-à-jour, veuillez entrer votre clé de licence ci-"
"dessous. Si vous n’en avez pas, rendez-vous sur nos <a href=\"%s\" target="
"\"_blank\">détails & tarifs</a>."

# @ acf
#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Code de licence"

# @ acf
#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informations concernant les mises-à-jour"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Version installée"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Version disponible"

# @ acf
#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Mise-à-jour disponible"

# @ acf
#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Mettre-à-jour l’extension"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Entrez votre clé de licence ci-dessus pour activer les mises-à-jour"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Vérifier à nouveau"

# @ wp3i
#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Informations de mise-à-niveau"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Passer en Édition"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Passer en Prévisualisation"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clone"

#: 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:829
msgid "Display"
msgstr "Format d'affichage"

#: 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: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)"

#: 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:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Les labels seront affichés en tant que %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Préfixer les labels de champs"

#: 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:874
msgid "Prefix Field Names"
msgstr "Préfixer les noms de champs"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Champ inconnu"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Groupe de champ inconnu"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Tous les champs du groupe %s"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Ajouter un élément"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "mise-en-forme"
msgstr[1] "mises-en-forme"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "mises-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Ce champ requiert au moins {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Ce champ a une limite de {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponible (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} requis (min {min})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Le contenu flexible nécessite au moins une mise-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""
"Cliquez sur le bouton « %s » ci-dessous pour créer votre première mise-en-"
"forme"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Ajouter une mise-en-forme"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Retirer la mise-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Cliquer pour intervertir"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Réorganiser la mise-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Réorganiser"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Supprimer la mise-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Dupliquer la mise-en-forme"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Ajouter une nouvelle mise-en-forme"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Intitulé du bouton"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Nombre minimum de mises-en-forme"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Nombre maximum de mises-en-forme"

# @ acf
#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr "Ajouter l'image à la galerie"

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr "Nombre de sélections maximales atteint"

#: pro/fields/class-acf-field-gallery.php:340
msgid "Length"
msgstr "Longueur"

#: pro/fields/class-acf-field-gallery.php:383
msgid "Caption"
msgstr "Légende"

#: pro/fields/class-acf-field-gallery.php:392
msgid "Alt Text"
msgstr "Texte alternatif"

#: pro/fields/class-acf-field-gallery.php:508
msgid "Add to gallery"
msgstr "Ajouter à la galerie"

# @ acf
#: pro/fields/class-acf-field-gallery.php:512
msgid "Bulk actions"
msgstr "Actions de groupe"

#: pro/fields/class-acf-field-gallery.php:513
msgid "Sort by date uploaded"
msgstr "Ranger par date d'import"

#: pro/fields/class-acf-field-gallery.php:514
msgid "Sort by date modified"
msgstr "Ranger par date de modification"

# @ acf
#: pro/fields/class-acf-field-gallery.php:515
msgid "Sort by title"
msgstr "Ranger par titre"

#: pro/fields/class-acf-field-gallery.php:516
msgid "Reverse current order"
msgstr "Inverser l'ordre actuel"

# @ acf
#: pro/fields/class-acf-field-gallery.php:528
msgid "Close"
msgstr "Fermer"

#: pro/fields/class-acf-field-gallery.php:601
msgid "Insert"
msgstr "Insérer"

#: pro/fields/class-acf-field-gallery.php:602
msgid "Specify where new attachments are added"
msgstr "Définir où les nouveaux fichiers attachés sont ajoutés"

#: pro/fields/class-acf-field-gallery.php:606
msgid "Append to the end"
msgstr "Ajouter à la fin"

#: pro/fields/class-acf-field-gallery.php:607
msgid "Prepend to the beginning"
msgstr "Insérer au début"

# @ acf
#: pro/fields/class-acf-field-gallery.php:626
msgid "Minimum Selection"
msgstr "Nombre minimum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:634
msgid "Maximum Selection"
msgstr "Nombre maximum"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "Nombre minimal d'éléments atteint ({min} éléments)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Nombre maximal d'éléments atteint ({max} éléments)"

# @ acf
#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Ajouter un élément"

# @ acf
#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Retirer l'élément"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Replié"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "Choisir un sous champ à afficher lorsque l’élément est replié"

# @ acf
#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Nombre minimal d'éléments"

# @ acf
#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Nombre maximal d'éléments"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Aucune page d'option n’existe"

# @ acf
#: pro/options-page.php:51
msgid "Options"
msgstr "Options"

# @ acf
#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Options mises à jours"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Pour activer les mises-à-jour, veuillez entrer votre clé de licence sur la "
"page <a href=\"%s\">Mises-à-jour</a>. Si vous n’en avez pas, rendez-vous sur "
"nos <a href=\"%s\">détails & tarifs</a>."

#: tests/basic/test-blocks.php:116
msgid "My Test Block"
msgstr "Mon bloc de test"

#: tests/basic/test-blocks.php:117
msgid "A block for entering a link name and a custom URL."
msgstr "Un bloc pour saisir un nom de lien et une URL."

# @ acf
#: tests/basic/test-blocks.php:125
msgid "Normal"
msgstr "Normal"

#: tests/basic/test-blocks.php:126
msgid "Fancy"
msgstr "Élaboré"

#: tests/basic/test-blocks.php:135
msgid "Block :: My Test Block"
msgstr "Bloc :: Mon bloc de test"

#: tests/basic/test-blocks.php:155
msgid "URL"
msgstr "URL"

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr "https://www.advancedcustomfields.com"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"
PK�[/t���lang/acf-nb_NO.ponu�[���msgid ""
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: 2018-02-06 10:06+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: \n"
"Language: nb_NO\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\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__;"
"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-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:355 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Feltgrupper"

#: acf.php:356
msgid "Field Group"
msgstr "Feltgruppe"

#: acf.php:357 acf.php:389 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New"
msgstr "Legg til ny"

#: acf.php:358
msgid "Add New Field Group"
msgstr "Legg til ny feltgruppe"

#: acf.php:359
msgid "Edit Field Group"
msgstr "Rediger feltgruppe"

#: acf.php:360
msgid "New Field Group"
msgstr "Ny feltgruppe"

#: acf.php:361
msgid "View Field Group"
msgstr "Vis feltgruppe"

#: acf.php:362
msgid "Search Field Groups"
msgstr "Søk i feltgrupper"

#: acf.php:363
msgid "No Field Groups found"
msgstr "Ingen feltgrupper funnet"

#: acf.php:364
msgid "No Field Groups found in Trash"
msgstr "Ingen feltgrupper funnet i papirkurven"

#: acf.php:387 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:857
msgid "Fields"
msgstr "Felt"

#: acf.php:388
msgid "Field"
msgstr "Felt"

#: acf.php:390
msgid "Add New Field"
msgstr "Legg til nytt felt"

#: acf.php:391
msgid "Edit Field"
msgstr "Rediger felt"

#: acf.php:392 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Nytt felt"

#: acf.php:393
msgid "View Field"
msgstr "Vis felt"

#: acf.php:394
msgid "Search Fields"
msgstr "Søkefelt"

#: acf.php:395
msgid "No Fields found"
msgstr "Ingen felter funnet"

#: acf.php:396
msgid "No Fields found in Trash"
msgstr "Ingen felt funnet i papirkurven"

#: acf.php:435 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inaktiv"

#: acf.php:440
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inaktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inaktive <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Feltgruppe oppdatert."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Feltgruppe slettet."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Feltgruppe publisert."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Feltgruppe lagret."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Feltgruppe sendt inn."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Feltgruppe planlagt for"

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Feltgruppekladd oppdatert."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Sted"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Innstillinger"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Flytt til papirkurven. Er du sikker?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "avkrysset"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Ingen av/på- felter tilgjengelig"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Feltgruppetittel er påkrevd"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:732
msgid "copy"
msgstr "kopier"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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:3970
msgid "or"
msgstr "eller"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Foreldrefelter"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Søskenfelter"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Flytt egendefinert felt"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Dette feltet kan ikke flyttes før endringene er lagret"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Null"

#: includes/admin/admin-field-group.php:281 includes/input.php:257
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Endringene du har gjort vil gå tapt dersom du navigerer vekk fra denne siden"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Strengen  \"field_\" kan ikke brukes som starten på et feltnavn"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Feltnøkler"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktiv"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Flytting komplett."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "%s feltet finnes nå i %s feltgruppen"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Lukk vinduet"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Vennligst velg målet for dette feltet"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Flytt felt"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktive <span class=\"count\"> (%s)</span>"
msgstr[1] "Aktive <span class=\"count\"> (%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Feltgruppe duplisert. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s feltgruppe duplisert."
msgstr[1] "%s feltgrupper duplisert."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Feltgruppe synkronisert. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s feltgruppe synkronisert."
msgstr[1] "%s feltgrupper synkronisert."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synkronisering tilgjengelig"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Tittel"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Beskrivelse"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "Tilpass WordPress med kraftige, profesjonelle og intuitive felt."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:111
msgid "Changelog"
msgstr "Endringslogg"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Se hva som er nytt i <a href=\"%s\">%s-utgaven</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Ressurser"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr ""

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentasjon"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Support"

#: includes/admin/admin-field-groups.php:623
#, fuzzy
msgid "Pro"
msgstr "Farvel Tillegg. Hei PRO"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Takk for at du bygger med <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Dupliser dette elementet"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate"
msgstr "Dupliser"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:132
#: includes/fields/class-acf-field-relationship.php:737
msgid "Search"
msgstr "Søk"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Velg %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Synkroniser feltgruppe"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Synkroniser"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr ""

#: includes/admin/admin-field-groups.php:798
#, fuzzy
msgid "Bulk Actions"
msgstr "Massehandlinger"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Egendefinerte felt"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Oppgrader database"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Gå igjennom nettsteder og oppgrader"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Kunne ikke validere forespørselen"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Ingen oppdateringer tilgjengelige."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Tillegg"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Feil</b>. Kunne ikke laste liste over tillegg"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informasjon"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Hva er nytt"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Verktøy"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Ingen feltgrupper valgt"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:174
msgid "No file selected"
msgstr "Ingen fil valgt"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Feil ved opplasting av fil. Vennligst prøv igjen"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Feil filtype"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Importfil tom"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Importerte 1 feltgruppe"
msgstr[1] "Importerte %s feltgrupper"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Betinget logikk"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Vis dette feltet hvis"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:243
msgid "is equal to"
msgstr "er lik"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:244
msgid "is not equal to"
msgstr "er ikke lik"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "og"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Legg til regelgruppe"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:420
#: pro/fields/class-acf-field-repeater.php:358
msgid "Drag to reorder"
msgstr "Dra for å endre rekkefølge"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Rediger felt"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:152
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Rediger"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Dupliser felt"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Flytt felt til en annen gruppe"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Flytt"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Slett felt"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete"
msgstr "Slett"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Feltetikett"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Dette navnet vil vises på REDIGERING-siden"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "Feltnavn"

#: includes/admin/views/field-group-field.php:79
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Enkeltord, ingen mellomrom. Understreker og streker tillatt"

#: includes/admin/views/field-group-field.php:89
msgid "Field Type"
msgstr "Felttype"

#: includes/admin/views/field-group-field.php:101
#: includes/fields/class-acf-field-tab.php:102
msgid "Instructions"
msgstr "Instruksjoner"

#: includes/admin/views/field-group-field.php:102
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instruksjoner for forfattere. Vises når du sender inn data"

#: includes/admin/views/field-group-field.php:111
msgid "Required?"
msgstr "Påkrevd?"

#: includes/admin/views/field-group-field.php:134
msgid "Wrapper Attributes"
msgstr "Omslags-attributter"

#: includes/admin/views/field-group-field.php:140
msgid "width"
msgstr "bredde"

#: includes/admin/views/field-group-field.php:155
msgid "class"
msgstr "klasse"

#: includes/admin/views/field-group-field.php:168
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:180
msgid "Close Field"
msgstr "Lukk felt"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Rekkefølge"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-checkbox.php:317
#: includes/fields/class-acf-field-radio.php:321
#: includes/fields/class-acf-field-select.php:530
#: pro/fields/class-acf-field-flexible-content.php:599
msgid "Label"
msgstr "Etikett"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:970
#: pro/fields/class-acf-field-flexible-content.php:612
msgid "Name"
msgstr "Navn"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr ""

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Type"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Ingen felt. Klikk på <strong>+  Legg til felt</strong> knappen for å lage "
"ditt første felt."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Legg til felt"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regler"

#: 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 ""
"Lag et sett regler for å bestemme hvilke redigeringsvinduer som vil bruke "
"disse feltene."

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standard (WP Metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Sømløs (ingen metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posisjon"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Høy (etter tittel)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (etter innhold)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Side"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Etikettplassering"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:116
msgid "Top aligned"
msgstr "Toppjustert"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:117
msgid "Left aligned"
msgstr "Venstrejustert"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Instruksjonsplassering"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Nedenfor etiketter"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Nedenfor felt"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Rekkefølge"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Feltgrupper med lavere rekkefølge vises først"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Vist i feltgruppeliste"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Skjul på skjermen"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Velg</b> elementer som skal <b>skjules</b> fra redigeringsvinduet."

#: 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 ""
"Hvis flere feltgrupper vises i et redigeringsvindu, vil den første "
"feltgruppens alternativer benyttes. (Den med laveste nummer i rekkefølgen)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Permalenke"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Innholdsredigerer"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Utdrag"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Diskusjon"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Kommentarer"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revisjoner"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "URL-tamp"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Forfatter"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Sideattributter"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:751
msgid "Featured Image"
msgstr "Fremhevet bilde"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Kategorier"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Merkelapper"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Send tilbakesporinger"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Vis feltgruppen hvis"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Oppgrader nettsteder"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Databaseoppgradering for Advanced Custom Fields"

#: 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."
msgstr ""
"Følgende nettsteder krever en databaseoppgradering. Kryss av for de du vil "
"oppdatere og klikk deretter %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Nettsted"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Siden krever databaseoppgradering fra%s til%s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Nettstedet er oppdatert"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Databaseoppgradering er fullført. <a href=\"%s\">Gå tilbake til "
"nettverksdashboard</a>"

#: 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 ""
"Det anbefales sterkt at du sikkerhetskopierer databasen før du fortsetter. "
"Er du sikker på at du vil kjøre oppdateringen nå?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Oppgradering komplett"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Oppgradere data til versjon%s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:36
msgid "Repeater"
msgstr "Gjentaker"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:36
msgid "Flexible Content"
msgstr "Fleksibelt innhold"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:36
msgid "Gallery"
msgstr "Galleri"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:13
msgid "Options Page"
msgstr "Alternativer-side"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Databaseoppgradering er påkrevd"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Takk for at du oppgraderte til %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 ""
"Før du begynner å bruke de nye funksjonene, må du oppdatere din database til "
"den nyeste versjonen."

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Leser oppgraderingsoppgaver ..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Databaseoppgradering er fullført. <a href=\"%s\">Se hva som er nytt</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Last ned og installer"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installert"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Velkommen til Advanced Custom Fields"

#: 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 ""
"Takk for at du oppdaterte! ACF %s er større og bedre enn noen gang før. Vi "
"håper du liker det."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "En velfungerende opplevelse av egendefinerte felter"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Forbedret brukervennlighet"

#: 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 ""
"Å inkludere det populære Select2-biblioteket har økt både brukervennlighet "
"og lastetid for flere felttyper, inkludert innleggsobjekter, sidelinker, "
"taksonomi og nedtrekksmenyer."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Forbedret design"

#: 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 ""
"Mange felter har fått en visuell oppfriskning så ACF ser bedre ut enn på "
"lenge! Nevneverdige endringer sees på galleri-, relasjons- og oEmbedfelter!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Forbedret data"

#: 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 ""
"Omskriving av dataarkitekturen tillater underfelter å leve uavhengig av "
"foreldrene sine. Det betyr at du kan dra og slippe felter til og fra "
"foreldrefeltene sine!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Farvel Tillegg. Hei PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Vi presenterer ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Vi endrer måten premium-funksjonalitet leveres på en spennende måte!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Alle fire premium-tilleggene har blitt kombinert i en ny <a href=\"%s\">Pro-"
"versjon av ACF</a>. Med både personlig- og utviklerlisenser tilgjengelig er "
"premiumfunksjonalitet billigere og mer tilgjengelig enn noensinne!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Kraftige funksjoner"

#: 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 ""
"ACF PRO inneholder kraftige funksjoner som repeterende data, fleksible "
"innholdsstrukturer, et vakkert gallerifelt og muligheten til å lage ekstra "
"administrasjonsegenskapssider!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Les mer om <a href=\"%s\">ACF PRO-funksjonaliteten</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Enkel oppgradering"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"For å gjøre oppgradering enklere, <a href=\"%s\">Logg inn på din konto</a> "
"og hent en gratis kopi av ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Vi har også skrevet en <a href=\"%s\">oppgraderingsveiledning</a> for å "
"besvare de fleste spørsmål, men skulle du fortsatt ha et spørsmål, ta "
"kontakt med via <a href=\"%s\">helpdesken</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Under panseret"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Smartere feltinnstillinger"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF lagrer nå feltegenskapene som individuelle innleggsobjekter"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Mer AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "Flere felter bruker AJAX-drevet søk for å kutte ned innlastingstiden"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Lokal JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Ny automatisk eksport til JSON sparer tid"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Bedre versjonskontroll"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr "Ny autoeksport til JSON lar feltinnstillinger bli versjonskontrollert"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Byttet XML mot  JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Import / eksport bruker nå JSON istedenfor XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nye skjemaer"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Feltene kan nå tilordnes til kommentarer, widgets og alle brukerskjemaer!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Et nytt felt for å bygge inn innhold er lagt til"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nytt galleri"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Gallerietfeltet har gjennomgått en sårt tiltrengt ansiktsløftning"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nye innstillinger"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Feltgruppeinnstillinger er lagt til for etikettplassering og "
"instruksjonsplassering"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Bedre frontend-skjemaer"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() kan nå lage et nytt innlegg ved innsending"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Bedre validering"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "Skjemavalidering skjer nå via PHP + AJAX framfor kun JavaScript"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Relasjonsfelt"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Nye relasjonsfeltinnstillinger for 'Filtre' (søk, innleggstype, taksonomi)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Flytte felt"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Ny feltgruppe-funksonalitet gir deg mulighet til å flytte felt mellom "
"grupper og foreldre"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:36
msgid "Page Link"
msgstr "Sidekobling"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Ny arkiver gruppe i page_link feltvalg"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Bedre sider for innstillinger"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Nye funksjoner på Valg-siden tillater oppretting av menysider for både "
"foreldre og barn"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Vi tror du vil elske endringene i %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Eksporter feltgrupper til 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 ""
"Følgende kode kan brukes for å registrere en lokal versjon av de(n) valgte "
"feltgruppen(e). En lokal feltgruppe kan gi mange fordeler som raskere "
"lastetid, versjonskontroll og dynamiske felter/innstillinger. Kopier og lim "
"inn den følgende koden i ditt temas functions.php-fil, eller inkluder det "
"med en ekstern fil."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Velg feltgrupper"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Eksporter feltgrupper"

#: 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 ""
"Velg feltgruppene du vil eksportere og velg eksporteringsmetode. Bruk "
"nedlastingsknappen for å eksportere til en .json-fil du kan importere i en "
"annen installasjon av ACF. Bruk genererknappen for å eksportere PHP-kode du "
"kan legge inn i ditt tema."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Last ned eksportfil"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Generer eksportkode"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Importer feltgrupper"

#: 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 ""
"Velg ACF JSON-filen du vil importere. Når du klikker importerknappen under, "
"vil ACF importere feltgruppene."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:46
msgid "Select File"
msgstr "Velg fil"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Importer"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Miniatyrbilde"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Medium"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Stor"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Full størrelse"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1837
#: pro/fields/class-acf-field-clone.php:1042
msgid "(no title)"
msgstr "(ingen tittel)"

#: includes/api/api-helpers.php:1874
#: 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
msgid "Parent"
msgstr "Forelder"

#: includes/api/api-helpers.php:3891
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Bildebredde må være minst %dpx."

#: includes/api/api-helpers.php:3896
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Bildebredden må ikke overstige %dpx."

#: includes/api/api-helpers.php:3912
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Bildehøyden må være minst %dpx."

#: includes/api/api-helpers.php:3917
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Bilde høyde må ikke overstige %dpx."

#: includes/api/api-helpers.php:3935
#, php-format
msgid "File size must be at least %s."
msgstr "Filstørrelse må være minst %s."

#: includes/api/api-helpers.php:3940
#, php-format
msgid "File size must must not exceed %s."
msgstr "Filstørrelsen må ikke overstige %s."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "File type must be %s."
msgstr "Filtypen må være %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Grunnleggende"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Innhold"

#: includes/fields.php:146
msgid "Choice"
msgstr "Valg"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relaterte"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:286
#: includes/fields/class-acf-field-group.php:485
#: includes/fields/class-acf-field-radio.php:300
#: pro/fields/class-acf-field-clone.php:889
#: pro/fields/class-acf-field-flexible-content.php:569
#: pro/fields/class-acf-field-flexible-content.php:618
#: pro/fields/class-acf-field-repeater.php:514
msgid "Layout"
msgstr "Oppsett"

#: includes/fields.php:305
msgid "Field type does not exist"
msgstr "Felttype eksisterer ikke"

#: includes/fields.php:305
#, fuzzy
msgid "Unknown"
msgstr "Ukjent feltgruppe"

#: includes/fields/class-acf-field-checkbox.php:36
#: includes/fields/class-acf-field-taxonomy.php:786
msgid "Checkbox"
msgstr "Avkryssingsboks"

#: includes/fields/class-acf-field-checkbox.php:150
msgid "Toggle All"
msgstr "Velg/avvelg alle"

#: includes/fields/class-acf-field-checkbox.php:207
msgid "Add new choice"
msgstr "Legg til nytt valg"

#: includes/fields/class-acf-field-checkbox.php:246
#: includes/fields/class-acf-field-radio.php:250
#: includes/fields/class-acf-field-select.php:466
msgid "Choices"
msgstr "Valg"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "Enter each choice on a new line."
msgstr "Skriv inn hvert valg på en ny linje."

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "For more control, you may specify both a value and label like this:"
msgstr "For mer kontroll, kan du angi både en verdi og merke som dette:"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "red : Red"
msgstr "svart : Svart"

#: includes/fields/class-acf-field-checkbox.php:255
msgid "Allow Custom"
msgstr "Tillat egendefinert"

#: includes/fields/class-acf-field-checkbox.php:260
msgid "Allow 'custom' values to be added"
msgstr "Tillat at \"egendefinerte\" verdier legges til"

#: includes/fields/class-acf-field-checkbox.php:266
msgid "Save Custom"
msgstr "Lagre egendefinert"

#: includes/fields/class-acf-field-checkbox.php:271
msgid "Save 'custom' values to the field's choices"
msgstr "Lagre \"egendefinerte\" verdier som alternativer i feltets valg"

#: includes/fields/class-acf-field-checkbox.php:277
#: includes/fields/class-acf-field-color_picker.php:146
#: includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:145
#: includes/fields/class-acf-field-radio.php:291
#: includes/fields/class-acf-field-select.php:475
#: includes/fields/class-acf-field-text.php:142
#: includes/fields/class-acf-field-textarea.php:139
#: includes/fields/class-acf-field-true_false.php:150
#: includes/fields/class-acf-field-url.php:114
#: includes/fields/class-acf-field-wysiwyg.php:436
msgid "Default Value"
msgstr "Standardverdi"

#: includes/fields/class-acf-field-checkbox.php:278
#: includes/fields/class-acf-field-select.php:476
msgid "Enter each default value on a new line"
msgstr "Skriv inn hver standardverdi på en ny linje"

#: includes/fields/class-acf-field-checkbox.php:292
#: includes/fields/class-acf-field-radio.php:306
msgid "Vertical"
msgstr "Vertikal"

#: includes/fields/class-acf-field-checkbox.php:293
#: includes/fields/class-acf-field-radio.php:307
msgid "Horizontal"
msgstr "Horisontal"

#: includes/fields/class-acf-field-checkbox.php:300
msgid "Toggle"
msgstr "Veksle"

#: includes/fields/class-acf-field-checkbox.php:301
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Legg til ekstra avkryssingsboks for å velge alle alternativer"

#: includes/fields/class-acf-field-checkbox.php:310
#: includes/fields/class-acf-field-file.php:219
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:180
#: includes/fields/class-acf-field-radio.php:314
#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Return Value"
msgstr "Returverdi"

#: includes/fields/class-acf-field-checkbox.php:311
#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:207
#: includes/fields/class-acf-field-link.php:181
#: includes/fields/class-acf-field-radio.php:315
msgid "Specify the returned value on front end"
msgstr "Angi verdien returnert på frontend"

#: includes/fields/class-acf-field-checkbox.php:316
#: includes/fields/class-acf-field-radio.php:320
#: includes/fields/class-acf-field-select.php:529
msgid "Value"
msgstr "Verdi"

#: 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 "Begge (Array)"

#: includes/fields/class-acf-field-color_picker.php:36
msgid "Color Picker"
msgstr "Fargevelger"

#: includes/fields/class-acf-field-color_picker.php:83
msgid "Clear"
msgstr "Fjern"

#: includes/fields/class-acf-field-color_picker.php:84
msgid "Default"
msgstr "Standardverdi"

#: includes/fields/class-acf-field-color_picker.php:85
msgid "Select Color"
msgstr "Velg farge"

#: includes/fields/class-acf-field-color_picker.php:86
msgid "Current Color"
msgstr "Nåværende farge"

#: includes/fields/class-acf-field-date_picker.php:36
msgid "Date Picker"
msgstr "Datovelger"

#: includes/fields/class-acf-field-date_picker.php:44
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Fullført"

#: includes/fields/class-acf-field-date_picker.php:45
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Idag"

#: includes/fields/class-acf-field-date_picker.php:46
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Neste"

#: includes/fields/class-acf-field-date_picker.php:47
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Forrige"

#: includes/fields/class-acf-field-date_picker.php:48
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "uke"

#: includes/fields/class-acf-field-date_picker.php:223
#: includes/fields/class-acf-field-date_time_picker.php:197
#: includes/fields/class-acf-field-time_picker.php:127
msgid "Display Format"
msgstr "Visningsformat"

#: includes/fields/class-acf-field-date_picker.php:224
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-time_picker.php:128
msgid "The format displayed when editing a post"
msgstr "Visningsformat når du redigerer et innlegg"

#: includes/fields/class-acf-field-date_picker.php:232
#: includes/fields/class-acf-field-date_picker.php:263
#: includes/fields/class-acf-field-date_time_picker.php:207
#: 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"

#: includes/fields/class-acf-field-date_picker.php:242
msgid "Save Format"
msgstr "Lagre format"

#: includes/fields/class-acf-field-date_picker.php:243
msgid "The format used when saving a value"
msgstr "Formatet som brukes når du lagrer en verdi"

#: includes/fields/class-acf-field-date_picker.php:253
#: includes/fields/class-acf-field-date_time_picker.php:214
#: includes/fields/class-acf-field-post_object.php:447
#: includes/fields/class-acf-field-relationship.php:778
#: includes/fields/class-acf-field-select.php:524
#: includes/fields/class-acf-field-time_picker.php:142
msgid "Return Format"
msgstr "Format som skal returneres"

#: includes/fields/class-acf-field-date_picker.php:254
#: includes/fields/class-acf-field-date_time_picker.php:215
#: includes/fields/class-acf-field-time_picker.php:143
msgid "The format returned via template functions"
msgstr "Formatet som returneres via malfunksjoner"

#: includes/fields/class-acf-field-date_picker.php:272
#: includes/fields/class-acf-field-date_time_picker.php:231
msgid "Week Starts On"
msgstr "Uken starter på"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgid "Date Time Picker"
msgstr "Dato/tid-velger"

#: includes/fields/class-acf-field-date_time_picker.php:44
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Velg tid"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Tid"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Time"

#: includes/fields/class-acf-field-date_time_picker.php:47
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minutt"

#: includes/fields/class-acf-field-date_time_picker.php:48
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekund"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisekund"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekund"

#: includes/fields/class-acf-field-date_time_picker.php:51
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Tidssone"

#: includes/fields/class-acf-field-date_time_picker.php:52
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Nå"

#: includes/fields/class-acf-field-date_time_picker.php:53
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Fullført"

#: includes/fields/class-acf-field-date_time_picker.php:54
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Velg"

#: includes/fields/class-acf-field-date_time_picker.php:56
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:57
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:60
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:61
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:36
msgid "Email"
msgstr "Epost"

#: includes/fields/class-acf-field-email.php:134
#: includes/fields/class-acf-field-number.php:146
#: includes/fields/class-acf-field-radio.php:292
#: includes/fields/class-acf-field-text.php:143
#: includes/fields/class-acf-field-textarea.php:140
#: includes/fields/class-acf-field-url.php:115
#: includes/fields/class-acf-field-wysiwyg.php:437
msgid "Appears when creating a new post"
msgstr "Vises når du oppretter et nytt innlegg"

#: includes/fields/class-acf-field-email.php:142
#: includes/fields/class-acf-field-number.php:154
#: includes/fields/class-acf-field-password.php:134
#: includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:148
#: includes/fields/class-acf-field-url.php:123
msgid "Placeholder Text"
msgstr "Plassholdertekst"

#: includes/fields/class-acf-field-email.php:143
#: includes/fields/class-acf-field-number.php:155
#: includes/fields/class-acf-field-password.php:135
#: includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:149
#: includes/fields/class-acf-field-url.php:124
msgid "Appears within the input"
msgstr "Vises i inndataene"

#: includes/fields/class-acf-field-email.php:151
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-password.php:143
#: includes/fields/class-acf-field-text.php:160
msgid "Prepend"
msgstr "Sett inn foran"

#: includes/fields/class-acf-field-email.php:152
#: includes/fields/class-acf-field-number.php:164
#: includes/fields/class-acf-field-password.php:144
#: includes/fields/class-acf-field-text.php:161
msgid "Appears before the input"
msgstr "Vises før inndata"

#: includes/fields/class-acf-field-email.php:160
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-password.php:152
#: includes/fields/class-acf-field-text.php:169
msgid "Append"
msgstr "Tilføy"

#: includes/fields/class-acf-field-email.php:161
#: includes/fields/class-acf-field-number.php:173
#: includes/fields/class-acf-field-password.php:153
#: includes/fields/class-acf-field-text.php:170
msgid "Appears after the input"
msgstr "Vises etter inndata"

#: includes/fields/class-acf-field-file.php:36
msgid "File"
msgstr "Fil"

#: includes/fields/class-acf-field-file.php:47
msgid "Edit File"
msgstr "Rediger fil"

#: includes/fields/class-acf-field-file.php:48
msgid "Update File"
msgstr "Oppdater fil"

#: includes/fields/class-acf-field-file.php:49
#: includes/fields/class-acf-field-image.php:54 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:55
msgid "Uploaded to this post"
msgstr "Lastet opp til dette innlegget"

#: includes/fields/class-acf-field-file.php:145
msgid "File name"
msgstr "Filnavn"

#: includes/fields/class-acf-field-file.php:149
#: includes/fields/class-acf-field-file.php:252
#: includes/fields/class-acf-field-file.php:263
#: includes/fields/class-acf-field-image.php:266
#: includes/fields/class-acf-field-image.php:295
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Filstørrelse"

#: includes/fields/class-acf-field-file.php:174
msgid "Add File"
msgstr "Legg til fil"

#: includes/fields/class-acf-field-file.php:225
msgid "File Array"
msgstr "Filtabell"

#: includes/fields/class-acf-field-file.php:226
msgid "File URL"
msgstr "Fil-URL"

#: includes/fields/class-acf-field-file.php:227
msgid "File ID"
msgstr "Fil-ID"

#: includes/fields/class-acf-field-file.php:234
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Bibliotek"

#: includes/fields/class-acf-field-file.php:235
#: includes/fields/class-acf-field-image.php:232
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Begrense valg av mediebibliotek"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:237
#: includes/locations/class-acf-location-attachment.php:105
#: includes/locations/class-acf-location-comment.php:83
#: includes/locations/class-acf-location-nav-menu.php:106
#: includes/locations/class-acf-location-taxonomy.php:83
#: includes/locations/class-acf-location-user-form.php:91
#: includes/locations/class-acf-location-user-role.php:108
#: includes/locations/class-acf-location-widget.php:87
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Alle"

#: includes/fields/class-acf-field-file.php:241
#: includes/fields/class-acf-field-image.php:238
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Lastet opp til innlegg"

#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-image.php:245
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Minimum"

#: includes/fields/class-acf-field-file.php:249
#: includes/fields/class-acf-field-file.php:260
msgid "Restrict which files can be uploaded"
msgstr "Begrense hvilke filer som kan lastes opp"

#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Maksimum"

#: includes/fields/class-acf-field-file.php:270
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Tillatte filtyper"

#: includes/fields/class-acf-field-file.php:271
#: includes/fields/class-acf-field-image.php:304
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Kommaseparert liste. Tomt for alle typer"

#: includes/fields/class-acf-field-google-map.php:36
msgid "Google Map"
msgstr "Google-kart"

#: includes/fields/class-acf-field-google-map.php:51
msgid "Locating"
msgstr "Lokaliserer"

#: includes/fields/class-acf-field-google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Beklager, støtter denne nettleseren ikke geolokasjon"

#: includes/fields/class-acf-field-google-map.php:133
msgid "Clear location"
msgstr "Tøm plassering"

#: includes/fields/class-acf-field-google-map.php:134
msgid "Find current location"
msgstr "Finn nåværende posisjon"

#: includes/fields/class-acf-field-google-map.php:137
msgid "Search for address..."
msgstr "Søk etter adresse"

#: includes/fields/class-acf-field-google-map.php:167
#: includes/fields/class-acf-field-google-map.php:178
msgid "Center"
msgstr "Sentrer"

#: includes/fields/class-acf-field-google-map.php:168
#: includes/fields/class-acf-field-google-map.php:179
msgid "Center the initial map"
msgstr "Sentrer det første kartet"

#: includes/fields/class-acf-field-google-map.php:190
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:191
msgid "Set the initial zoom level"
msgstr "Angi initielt zoom-nivå"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-image.php:257
#: includes/fields/class-acf-field-image.php:286
#: includes/fields/class-acf-field-oembed.php:297
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Høyde"

#: includes/fields/class-acf-field-google-map.php:201
msgid "Customise the map height"
msgstr "Tilpasse karthøyde"

#: includes/fields/class-acf-field-group.php:36
#, fuzzy
msgid "Group"
msgstr "Gruppe (viser valgt felt i en gruppe innenfor dette feltet)"

#: includes/fields/class-acf-field-group.php:469
#: pro/fields/class-acf-field-repeater.php:453
msgid "Sub Fields"
msgstr "Underfelt"

#: includes/fields/class-acf-field-group.php:486
#: pro/fields/class-acf-field-clone.php:890
msgid "Specify the style used to render the selected fields"
msgstr "Angi stilen som brukes til å gjengi de valgte feltene"

#: includes/fields/class-acf-field-group.php:491
#: pro/fields/class-acf-field-clone.php:895
#: pro/fields/class-acf-field-flexible-content.php:629
#: pro/fields/class-acf-field-repeater.php:522
msgid "Block"
msgstr "Blokk"

#: includes/fields/class-acf-field-group.php:492
#: pro/fields/class-acf-field-clone.php:896
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:521
msgid "Table"
msgstr "Tabell"

#: includes/fields/class-acf-field-group.php:493
#: pro/fields/class-acf-field-clone.php:897
#: pro/fields/class-acf-field-flexible-content.php:630
#: pro/fields/class-acf-field-repeater.php:523
msgid "Row"
msgstr "Rad"

#: includes/fields/class-acf-field-image.php:36
msgid "Image"
msgstr "Bilde"

#: includes/fields/class-acf-field-image.php:51
msgid "Select Image"
msgstr "Velg bilde"

#: includes/fields/class-acf-field-image.php:52
#: pro/fields/class-acf-field-gallery.php:53
msgid "Edit Image"
msgstr "Rediger bilde"

#: includes/fields/class-acf-field-image.php:53
#: pro/fields/class-acf-field-gallery.php:54
msgid "Update Image"
msgstr "Oppdater bilde"

#: includes/fields/class-acf-field-image.php:55
msgid "All images"
msgstr "Alle bilder"

#: includes/fields/class-acf-field-image.php:142
#: includes/fields/class-acf-field-link.php:153 includes/input.php:267
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Fjern"

#: includes/fields/class-acf-field-image.php:158
msgid "No image selected"
msgstr "Ingen bilde valgt"

#: includes/fields/class-acf-field-image.php:158
msgid "Add Image"
msgstr "Legg til bilde"

#: includes/fields/class-acf-field-image.php:212
msgid "Image Array"
msgstr "Filtabell"

#: includes/fields/class-acf-field-image.php:213
msgid "Image URL"
msgstr "Bilde-URL"

#: includes/fields/class-acf-field-image.php:214
msgid "Image ID"
msgstr "Bilde-ID"

#: includes/fields/class-acf-field-image.php:221
msgid "Preview Size"
msgstr "Forhåndsvisningsstørrelse"

#: includes/fields/class-acf-field-image.php:222
msgid "Shown when entering data"
msgstr "Vises når du skriver inn data"

#: includes/fields/class-acf-field-image.php:246
#: includes/fields/class-acf-field-image.php:275
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Begrense hvilke bilder som kan lastes opp"

#: includes/fields/class-acf-field-image.php:249
#: includes/fields/class-acf-field-image.php:278
#: includes/fields/class-acf-field-oembed.php:286
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Bredde"

#: includes/fields/class-acf-field-link.php:36
#, fuzzy
msgid "Link"
msgstr "Sidekobling"

#: includes/fields/class-acf-field-link.php:146
#, fuzzy
msgid "Select Link"
msgstr "Velg fil"

#: includes/fields/class-acf-field-link.php:151
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:186
#, fuzzy
msgid "Link Array"
msgstr "Filtabell"

#: includes/fields/class-acf-field-link.php:187
#, fuzzy
msgid "Link URL"
msgstr "Fil-URL"

#: includes/fields/class-acf-field-message.php:36
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-true_false.php:141
msgid "Message"
msgstr "Melding"

#: includes/fields/class-acf-field-message.php:124
#: includes/fields/class-acf-field-textarea.php:176
msgid "New Lines"
msgstr "Linjeskift"

#: includes/fields/class-acf-field-message.php:125
#: includes/fields/class-acf-field-textarea.php:177
msgid "Controls how new lines are rendered"
msgstr "Kontroller hvordan linjeskift gjengis"

#: includes/fields/class-acf-field-message.php:129
#: includes/fields/class-acf-field-textarea.php:181
msgid "Automatically add paragraphs"
msgstr "Automatisk legge til avsnitt"

#: includes/fields/class-acf-field-message.php:130
#: includes/fields/class-acf-field-textarea.php:182
msgid "Automatically add &lt;br&gt;"
msgstr "Legg til &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:131
#: includes/fields/class-acf-field-textarea.php:183
msgid "No Formatting"
msgstr "Ingen formatering"

#: includes/fields/class-acf-field-message.php:138
msgid "Escape HTML"
msgstr "Escape HTML"

#: includes/fields/class-acf-field-message.php:139
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Tillat HTML-kode til å vise oppføringsteksten i stedet for gjengivelse"

#: includes/fields/class-acf-field-number.php:36
msgid "Number"
msgstr "Tall"

#: includes/fields/class-acf-field-number.php:181
msgid "Minimum Value"
msgstr "Minste verdi"

#: includes/fields/class-acf-field-number.php:190
msgid "Maximum Value"
msgstr "Maksimal verdi"

#: includes/fields/class-acf-field-number.php:199
msgid "Step Size"
msgstr "Størrelse trinn"

#: includes/fields/class-acf-field-number.php:237
msgid "Value must be a number"
msgstr "Verdien må være et tall"

#: includes/fields/class-acf-field-number.php:255
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Verdien må være lik eller høyere enn %d"

#: includes/fields/class-acf-field-number.php:263
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Verdien må være lik eller lavere enn %d"

#: includes/fields/class-acf-field-oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:237
msgid "Enter URL"
msgstr "Skriv inn URL"

#: includes/fields/class-acf-field-oembed.php:250
#: includes/fields/class-acf-field-taxonomy.php:904
msgid "Error."
msgstr "Feil."

#: includes/fields/class-acf-field-oembed.php:250
msgid "No embed found for the given URL."
msgstr "Fant ingen innbygging for den gitte URL-en."

#: includes/fields/class-acf-field-oembed.php:283
#: includes/fields/class-acf-field-oembed.php:294
msgid "Embed Size"
msgstr "Embed-størrelse"

#: includes/fields/class-acf-field-page_link.php:192
msgid "Archives"
msgstr "Arkiv"

#: includes/fields/class-acf-field-page_link.php:500
#: includes/fields/class-acf-field-post_object.php:399
#: includes/fields/class-acf-field-relationship.php:704
msgid "Filter by Post Type"
msgstr "Filtrer etter innleggstype"

#: includes/fields/class-acf-field-page_link.php:508
#: includes/fields/class-acf-field-post_object.php:407
#: includes/fields/class-acf-field-relationship.php:712
msgid "All post types"
msgstr "Alle innleggstyper"

#: includes/fields/class-acf-field-page_link.php:514
#: includes/fields/class-acf-field-post_object.php:413
#: includes/fields/class-acf-field-relationship.php:718
msgid "Filter by Taxonomy"
msgstr "Filtrer etter taksonomi"

#: includes/fields/class-acf-field-page_link.php:522
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-relationship.php:726
msgid "All taxonomies"
msgstr "Alle taksonomier"

#: includes/fields/class-acf-field-page_link.php:528
#: includes/fields/class-acf-field-post_object.php:427
#: includes/fields/class-acf-field-radio.php:259
#: includes/fields/class-acf-field-select.php:484
#: includes/fields/class-acf-field-taxonomy.php:799
#: includes/fields/class-acf-field-user.php:423
msgid "Allow Null?"
msgstr "Tillat Null?"

#: includes/fields/class-acf-field-page_link.php:538
msgid "Allow Archives URLs"
msgstr "Tillat arkiv-URL-er"

#: includes/fields/class-acf-field-page_link.php:548
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-select.php:494
#: includes/fields/class-acf-field-user.php:433
msgid "Select multiple values?"
msgstr "Velg flere verdier?"

#: includes/fields/class-acf-field-password.php:36
msgid "Password"
msgstr "Passord"

#: includes/fields/class-acf-field-post_object.php:36
#: includes/fields/class-acf-field-post_object.php:452
#: includes/fields/class-acf-field-relationship.php:783
msgid "Post Object"
msgstr "Innleggsobjekt"

#: includes/fields/class-acf-field-post_object.php:453
#: includes/fields/class-acf-field-relationship.php:784
msgid "Post ID"
msgstr "ID for innlegg"

#: includes/fields/class-acf-field-radio.php:36
msgid "Radio Button"
msgstr "Radioknapp"

#: includes/fields/class-acf-field-radio.php:269
msgid "Other"
msgstr "Andre"

#: includes/fields/class-acf-field-radio.php:274
msgid "Add 'other' choice to allow for custom values"
msgstr "Legg til 'andre'-valg for å tillate egendefinerte verdier"

#: includes/fields/class-acf-field-radio.php:280
msgid "Save Other"
msgstr "Lagre annen"

#: includes/fields/class-acf-field-radio.php:285
msgid "Save 'other' values to the field's choices"
msgstr "Lagre 'andre'-verdier til feltets valg"

#: includes/fields/class-acf-field-relationship.php:36
msgid "Relationship"
msgstr "Forhold"

#: includes/fields/class-acf-field-relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "Minimumsverdier nådd ({min} verdier)"

#: includes/fields/class-acf-field-relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Maksimumsverdier nådd ( {max} verdier )"

#: includes/fields/class-acf-field-relationship.php:50
msgid "Loading"
msgstr "Laster"

#: includes/fields/class-acf-field-relationship.php:51
msgid "No matches found"
msgstr "Fant ingen treff"

#: includes/fields/class-acf-field-relationship.php:585
msgid "Search..."
msgstr "Søk …"

#: includes/fields/class-acf-field-relationship.php:594
msgid "Select post type"
msgstr "Velg innleggstype"

#: includes/fields/class-acf-field-relationship.php:607
msgid "Select taxonomy"
msgstr "Velg taksonomi"

#: includes/fields/class-acf-field-relationship.php:732
msgid "Filters"
msgstr "Filtre"

#: includes/fields/class-acf-field-relationship.php:738
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Innleggstype"

#: includes/fields/class-acf-field-relationship.php:739
#: includes/fields/class-acf-field-taxonomy.php:36
#: includes/fields/class-acf-field-taxonomy.php:769
msgid "Taxonomy"
msgstr "Taksonomi"

#: includes/fields/class-acf-field-relationship.php:746
msgid "Elements"
msgstr "Elementer"

#: includes/fields/class-acf-field-relationship.php:747
msgid "Selected elements will be displayed in each result"
msgstr "Valgte elementer vises i hvert resultat"

#: includes/fields/class-acf-field-relationship.php:758
msgid "Minimum posts"
msgstr "Minimum antall innlegg"

#: includes/fields/class-acf-field-relationship.php:767
msgid "Maximum posts"
msgstr "Maksimalt antall innlegg"

#: includes/fields/class-acf-field-relationship.php:871
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s krever minst %s valgt"
msgstr[1] "%s krever minst %s valgte"

#: includes/fields/class-acf-field-select.php:36
#: includes/fields/class-acf-field-taxonomy.php:791
msgctxt "noun"
msgid "Select"
msgstr "Valg"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Ett resultat er tilgjengelig, trykk enter for å velge det."

#: 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 resultater er tilgjengelige, bruk opp- og nedpiltastene for å navigere."

#: includes/fields/class-acf-field-select.php:51
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Fant ingen treff"

#: includes/fields/class-acf-field-select.php:52
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Vennligst fyll inn ett eller flere tegn"

#: 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 "Vennligst fyll inn %d eller flere tegn"

#: includes/fields/class-acf-field-select.php:54
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Vennligst slett ett tegn"

#: includes/fields/class-acf-field-select.php:55
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Vennligst slett %d tegn"

#: includes/fields/class-acf-field-select.php:56
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Du kan bare velge ett element"

#: 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 "Du kan bare velge %d elementer"

#: includes/fields/class-acf-field-select.php:58
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Laster flere resultater &hellip;"

#: includes/fields/class-acf-field-select.php:59
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Søker&hellip;"

#: includes/fields/class-acf-field-select.php:60
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Lasting mislyktes"

#: includes/fields/class-acf-field-select.php:270 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Velg"

#: includes/fields/class-acf-field-select.php:504
#: includes/fields/class-acf-field-true_false.php:159
msgid "Stylised UI"
msgstr "Stilisert brukergrensesnitt"

#: includes/fields/class-acf-field-select.php:514
msgid "Use AJAX to lazy load choices?"
msgstr "Bruk AJAX for å laste valg i bakgrunnen ved behov?"

#: includes/fields/class-acf-field-select.php:525
msgid "Specify the value returned"
msgstr "Angi verdien som returneres"

#: includes/fields/class-acf-field-separator.php:36
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:36
msgid "Tab"
msgstr "Tab"

#: includes/fields/class-acf-field-tab.php:96
msgid ""
"The tab field will display incorrectly when added to a Table style repeater "
"field or flexible content field layout"
msgstr ""
"Fane-feltet vises ikke korrekt når det plasseres i et repeterende felt med "
"tabell-visning eller i et fleksibelt innholdsfelt"

#: includes/fields/class-acf-field-tab.php:97
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr "Bruk \"Fane-felt\" til å gruppere felter"

#: includes/fields/class-acf-field-tab.php:98
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 ""
"Alle felter som kommer etter dette \"fane-feltet\" (eller til et annet "
"\"fane-felt\" defineres) blir gruppert under overskriften til dette fane-"
"feltet."

#: includes/fields/class-acf-field-tab.php:112
msgid "Placement"
msgstr "Plassering"

#: includes/fields/class-acf-field-tab.php:124
msgid "End-point"
msgstr "Avslutning"

#: includes/fields/class-acf-field-tab.php:125
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "Bruk dette feltet som en avslutning eller start en ny fane-gruppe"

#: includes/fields/class-acf-field-taxonomy.php:719
#: includes/fields/class-acf-field-true_false.php:95
#: includes/fields/class-acf-field-true_false.php:184 includes/input.php:266
#: pro/admin/views/html-settings-updates.php:103
msgid "No"
msgstr "Nei"

#: includes/fields/class-acf-field-taxonomy.php:738
msgid "None"
msgstr "Ingen"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Select the taxonomy to be displayed"
msgstr "Velg taksonomien som skal vises"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Appearance"
msgstr "Utseende"

#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Select the appearance of this field"
msgstr "Velg utseendet på dette feltet"

#: includes/fields/class-acf-field-taxonomy.php:785
msgid "Multiple Values"
msgstr "Flere verdier"

#: includes/fields/class-acf-field-taxonomy.php:787
msgid "Multi Select"
msgstr "Flervalgsboks"

#: includes/fields/class-acf-field-taxonomy.php:789
msgid "Single Value"
msgstr "Enkeltverdi"

#: includes/fields/class-acf-field-taxonomy.php:790
msgid "Radio Buttons"
msgstr "Radioknapper"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Create Terms"
msgstr "Opprett termer"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Allow new terms to be created whilst editing"
msgstr "Tillat at nye termer opprettes under redigering"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Save Terms"
msgstr "Lagre termer"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "Koble valgte termer til innlegget"

#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Load Terms"
msgstr "Hent termer"

#: includes/fields/class-acf-field-taxonomy.php:830
msgid "Load value from posts terms"
msgstr "Hent verdier fra andre innleggstermer"

#: includes/fields/class-acf-field-taxonomy.php:844
msgid "Term Object"
msgstr "Term-objekt"

#: includes/fields/class-acf-field-taxonomy.php:845
msgid "Term ID"
msgstr "Term-ID"

#: includes/fields/class-acf-field-taxonomy.php:904
#, php-format
msgid "User unable to add new %s"
msgstr "Brukeren kan ikke legge til ny %s"

#: includes/fields/class-acf-field-taxonomy.php:917
#, php-format
msgid "%s already exists"
msgstr "%s eksisterer allerede"

#: includes/fields/class-acf-field-taxonomy.php:958
#, php-format
msgid "%s added"
msgstr "%s lagt til"

#: includes/fields/class-acf-field-taxonomy.php:1003
msgid "Add"
msgstr "Legg til"

#: includes/fields/class-acf-field-text.php:36
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-text.php:178
#: includes/fields/class-acf-field-textarea.php:157
msgid "Character Limit"
msgstr "Karakterbegrensning"

#: includes/fields/class-acf-field-text.php:179
#: includes/fields/class-acf-field-textarea.php:158
msgid "Leave blank for no limit"
msgstr "La stå tomt for ingen grense"

#: includes/fields/class-acf-field-textarea.php:36
msgid "Text Area"
msgstr "Tekstområde"

#: includes/fields/class-acf-field-textarea.php:166
msgid "Rows"
msgstr "Rader"

#: includes/fields/class-acf-field-textarea.php:167
msgid "Sets the textarea height"
msgstr "Setter textarea-høyde"

#: includes/fields/class-acf-field-time_picker.php:36
msgid "Time Picker"
msgstr "Tidsvelger"

#: includes/fields/class-acf-field-true_false.php:36
msgid "True / False"
msgstr "Sann / Usann"

#: includes/fields/class-acf-field-true_false.php:94
#: includes/fields/class-acf-field-true_false.php:174 includes/input.php:265
#: pro/admin/views/html-settings-updates.php:93
msgid "Yes"
msgstr "Ja"

#: includes/fields/class-acf-field-true_false.php:142
msgid "Displays text alongside the checkbox"
msgstr "Viser tekst ved siden av avkryssingsboksen"

#: includes/fields/class-acf-field-true_false.php:170
msgid "On Text"
msgstr "På tekst"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when active"
msgstr "Teksten som vises når aktiv"

#: includes/fields/class-acf-field-true_false.php:180
msgid "Off Text"
msgstr "Av tekst"

#: includes/fields/class-acf-field-true_false.php:181
msgid "Text shown when inactive"
msgstr "Teksten som vises når inaktiv"

#: includes/fields/class-acf-field-url.php:36
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:165
msgid "Value must be a valid URL"
msgstr "Feltet må inneholde en gyldig URL"

#: includes/fields/class-acf-field-user.php:36 includes/locations.php:95
msgid "User"
msgstr "Bruker"

#: includes/fields/class-acf-field-user.php:408
msgid "Filter by role"
msgstr "Filtrer etter rolle"

#: includes/fields/class-acf-field-user.php:416
msgid "All user roles"
msgstr "Alle brukerroller"

#: includes/fields/class-acf-field-wysiwyg.php:36
msgid "Wysiwyg Editor"
msgstr "WYSIWYG Editor"

#: includes/fields/class-acf-field-wysiwyg.php:385
msgid "Visual"
msgstr "Visuell"

#: includes/fields/class-acf-field-wysiwyg.php:386
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Tekst"

#: includes/fields/class-acf-field-wysiwyg.php:392
msgid "Click to initialize TinyMCE"
msgstr "Klikk for å initialisere TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Tabs"
msgstr "Faner"

#: includes/fields/class-acf-field-wysiwyg.php:450
msgid "Visual & Text"
msgstr "Visuell og tekst"

#: includes/fields/class-acf-field-wysiwyg.php:451
msgid "Visual Only"
msgstr "Bare visuell"

#: includes/fields/class-acf-field-wysiwyg.php:452
msgid "Text Only"
msgstr "Bare tekst"

#: includes/fields/class-acf-field-wysiwyg.php:459
msgid "Toolbar"
msgstr "Verktøylinje"

#: includes/fields/class-acf-field-wysiwyg.php:469
msgid "Show Media Upload Buttons?"
msgstr "Vise knapper for mediaopplasting?"

#: includes/fields/class-acf-field-wysiwyg.php:479
msgid "Delay initialization?"
msgstr "Utsette initialisering?"

#: includes/fields/class-acf-field-wysiwyg.php:480
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE blir ikke initialisert før feltet klikkes"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:304
msgid "Edit field group"
msgstr "Rediger feltgruppe"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Valider epot"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Oppdater"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Innlegg oppdatert"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Søppel avdekket"

#: includes/input.php:258
msgid "Expand Details"
msgstr "Utvid detaljer"

#: includes/input.php:259
msgid "Collapse Details"
msgstr "Skjul detaljer"

#: includes/input.php:260
msgid "Validation successful"
msgstr "Vellykket validering"

#: includes/input.php:261 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validering mislyktes"

#: includes/input.php:262
msgid "1 field requires attention"
msgstr "1 felt må ses på"

#: includes/input.php:263
#, php-format
msgid "%d fields require attention"
msgstr "%d felter må ses på"

#: includes/input.php:264
msgid "Restricted"
msgstr "Begrenset"

#: includes/input.php:268
msgid "Cancel"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Innlegg"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Side"

#: includes/locations.php:96
msgid "Forms"
msgstr "Skjemaer"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Vedlegg"

#: includes/locations/class-acf-location-attachment.php:113
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentar"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rolle nåværende bruker"

#: includes/locations/class-acf-location-current-user-role.php:114
msgid "Super Admin"
msgstr "Superadmin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Nåværende bruker"

#: includes/locations/class-acf-location-current-user.php:101
msgid "Logged in"
msgstr "Logget inn"

#: includes/locations/class-acf-location-current-user.php:102
msgid "Viewing front end"
msgstr "Ser forside"

#: includes/locations/class-acf-location-current-user.php:103
msgid "Viewing back end"
msgstr "Ser adminside"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:113
#, fuzzy
msgid "Menu Locations"
msgstr "Sted"

#: includes/locations/class-acf-location-nav-menu.php:123
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Sideforelder"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Sidemal"

#: includes/locations/class-acf-location-page-template.php:102
#: includes/locations/class-acf-location-post-template.php:156
msgid "Default Template"
msgstr "Standardmal"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Sidetype"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Front Page"
msgstr "Forside"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Posts Page"
msgstr "Innleggsside"

#: includes/locations/class-acf-location-page-type.php:151
msgid "Top Level Page (no parent)"
msgstr "Toppnivåside (ingen forelder)"

#: includes/locations/class-acf-location-page-type.php:152
msgid "Parent Page (has children)"
msgstr "Foreldreside (har barn)"

#: includes/locations/class-acf-location-page-type.php:153
msgid "Child Page (has parent)"
msgstr "Barn-side (har foreldre)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Innleggskategori"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Innleggsformat"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Innleggsstatus"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Innleggstaksonomi"

#: includes/locations/class-acf-location-post-template.php:29
#, fuzzy
msgid "Post Template"
msgstr "Sidemal"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Taksonomi-term"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Brukerskjema"

#: includes/locations/class-acf-location-user-form.php:92
msgid "Add / Edit"
msgstr "Legg til / Rediger"

#: includes/locations/class-acf-location-user-form.php:93
msgid "Register"
msgstr "Registrer"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Brukerrolle"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Rediger"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Oppdater"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s verdi som kreves"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields Pro"

#: pro/admin/admin-options-page.php:196
msgid "Publish"
msgstr "Publiser"

#: pro/admin/admin-options-page.php:202
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Ingen egendefinerte feltgrupper funnet for denne valg-siden. <a href=\"%s"
"\">Opprette en egendefinert feltgruppe</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Feil</b>. Kan ikke koble til oppdateringsserveren"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:17
msgid "Updates"
msgstr "Oppdateringer"

#: pro/admin/views/html-settings-updates.php:11
msgid "Deactivate License"
msgstr "Deaktiver lisens"

#: pro/admin/views/html-settings-updates.php:11
msgid "Activate License"
msgstr "Aktiver lisens"

#: pro/admin/views/html-settings-updates.php:21
msgid "License Information"
msgstr "Lisensinformasjon"

#: pro/admin/views/html-settings-updates.php:24
#, php-format
msgid ""
"To unlock updates, please enter your license key below. If you don't have a "
"licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"For å låse opp oppdateringer må lisensnøkkelen skrives inn under. Se <a href="
"\"%s\" target=\"_blank\">detaljer og priser</a> dersom du ikke har "
"lisensnøkkel."

#: pro/admin/views/html-settings-updates.php:33
msgid "License Key"
msgstr "Lisensnøkkel"

#: pro/admin/views/html-settings-updates.php:65
msgid "Update Information"
msgstr "Oppdateringsinformasjon"

#: pro/admin/views/html-settings-updates.php:72
msgid "Current Version"
msgstr "Gjeldende versjon"

#: pro/admin/views/html-settings-updates.php:80
msgid "Latest Version"
msgstr "Siste versjon"

#: pro/admin/views/html-settings-updates.php:88
msgid "Update Available"
msgstr "Oppdatering tilgjengelig"

#: pro/admin/views/html-settings-updates.php:96
msgid "Update Plugin"
msgstr "Oppdater plugin"

#: pro/admin/views/html-settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Oppgi lisensnøkkelen ovenfor for låse opp oppdateringer"

#: pro/admin/views/html-settings-updates.php:104
msgid "Check Again"
msgstr "Sjekk igjen"

#: pro/admin/views/html-settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Oppgraderingsvarsel"

#: pro/fields/class-acf-field-clone.php:36
msgctxt "noun"
msgid "Clone"
msgstr "Klone"

#: pro/fields/class-acf-field-clone.php:858
msgid "Select one or more fields you wish to clone"
msgstr "Velg ett eller flere felt du ønsker å klone"

#: pro/fields/class-acf-field-clone.php:875
msgid "Display"
msgstr "Vis"

#: pro/fields/class-acf-field-clone.php:876
msgid "Specify the style used to render the clone field"
msgstr "Angi stil som brukes til å gjengi klone-feltet"

#: pro/fields/class-acf-field-clone.php:881
msgid "Group (displays selected fields in a group within this field)"
msgstr "Gruppe (viser valgt felt i en gruppe innenfor dette feltet)"

#: pro/fields/class-acf-field-clone.php:882
msgid "Seamless (replaces this field with selected fields)"
msgstr "Sømløs (erstatter dette feltet med utvalgte felter)"

#: pro/fields/class-acf-field-clone.php:903
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Etiketter vises som %s"

#: pro/fields/class-acf-field-clone.php:906
msgid "Prefix Field Labels"
msgstr "Prefiks feltetiketter"

#: pro/fields/class-acf-field-clone.php:917
#, php-format
msgid "Values will be saved as %s"
msgstr "Verdier vil bli lagret som %s"

#: pro/fields/class-acf-field-clone.php:920
msgid "Prefix Field Names"
msgstr "Prefiks feltnavn"

#: pro/fields/class-acf-field-clone.php:1038
msgid "Unknown field"
msgstr "Ukjent felt"

#: pro/fields/class-acf-field-clone.php:1077
msgid "Unknown field group"
msgstr "Ukjent feltgruppe"

#: pro/fields/class-acf-field-clone.php:1081
#, php-format
msgid "All fields from %s field group"
msgstr "Alle felt fra %s feltgruppe"

#: pro/fields/class-acf-field-flexible-content.php:42
#: pro/fields/class-acf-field-repeater.php:230
#: pro/fields/class-acf-field-repeater.php:534
msgid "Add Row"
msgstr "Legg til rad"

#: pro/fields/class-acf-field-flexible-content.php:45
msgid "layout"
msgstr "oppsett"

#: pro/fields/class-acf-field-flexible-content.php:46
msgid "layouts"
msgstr "oppsett"

#: pro/fields/class-acf-field-flexible-content.php:47
msgid "remove {layout}?"
msgstr "fjern {oppsett}?"

#: pro/fields/class-acf-field-flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Dette feltet krever minst {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Dette feltet har en grense på {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Dette feltet krever minst {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maksimalt {label} nådd ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} tilgjengelig (maks {max})"

#: pro/fields/class-acf-field-flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} kreves (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:54
msgid "Flexible Content requires at least 1 layout"
msgstr "Fleksibelt innholdsfelt krever minst en layout"

#: pro/fields/class-acf-field-flexible-content.php:288
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klikk \"%s\"-knappen nedenfor for å begynne å lage oppsettet"

#: pro/fields/class-acf-field-flexible-content.php:423
msgid "Add layout"
msgstr "Legg til oppsett"

#: pro/fields/class-acf-field-flexible-content.php:424
msgid "Remove layout"
msgstr "Fjern oppsett"

#: pro/fields/class-acf-field-flexible-content.php:425
#: pro/fields/class-acf-field-repeater.php:360
msgid "Click to toggle"
msgstr "Klikk for å veksle"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder Layout"
msgstr "Endre rekkefølge på oppsett"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder"
msgstr "Endre rekkefølge"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete Layout"
msgstr "Slett oppsett"

#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate Layout"
msgstr "Dupliser oppsett"

#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New Layout"
msgstr "Legg til nytt oppsett"

#: pro/fields/class-acf-field-flexible-content.php:645
msgid "Min"
msgstr "Minimum"

#: pro/fields/class-acf-field-flexible-content.php:658
msgid "Max"
msgstr "Maksimum"

#: pro/fields/class-acf-field-flexible-content.php:685
#: pro/fields/class-acf-field-repeater.php:530
msgid "Button Label"
msgstr "Knappetikett"

#: pro/fields/class-acf-field-flexible-content.php:694
msgid "Minimum Layouts"
msgstr "Minimum oppsett"

#: pro/fields/class-acf-field-flexible-content.php:703
msgid "Maximum Layouts"
msgstr "Maksimum oppsett"

#: pro/fields/class-acf-field-gallery.php:52
msgid "Add Image to Gallery"
msgstr "Legg bildet til galleri"

#: pro/fields/class-acf-field-gallery.php:56
msgid "Maximum selection reached"
msgstr "Maksimalt utvalg nådd"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Lengde"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Bildetekst"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Alternativ tekst"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Legg til galleri"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Massehandlinger"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Sorter etter dato lastet opp"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Sorter etter dato endret"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Sorter etter tittel"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Snu gjeldende rekkefølge"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Lukk"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Minimum antall valg"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Maksimum antall valg"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Sett inn"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Angi hvor nye vedlegg er lagt"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Tilføy til slutten"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Sett inn foran"

#: pro/fields/class-acf-field-repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "Minimum antall rader nådd ({min} rader)"

#: pro/fields/class-acf-field-repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "Maksimum antall rader nådd ({max} rader)"

#: pro/fields/class-acf-field-repeater.php:405
msgid "Add row"
msgstr "Legg til rad"

#: pro/fields/class-acf-field-repeater.php:406
msgid "Remove row"
msgstr "Fjern rad"

#: pro/fields/class-acf-field-repeater.php:483
msgid "Collapsed"
msgstr "Sammenfoldet"

#: pro/fields/class-acf-field-repeater.php:484
msgid "Select a sub field to show when row is collapsed"
msgstr "Velg et underfelt å vise når raden er skjult"

#: pro/fields/class-acf-field-repeater.php:494
msgid "Minimum Rows"
msgstr "Minimum antall rader"

#: pro/fields/class-acf-field-repeater.php:504
msgid "Maximum Rows"
msgstr "Maksimum antall rader"

#: pro/locations/class-acf-location-options-page.php:70
msgid "No options pages exist"
msgstr "Ingen side for alternativer eksisterer"

#: pro/options-page.php:51
msgid "Options"
msgstr "Valg"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Alternativer er oppdatert"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"For å låse opp oppdateringer må lisensnøkkelen skrives inn på <a href=\"%s"
"\">oppdateringer</a>-siden. Se <a href=\"%s\" target=\"_blank\">detaljer og "
"priser</a> dersom du ikke har lisensnøkkel."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Getting Started"
#~ msgstr "Kom i gang"

#~ msgid "Field Types"
#~ msgstr "Felttyper"

#~ msgid "Functions"
#~ msgstr "Funksjoner"

#~ msgid "Actions"
#~ msgstr "Handlinger"

#~ msgid "Features"
#~ msgstr "Funksjoner"

#~ msgid "How to"
#~ msgstr "Veiledning"

#~ msgid "Tutorials"
#~ msgstr "Veiledninger"

#~ msgid "FAQ"
#~ msgstr "OSS"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr "Termmeta-oppgradering ikke mulig (termmeta-tabell finnes ikke)"

#~ msgid "Error"
#~ msgstr "Feil"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 felt må ses på"
#~ msgstr[1] "%d felter må ses på"

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Feil under validering av ACF PRO-lisens URL (nettsted samsvarer ikke). "
#~ "Vennligst reaktiver lisensen"

#~ msgid "Disabled"
#~ msgstr "Deaktivert"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Deaktivert <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Deaktiverte <span class=\"count\">(%s)</span>"

#~ msgid "'How to' guides"
#~ msgstr "\"Hvordan\" -guider"

#~ msgid "Created by"
#~ msgstr "Laget av"

#~ msgid "No updates available"
#~ msgstr "Ingen oppdateringer tilgjengelige"

#~ msgid "Error loading update"
#~ msgstr "Feil ved lasting av oppdatering"

#~ msgid "Database Upgrade complete"
#~ msgstr "Databaseoppgradering fullført"

#~ msgid "Return to network dashboard"
#~ msgstr "Tilbake til nettverkskontrollpanel"

#~ msgid "See what's new"
#~ msgstr "Se hva som er nytt"

#~ msgid "No embed found for the given URL"
#~ msgstr "Ingen embed funnet for den gitte URL-en"

#~ msgid "eg. Show extra content"
#~ msgstr "f. eks. Vis ekstra innhold"

#~ msgid "No Custom Field Groups found for this options page"
#~ msgstr "Ingen egendefinerte feltgrupper funnet for dette valget"

#~ msgid "Create a Custom Field Group"
#~ msgstr "Opprett en egendefinert feltgruppe"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Feil ved validering av lisens-URL (nettsted samsvarer ikke). Vennligst "
#~ "reaktiver din lisens"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Suksess.</b> Importverktøyet la til %s feltgrupper: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Advarsel.</b> Importverktøyet oppdaget %s feltgrupper allerede "
#~ "eksisterer og har blitt ignorert: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Oppgrader ACF"

#~ msgid "Upgrade"
#~ msgstr "Oppgrader"

#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Følgende områder krever en database-oppgradering. Sjekk de du vil "
#~ "oppdatere, og klikk deretter på \"Upgrade Database\"."

#~ msgid "Select"
#~ msgstr "Select"

#~ msgid "Done"
#~ msgstr "Fullført"

#~ msgid "Today"
#~ msgstr "Idag"

#~ msgid "Show a different month"
#~ msgstr "Vise en annen måned"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Tilkoblingsfeil</b>. Beklager, prøv på nytt"

#~ msgid "See what's new in"
#~ msgstr "Se hva som er nytt i"

#~ msgid "version"
#~ msgstr "versjon"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Dra og slipp for å endre rekkefølgen"

#~ msgid "Upgrading data to"
#~ msgstr "Oppgradere data til"

#~ msgid "Return format"
#~ msgstr "Format som skal returneres"

#~ msgid "uploaded to this post"
#~ msgstr "lastet opp til dette innlegget"

#~ msgid "File Name"
#~ msgstr "Filnavn"

#~ msgid "File Size"
#~ msgstr "Filstørrelse"

#~ msgid "No File selected"
#~ msgstr "Ingen fil valgt"

#~ msgid "Add new %s "
#~ msgstr "Legg til ny %s"

#~ msgid "Save Options"
#~ msgstr "Lagringsvalg"

#~ msgid "License"
#~ msgstr "Lisens"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Oppgi lisensnøkkelen nedenfor for å låse opp oppdateringer. Hvis du ikke "
#~ "har en lisensnøkkel, se"

#~ msgid "details & pricing"
#~ msgstr "detaljer og priser"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "For å aktivere oppdateringer, angi din lisensnøkkel på <a href=\"%s"
#~ "\">oppdateringer</a> -siden. Hvis du ikke har en lisensnøkkel, se <a href="
#~ "\"%s\">detaljer og priser</a>"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

#~ msgid "elliot condon"
#~ msgstr "elliot condon"
PK�[
֛��lang/acf-fr_FR.monu�[������4L*L*M*i*r*D�*�*
�*
�*�*+
+z(+0�+=�+,-,�C,	�,�,-M
-X--\-
�-�-	�-�-�-
�-�-�-�-
�-	.. ./.>.F.].x.|.��.c/
�/�/�/�/!�/�/�/A�/?0,K04x0�0�0
�0�0�0 1&1?1F1X1^1
g1
u1�1�1�1�1�1�1�1�1
22"2C/2s2�2�2�2�2�2
�2�2�2	�2�2�2333.353=3C39R3�3�3�3�3�3�3�3	�3�3/4;4C4L4"^4�4�4#�4�4�4�4[�4
>5L5Y5k5
{5�5E�5�5�5G
6:R6�6�6 �6�6�67/7@7!^7"�7#�7!�7,�7,8%C8i8!�8%�8%�8-�8!#9*E9p9�9�9
�9Z�9V:\:r:
y:�:�:
�:�:�:,�:$�:
;";5;	E;O;`;p;�;�;�;
�;�;	�;
�;
�;�;�;
<<
<"<	+< 5<&V<&}<�<�<�<�<�<1�<==.=4=@=
M=X=
d=
o=z=�=3�=�=�=>i#>�>7�>�>�>1?A?[?Tb?�?
�?�?�?	�?	�?�?"@.@D@X@k@z@�@�@+�@C�@@AZAaAgA
pA	{A�A�A�A
�A�A=�AB
BB+B2BAB
TB�_B�B�B�B	C#C"/C"RC!uC�C�C�C/�C
�CDD*DQ3D��D'E;E@E	GEQEgE4tE�Ey�E7F;FAFQFpFvF�F�F�F�F�F�F�F�FG
G
GG
$G/GKG
SG^G	gG�qGHHH.H;H
MH
[H!iH�H'�H�H�H	�H�H�H�HIIII)I
;I
II!WI	yI�I=�I�I�I�I
�IJ!J
>JLJYJfJvJ1{J�J	�J�J�J	�JU�JGKMTKR�K�K`�KYLoL�L�L
�L�LT�L3MDMVMgM~M�M�M�M�M�M�M�M�M�M�MN N-N=N	CNMNSNXN	hNrN
~N	�N�N�N�N	�N�N	�NM�N54O+jO,�O�O�O
�O�O�O�O�O
P
P	'P1P
>PIP[PoP�P/�P�P�P�P�P�P
�PQ2
Q@Q�YQR

RR"R
)R
7RBRJRYR	bR	lR$vR%�R
�R
�R�R�R�R	SS"S'S+-S*YS�S�S
�S
�S�S3�S�ST
T%T	;T.ET	tT~T�T�T�T�T0�T�T+
U9UJU�ZU#�UV#W5AW7wW>�W?�W#.X1RX%�XG�XV�X&IY:pY<�Y2�YZ5ZLZ	\ZfZ�Z�Z�Z�Z�Z�Z[	[6[M[R[,e[�[0�[�[�[
�[
\'\08\4i\�\'�\�\�\	�\]]
]%]1]9]H]Z]_]n]�]�]�]�]�]�]�]�]	�]	�]�]�]1^!2^ZT^3�^B�^U&_E|_A�_Z`A_`^�a(b*)b#Tb^xb@�b<c4Uc7�c3�cL�c	CdMd5Yd�d��d�<e�e
�e�e�e�eff(f-f
5fCfWf^fof{f�f
�f�f�f�f
�f�f�fgWgvg�g�g�g�g
�g	�g�g�g	�g�gh!h3hIhOh^hph�h�h�h�h�h(�h'i#Giki�i
�i�i�i�i�i
�i�i��i'�jM�j
kk!!k
CkNkUk[knk}k�kM�k�k�k�k$�klll'l.l=l
ElPl\lclpl	sl	}l�l�l�l6�l4�lIm%[p
�p�pF�p�p�p
q
q'q :q�[q/�q\.r�r�r��r
�s�s�sL�s�s>�s;tNtatst�t�t#�t�t�t�tu$u9uLubuju�u�u�u-�u�vww0wFw.cw�w#�wH�wx<;xAxx�x�x	�x�xy-#y$Qyvy~y	�y�y�y�y�y"�y'z/zAzQzaz&uz�z�z�zp�z:{L{^{p{�{�{�{�{,�{�{�{�{||%|?|E|K|S|Mg| �|�|�|	�|}}(}=}F}uZ}�}�}�}+~,~4~.H~w~~~�~h�~(;TeiOy$�/�s�[����
��	���
!�/�2�4�
<�G�M�Z�g�n�q�s�{���������Ձ�`��wY�т	����%�
1�<�O�-n�/��
̃ڃ �	��8�K�c�z�������Ȅ܄���
�
'�5�
<�G�\�i�7��2���
��(�G�M[�	����ÆɆچ���
 �.�*J�<u���ˇ!��
���B݈3 �T�Jr���݉�����
������ϊ-�-�!=�_��������̋7݋c�hy�������+�3�"D�
g�r�Wy�эލ��
���
2��=�ÎɎ���.�.5�.d�.�����:�P�f�x���P��������͑	֑���F
�Q��d��	��-9�g�n���������Ó˓�$���!�
5�@�L�$_�
��
����	�������������Е�#�6�'N�1v�������Ŗٖߖ����.�?�#O�6s�����i֗	@�J� b���'��)�����
� �2�6�<�
W�e�~���n���r3�s���c���0��қ%��*�gH���̜���	�9�Y�y���������۝�����.�4�F�L�Q�f�����������ў	ޞ���r�Fy�<��%��#�,�
4�?�R�
b�p�	��������̠(ޠ!�)�F�DO�����áǡϡ
ܡ�K�-L��z�D�P�\�e�m�������
��̣
գ �%�'�/�!F�h�&��
��������<ɤ+�$2�W�m�y�'��/��
���(�
B�=P�
����#��Ŧަ��?�L�.j�!����qӧ"E�Th�#�����'�)G�q�1����CЪe�z�3��.ɫD�� =� ^����>���	�+��)�A�,U�
��
��E����F��D�BW�����Ӯ
�+�<�C[���+����������&�;�C�[�r��� ����ŰͰ
հ	�����
��#+�*O�(z�"��jƱ/1�Ja�c��;�ML�s�������[1�-�����Ѷ6Z�]��3�5#�+Y�b��	��L��E��K��/�����.�%5�[�k�w�|�
��������ϻ����
2�%@�f�u�����)ļq�`�u���@��ս����#�8�-J�x���������Ҿ��$�A�a�#��6��0ۿ/�/<�l�
u���'��������S�QD�����$�����������%�)�r.�������$������������(�.�@� G�h�
k�y�������7��4��%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.<strong>ERROR</strong>: %sA Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.FancyFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NormalNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttps://www.advancedcustomfields.comidis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.8.5
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-10-17 14:45+0200
PO-Revision-Date: 2019-12-07 09:24+0000
Last-Translator: maximebj <maxime@dysign.fr>
Language-Team: Français
Language: fr_FR
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n > 1);
X-Generator: Loco https://localise.biz/
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Loco-Version: 2.3.0; wp-5.2.4
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d champs requièrent votre attention%s ajouté%s existe déjà%s requiert au moins %s sélection%s requiert au moins %s sélectionsLa valeur %s est requise(aucun libellé)(aucun titre)(ce champ)+ Ajouter un champ1 champ requiert votre attention<b>Erreur</b>. Impossible d'authentifier la mise à jour. Merci d'essayer à nouveau et si le problème persiste, désactivez et réactivez votre licence ACF PRO.<b>Erreur</b>. Impossible de joindre le serveur<b>Sélectionnez </b> les champs que vous souhaitez <b>masquer</b> sur la page d‘édition.<strong>ERREUR</strong> : %sUne expérience plus fluideACF 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 !AccordéonActiver votre licenceActifActif <span class="count">(%s)</span>Actifs <span class="count">(%s)</span>AjouterAjouter « autre » pour autoriser une valeur personnaliséeAjouter / ModifierAjouter un fichierAjouter une imageAjouter l'image à la galerieAjouterAjouter un champAjouter un nouveau groupe de champsAjouter une dispositionAjouter un élémentAjouter une dispositionAjouter un choixAjouter un élémentAjouter une règleAjouter à la galerieAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROTousTous les formats %sLes 4 add-ons premiums (Répéteur, galerie, contenu flexible et pages d'options) ont été combinés en une toute nouvelle <a href="%s">version PRO d'ACF</a>. Avec les licences personnelles et développeur disponibles, les fonctionnalités premium sont encore plus accessibles que jamais auparavant !Tous les champs du groupe %sToutes les imagesTous les types de publicationToutes les taxonomiesTous les rôles utilisateursPermet l’ajout d’une valeur personnaliséeAfficher les pages d’archivesPermettra une valeur personnaliséePermettre l'affichage du code HTML à l'écran au lieu de l'interpréterAutoriser une valeur vide ?Autoriser la création de nouveaux termes pendant l'éditionPermettre à cet accordéon de s'ouvrir sans refermer les autres.Types de fichiers autorisésTexte alternatifApparenceApparait après le champApparait avant le champValeur affichée à la création d'un articleApparait dans le champ (placeholder)SuffixeInsérer à la finAppliquerArchivesConfirmez-vous cette action ?Média (photo, fichier…)AuteurAjouter &lt;br&gt; automatiquementAjouter des paragraphes automatiquementRetour aux outilsChamps basiquesSous les champsSous les intitulésDe meilleurs formulaires côté publicMeilleure validationBlocLes deux (tableau)Les imports et exports de données d'ACF sont encore plus simples à réaliser via notre nouvelle page d'outils.Actions groupéesActions de groupeGroupe de boutonsIntitulé du boutonAnnulerLégendeCatégoriesCentrePosition géographique du centre de la carteAméliorationsLimite de caractèresVérifier à nouveauCase à cocherCochéPage enfant (avec parent)ChoixChoixEffacerEffacer la positionCliquez sur le bouton "%s" ci-dessous pour créer votre première dispositionCliquez pour initialiser TinyMCECliquer pour intervertirChamp CloneAppliquerFermer le champFermer la fenêtreMasquer les détailsReferméPalette de couleursListez les extensions autorisées en les séparant par une virgule. Laissez vide pour autoriser toutes les extensionsCommentaireCommentairesLogique conditionnelleLier les termes sélectionnés à l'articleContenuÉditeur de contenuComment sont interprétés les sauts de lignesCopiéCopier dans le presse-papiersCréer des termesCréez une série de règles pour déterminer les écrans sur lesquels ce groupe de champs sera utiliséCouleur actuelleUtilisateur actuelRôle utilisateur actuelVersion actuelleACFPersonnalisé :Personnalisez WordPress avec des champs intuitifs, puissants et professionnels.Personnaliser la hauteur de la carteMise à jour de la base de données nécessaireMise à niveau de la base de données effectuée. <a href="%s">Retourner au panneau d'administration du réseau</a>Mise à niveau de la base de données terminée. <a href="%s">Consulter les nouveautés</a>DateValiderAujourd’huiSuivantPrécédentSemDate et HeureAMAValiderMaintenantHeureMicrosecondeMillisecondeMinutePMPSecondeValiderChoix de l’heureHeureFuseau horaireDésactiver la licenceValeur par défautModèle de baseValeur par défautDéfinir un point de terminaison pour arrêter l'accordéon. Cet accordéon ne sera pas visible.Définir un point de terminaison pour arrêter les précédents onglets. Cela va commencer un nouveau groupe d'onglets.Retarder l’initialisation ?SupprimerSupprimer la dispositionSupprimer ce champDescriptionDiscussionFormat d'affichageFormat dans l’administrationOuvrir l'accordéon au chargement de la page.Affiche le texte à côté de la case à cocherDocumentationTélécharger & installerFaites glisser pour réorganiserDupliquerDupliquer la dispositionDupliquer ce champDupliquer cet élémentImport / Export FacileMise à niveau facileModifierModifier le champModifier le groupe de champsModifier le fichierModifier l'imageModifier ce champModifier le groupe de champsÉlémentsElliot CondonE-mailDimensionsPoint de terminaisonEntrez l'URLIndiquez une valeur par ligne.Entrez chaque valeur par défaut sur une nouvelle ligneÉchec de l'import du fichier. Merci de réessayerAutoriser le code HTMLExtraitAfficher les détailsExporter les groupes de champsExporter le fichier1 groupe de champ a été exporté.%s groupes de champs ont été exportés.FantaisieImage à la UneChampGroupe de champsGroupes de champsIdentifiants des champsTitre du champNom du champType de champGroupe de champs supprimé.Brouillon du groupe de champs mis à jour.Groupe de champs dupliqué.%s groupes de champs dupliqués.Groupe de champ publié.Groupe de champ enregistré.Groupe de champs programmé pour.De nouveaux réglages font leur apparition dans les groupes de champs avec notamment les options : Actif, emplacement du libellé, emplacement des instructions et de la description.Groupe de champ enregistré.Groupe de champs synchronisé.%s groupes de champs synchronisés.Veuillez indiquer un titre pour le groupe de champsGroupe de champs mis à jour.Le groupe de champs qui a l’ordre le plus petit sera affiché en premierCe type de champ n‘existe pasChampsLes champs peuvent désormais être intégrés dans les pages de menus, éléments de menus, commentaires, widgets et tous les formulaires utilisateurs !FichierDonnées du fichier (array)ID du FichierURL du fichierNom du fichierTaille du fichierLe poids de l'image doit être d'au moins %s.Le poids de l'image ne doit pas dépasser %s.Le type de fichier doit être %s.Filtrer par type de publicationFiltrer par taxonomieFiltrer par rôleFiltresTrouver l'emplacement actuelContenu flexibleLe contenu flexible nécessite au moins une dispositionPour un contrôle plus poussé, vous pouvez spécifier la valeur et le libellé de cette manière :La validation des formulaires est maintenant faite via PHP + AJAX au lieu d'être seulement faite en JS.FormatFormulairesInterface AmélioréePage d'accueilTaille originaleGalerieGénérer le PHPAu revoir Add-ons. Bonjour ACF ProGoogle MapGroupeGroupe (affiche les champs sélectionnés dans un groupe à l’intérieur de ce champ)Champ GroupeA n'importe quelle valeurN'a pas de valeurHauteurMasquerHaute (après le titre)HorizontalSi plusieurs groupes ACF sont présents sur une page d‘édition, le groupe portant le numéro le plus bas sera affiché en premier.ImageDonnées de l'image (array)ID de l‘imageURL de l‘imageL'image doit mesurer au moins %dpx de hauteur.L'image ne doit pas dépasser %dpx de hauteur.L'image doit mesurer au moins %dpx de largeur.L'image ne doit pas dépasser %dpx de largeur.Importer les groupes de champsImporter le fichierLe fichier à importer est vide1 groupe de champs importé%s groupes de champs importésDonnées amélioréesDesign amélioréConvivialité amélioréeInactifInactif <span class="count">(%s)</span>Inactifs <span class="count">(%s)</span>ACF inclue désormais la librairie populaire Select2, qui améliore l'ergonomie et la vitesse sur plusieurs types de champs dont l'objet article, lien vers page, taxonomie, et sélection.Type de fichier incorrectInformationInsérerInstalléEmplacement des instructionsInstructionsInstructions pour les auteurs. Affichées lors de la saisie du contenuDécouvrez ACF PROIl est fortement recommandé de faire une sauvegarde de votre base de données avant de continuer. Êtes-vous sûr de vouloir lancer la mise à niveau maintenant ?IdentifiantIntituléEmplacement de l'intituléLes libellés seront affichés en tant que %sGrandeDernière versionDispositionLaisser vide pour illimitéAligné à gaucheLongueurMédiasInformations sur la licenceCode de licenceLimiter le choix de la médiathèqueLienTableau de donnéesChamp LienURL du LienCharger les termesCharger une valeur depuis les termesChargementJSON LocalAssigner ce groupe de champsConnecté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 !MaxMaximumNombre maximum de dispositionsNombre maximum d'élémentsMaximum d’imagesValeur maximaleMaximum d'articles sélectionnablesNombre maximal d'éléments atteint ({max} éléments)Nombre de sélections maximales atteintNombre maximal de valeurs atteint ({max} valeurs)MoyenMenuÉlément de menuEmplacement de menuMenusMessageMinMinimumNombre minimum de dispositionsNombre minimum d'élémentsMinimum d'imagesValeur minimaleMinimum d'articles sélectionnablesNombre minimal d'éléments atteint ({min} éléments)Plus d'AJAXEncore plus de PersonnalisationEncore plus de champs utilisent la recherche via AJAX afin d'améliorer le temps de chargement des pages.DéplacerDéplacement effectué.Déplacer le champ personnaliséDéplacer le champDéplacer le champ dans un autre groupeMettre à la corbeille. Êtes-vous sûr ?Champs amoviblesSélecteur multipleOuverture multipleValeurs multiplesNomTexteNouvelles FonctionnalitésNouveau champNouveau groupe de champsNouveaux Emplacements de ChampsNouvelles lignesDe nouveaux filtres et actions PHP (et JS) ont été ajoutés afin de vous permettre plus de personnalisation.Nouveaux paramètresNouvelle fonctionnalité d'export automatique en JSON qui améliore la rapidité et simplifie la synchronisation. La nouvelle fonctionnalité Groupe de Champ vous permet de déplacer un champ entre différents groupes et parents.NonAucun groupe de champs trouvé pour cette page options. <a href="%s">Créer un groupe de champs</a>Aucun groupe de champs trouvéAucun groupe de champs trouvé dans la corbeilleAucun champ trouvéAucun champ trouvé dans la corbeillePas de formatageAucun groupe de champs n'est sélectionnéAucun champ. Cliquez sur le bouton <strong>+ Ajouter un champ</strong> pour créer votre premier champ.Aucun fichier sélectionnéAucune image sélectionnéeAucun résultatAucune page d'option crééePas de %sAjoutez d'abord une case à cocher ou un champ sélectionAucune mise à jour disponible.NormalNormal (après le contenu)VideNombreTexte côté « Inactif »Texte côté « Actif »OuvertOuvrir dans un nouvel ongletOptionsPage d‘optionsOptions mises à jourOrdreNuméro d’ordreAutrePageAttributs de la pageLien vers page ou articlePage parenteModèle de pageType de pageParentPage parente (avec page enfant)Mot de passePermalienTexte d’exempleEmplacementVeuillez également vérifier que tous les add-ons premium (%s) sont à jour avec la dernière version disponible.Entrez votre clé de licence ci-dessous pour activer les mises à jourMerci de sélectionner au moins un site à mettre à niveau.Choisissez la destination de ce champPositionArticleCatégorieFormat d‘articleID de l'articleObjet ArticleStatut de l’articleTaxonomieModèle d’articleType de publicationArticle mis à jourPage des articlesNouvelles fonctionnalités surpuissantesPréfixer les libellés de champsPréfixer les noms de champsPréfixeAjouter une case à cocher au début pour intervertir tous les choixInsérer au débutTaille de prévisualisationProPublierBouton radioBoutons radioGlissière numériqueEn savoir plus à propos des <a href="%s">fonctionnalités d’ACF PRO</a>.Lecture des instructions de mise à niveau…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 !InscriptionRelationnelRelationEnleverRetirer la dispositionRetirer l'élémentRéorganiserRéorganiser la dispositionRépéteurRequis ?RessourcesRestreindre l'import de fichiersRestreindre les images téléverséesLimitéFormat dans le modèleValeur affichée dans le templateInverser l'ordre actuelExaminer les sites et mettre à niveauRévisionsRangéeLignesRèglesEnregistre la valeur personnalisée dans les choix du champsEnregistrer « autre » en tant que choixEnregistrer la valeur personnaliséeEnregistrer le formatEnregistrerEnregistrer les termesSans contour (directement dans la page)Remplace ce champ par les champs sélectionnésRechercherRechercher un groupe de champsRechercher des champsRechercher une adresse…Rechercher…Découvrez les nouveautés de la <a href="%s">version %s</a>.Choisir %sCouleurSélectionnez les groupes de champsSélectionner un fichierSélectionner l‘imageSélectionner un lienChoisir un sous champ à montrer lorsque la ligne est referméePlusieurs valeurs possibles ?Sélectionnez un ou plusieurs champs à clonerChoisissez le type de publicationChoisissez la taxonomieSélectionnez le fichier JSON que vous souhaitez importer et cliquez sur « Importer ». ACF s'occupe du reste.Personnaliser l'apparence de champSélectionnez les groupes de champs que vous souhaitez exporter puis 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 alors que le bouton « générer » exportera le code PHP que vous pourrez ajouter dans votre thème.Choisissez la taxonomie à afficherVeuillez retirer 1 caractèreVeuillez retirer %d caractèresVeuillez saisir au minimum 1 caractèreVeuillez saisir au minimum %d caractèresÉchec du chargementChargement de résultats supplémentaires&hellip;Aucun résultat trouvéUn résultat disponible, appuyez sur Entrée pour le sélectionner.%d résultats sont disponibles, utilisez les flèches haut et bas pour naviguer parmi les résultats.Recherche en cours&hellip;Vous ne pouvez sélectionner qu’un seul élémentVous ne pouvez sélectionner que %d élémentsLes éléments sélectionnés seront affichés dans chaque résultatLa sélection est supérieure àLa sélection est inférieure àEnvoyer des rétroliensSéparateurDéfinir le niveau de zoom (0 : monde ; 14 : ville ; 21 : rue)Hauteur du champRéglagesAfficher les boutons d‘ajout de médias ?Montrer ce groupe quandMontrer ce champ siAffiché dans la liste des groupes de champsSur le côtéValeur uniqueUn seul mot, sans espace.<br />Les « _ » et « - » sont autorisésSiteLe site est à jourLe site requiert une mise à niveau de la base de données de %s à %sIdentifiant (slug)Désolé, ce navigateur ne prend pas en charge la géolocalisationRanger par date de modificationRanger par date d'importRanger par titreSpam repéréSpécifier la valeur retournée sur le siteDéfinit le style utilisé pour générer le champ dupliquéDéfinit le style utilisé pour générer les champs sélectionnésDéfinit la valeur retournéeDéfinir comment les images sont inséréesDans un blocStatutPasStyleInterface avancéeSous-champsSuper AdministrateurSupportPasser en mode ÉditionPasser en mode AperçuSynchronisationSynchronisation disponibleSynchroniser le groupe de champsOngletTableauOngletsMots-clésTaxonomieID du termeObjet TermeTexteZone de texteTexte brut seulementText affiché lorsqu’il est actifTexte affiché lorsqu’il est désactivéMerci d’utiliser <a href="%s">ACF</a>.Merci d'avoir mis à jour %s v%s !Merci d'avoir mis à jour ! ACF %s est plus performant que jamais. Nous espérons que vous l'apprécierez.Le champ %s a été déplacé dans le groupe %sLe champ Groupe permet de créer un groupe de champs en toute simplicité.Le champ Lien permet de sélectionner ou définir un lien en toute simplicité (URL, titre, cible).Les modifications seront perdues si vous quittez cette pageLe champ Clone vous permet de sélectionner et afficher des champs existants.Toute l'extension a été améliorée et inclut de nouveaux types de champs, réglages ainsi qu'un nouveau design !Le code suivant peut être utilisé pour enregistrer une version locale du ou des groupes de champs sélectionnés. Un groupe de champ local apporte pas mal de bénéfices tels qu'un temps de chargement plus rapide, la gestion des versions et les champs/paramètres dynamiques. Copiez/collez simplement le code suivant dans le fichier functions.php de votre thème ou incluez-le depuis un autre fichier.Les sites suivants nécessites une mise à niveau de la base de données. Sélectionnez ceux que vous voulez mettre à jour et cliquez sur %s.Format affiché lors de l’édition d’un article depuis l’interface d’administrationValeur retournée dans le modèle sur le siteLe format enregistréLe champ oEmbed vous permet d'embarquer des vidéos, des images, des tweets, de l'audio ou encore d'autres médias en toute simplicité.Le nom d’un champ ne peut pas commencer par "field_"Ce champ ne peut pas être déplacé tant que ses modifications n'ont pas été enregistréesCe champ a une limite de {max} {label} {identifier}Ce champ requiert au moins {min} {label} {identifier}Ce nom apparaîtra sur la page d‘éditionCette version contient des améliorations de la base de données et nécessite une mise à niveau.MiniatureHeureTinyMCE ne sera pas automatiquement initialisé si cette option est activéeTitrePour activer les mises à jour, veuillez entrer votre clé de licence sur la page <a href="%s">Mises à jour</a>. Si vous n’en possédez pas encore une, jetez un oeil à nos <a href="%s" target="_blank">détails & tarifs</a>.Pour débloquer les mises à jour, veuillez entrer votre clé de licence ci-dessous. Si vous n’en possédez pas encore une, jetez un oeil à nos <a href="%s" target="_blank">détails & tarifs</a>.Masquer/afficherTout masquer/afficherBarre d‘outilsOutilsPage de haut niveau (sans descendant)Aligné en hautVrai / FauxTypeInconnuChamp inconnuGroupe de champ inconnuMise à jourMise à jour disponibleMettre à jour le fichierMettre à jourInformations de mise à jourMettre à jour l’extensionMises à jourMise à niveau de la base de donnéesAméliorationsMettre à niveau les sitesMise à niveau terminée.Mise à niveau échouée.Migration des données vers la version %sLa mise à niveau vers ACF PRO est facile. Achetez simplement une licence en ligne et téléchargez l'extension !Liés à cet articleLiés à cette publicationURLUtiliser AJAX pour charger les choix dynamiquement (lazy load) ?UtilisateurTableau d'utilisateursFormulaire utilisateurID de l'utilisateurObjet d'utilisateursRôle utilisateurUtilisateur incapable d'ajouter un nouveau %sValider l’e-mailÉchec de la validationValidé avec succèsValeurLa valeur contientLa valeur est égale àLa valeur est supérieure àLa valeur est inférieure àLa valeur est différente deLa valeur correspond au modèleLa valeur doit être un nombreLa valeur doit être une URL valideLa valeur doit être être supérieure ou égale à %dLa valeur doit être inférieure ou égale à %dLa valeur ne doit pas dépasser %d caractères.Les valeurs seront enregistrées en tant que %sVerticalVoir le champVoir le groupe de champsDepuis l’interface d’administrationDepuis le siteVisuelVisuel & Texte brutÉditeur visuel seulementNous avons également rédigé un <a href="%s">guide de mise à niveau</a> pour répondre aux questions habituelles, mais si vous une question spécifique, veuillez contacter notre équipe de support via le <a href="%s">support</a>Nous pensons que vous allez adorer les nouveautés présentées dans la version %s.Nous avons changé la façon dont les fonctionnalités premium sont délivrées !Site webLes semaines commencent leBienvenue sur Advanced Custom FieldsNouveautésWidgetLargeurAttributs du conteneurÉditeur de contenuOuiZoomacf_form() peut maintenant créer une nouvelle publication lors de la soumission et propose de nombreux réglages.etclassecopiehttps://www.advancedcustomfields.comidest égal àn‘est pas égal àjQuerydispositiondispositionsdispositionsCloneListe déroulanteoEmbedChamp Contenu Embarqué (oEmbed)ourouge : RougeModifierChoisirMettre à jourlargeur{available} {label} {identifier} disponible (max {max}){required} {label} {identifier} required (min {min})PK�[�f��)�)�lang/acf-he_IL.ponu�[���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-10-23 11:00+0300\n"
"PO-Revision-Date: \n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Ahrale | Atar4U.com <contact@atar4u.com>\n"
"Language: he_IL\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-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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "קבוצות שדות"

#: acf.php:370
msgid "Field Group"
msgstr "קבוצת שדות"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New"
msgstr "הוספת חדש"

#: acf.php:372
msgid "Add New Field Group"
msgstr "הוספת קבוצת שדות חדשה"

#: acf.php:373
msgid "Edit Field Group"
msgstr "עריכת קבוצת שדות"

#: acf.php:374
msgid "New Field Group"
msgstr "קבוצת שדות חדשה"

#: acf.php:375
msgid "View Field Group"
msgstr "הצג את קבוצת השדות"

#: acf.php:376
msgid "Search Field Groups"
msgstr "חיפוש קבוצת שדות"

#: acf.php:377
msgid "No Field Groups found"
msgstr "אף קבוצת שדות לא נמצאה"

#: acf.php:378
msgid "No Field Groups found in Trash"
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
msgid "Fields"
msgstr "שדות"

#: acf.php:402
msgid "Field"
msgstr "שדה"

#: acf.php:404
msgid "Add New Field"
msgstr "הוספת שדה חדש"

#: acf.php:405
msgid "Edit Field"
msgstr "עריכת השדה"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "שדה חדש"

#: acf.php:407
msgid "View Field"
msgstr "הצג את השדה"

#: acf.php:408
msgid "Search Fields"
msgstr "חיפוש שדות"

#: acf.php:409
msgid "No Fields found"
msgstr "לא נמצאו שדות"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "לא נמצאו שדות בפח"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "לא פעיל"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "לא פעיל <span class=\"count\">(%s)</span>"
msgstr[1] "לא פעילים <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "קבוצת השדות עודכנה"

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "קבוצת השדות נמחקה."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "קבוצת השדות פורסמה."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "קבוצת השדות נשמרה."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "קבוצת השדות נשלחה."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "קבוצת השדות מתוכננת ל"

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "טיוטת קבוצת שדות עודכנה."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "מיקום"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "הגדרות"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "מועבר לפח. האם אתה בטוח?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "מסומן"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "אין שדות תיבות סימון זמינים"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "כותרת קבוצת שדות - חובה"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "העתק"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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
msgid "or"
msgstr "או"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "שדות אב"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "שדות אחים"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "הזזת שדות מיוחדים"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "אי אפשר להזיז את השדה עד לשמירת השינויים שנעשו בו"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "ריק"

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "השינויים שעשית יאבדו אם תעבור לדף אחר"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "לא ניתן להשתמש במחרוזת \"field_\" בתחילת שם השדה"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "מפתחות שדה"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "פעיל"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "ההעברה הושלמה."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "אפשר עכשיו למצוא את שדה %s בתוך קבוצת השדות %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "סגור חלון"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "בבקשה בחר במיקום החדש עבור שדה זה"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "הזזת שדה"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "פעיל <span class=\"count\">(%s)</span>"
msgstr[1] "פעילים <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "קבוצת השדות שוכפלה. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s קבוצת השדה שוכפלה."
msgstr[1] "%s קבוצות השדות שוכפלו."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "קבוצת השדות סונכרנה. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s קבוצת השדות סונכרנה."
msgstr[1] "%s קבוצות השדות סונכרנו."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "סנכרון זמין"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "כותרת"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "תיאור"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "מצב"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "שדרגו את וורדפרס עם שדות מיוחדים באופן מקצועי, יעל ומהיר."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "גרסאות"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "מה חדש ב<a href=\"%s\">גרסה %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "עזרה"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "אתר"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "הוראות הפעלה"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "תמיכה"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "פרו"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "תודה שיצרת עם <a href=\"%s\">ACF</a>"

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "שכפל את הפריט הזה"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate"
msgstr "שיכפול"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:112
#: includes/fields/class-acf-field-relationship.php:656
msgid "Search"
msgstr "חיפוש"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "בחירה %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "סנכרון קבוצת שדות"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "סינכרון"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "החל"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "עריכה קבוצתית"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "שדות מיוחדים"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "שדרוג מסד נתונים"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "סקירת אתרים ושדרוגים"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "שגיאה בבקשת האימות"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "אין עזכונים זמינים."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "תוספים"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "‏<b>שגיאה</b>. טעינת רשימת ההרחבות נכשלה"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "מידע"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "מה חדש"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "כלים"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "אף קבוצת שדות לא נבחרה"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:155
msgid "No file selected"
msgstr "לא נבחר קובץ"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "שגיאה בהעלאת הקובץ. בבקשה נסה שנית"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "סוג קובץ לא תקין"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "קובץ הייבוא ריק"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "קבוצת שדות 1 יובאה"
msgstr[1] "%s קבוצות שדות יובאו"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "תנאי לוגי"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "הצגת השדה בתנאי ש"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "שווה ל"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "לא שווה ל"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "וגם"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "הוספת קבוצת כללים"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "גרור ושחרר לסידור מחדש"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "עריכת שדה"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-file.php:137
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "עריכה"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "שכפול שדה"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "העברת שדה לקבוצה אחרת"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "שינוי מיקום"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "מחיקת שדה"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete"
msgstr "מחיקה"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "תווית השדה"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "השם שיופיע בדף העריכה"

#: includes/admin/views/field-group-field.php:77
msgid "Field Name"
msgstr "שם השדה"

#: includes/admin/views/field-group-field.php:78
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "מילה אחת, ללא רווחים. אפשר להשתמש במקף תחתי ובמקף אמצעי"

#: includes/admin/views/field-group-field.php:87
msgid "Field Type"
msgstr "סוג שדה"

#: includes/admin/views/field-group-field.php:98
#: includes/fields/class-acf-field-tab.php:88
msgid "Instructions"
msgstr "הוראות"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions for authors. Shown when submitting data"
msgstr "הוראות למחברים. מוצג למעדכני התכנים באתר"

#: includes/admin/views/field-group-field.php:108
msgid "Required?"
msgstr "חובה?"

#: includes/admin/views/field-group-field.php:131
msgid "Wrapper Attributes"
msgstr "מאפייני עוטף"

#: includes/admin/views/field-group-field.php:137
msgid "width"
msgstr "רוחב"

#: includes/admin/views/field-group-field.php:152
msgid "class"
msgstr "מחלקה"

#: includes/admin/views/field-group-field.php:165
msgid "id"
msgstr "מזהה"

#: includes/admin/views/field-group-field.php:177
msgid "Close Field"
msgstr "סגור שדה"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "סדר"

#: 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
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
msgid "Name"
msgstr "שם"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "מפתח"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "סוג"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"אין שדות. לחצו על כפתור <strong>+ הוספת שדה</strong> כדי ליצור את השדה "
"הראשון שלכם."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ הוספת שדה"

#: includes/admin/views/field-group-locations.php:9
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 "יצירת מערכת כללים כדי לקבוע באילו מסכי עריכה יופיעו השדות המיוחדים"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "סגנון"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "רגיל (תיבת תיאור של וורדפרס)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "חלק (ללא תיבת תיאור)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "מיקום"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "גבוה (אחרי הכותרת)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "רגיל (אחרי התוכן)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "צד"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "מיקום תווית"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:102
msgid "Top aligned"
msgstr "מיושר למעלה"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:103
msgid "Left aligned"
msgstr "מיושר לשמאל"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "מיקום הוראות"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "מתחת לתוויות"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "מתחת לשדות"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "מיקום (order)"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "קבוצות שדות עם מיקום נמוך יופיעו ראשונות"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "מוצג ברשימת קבוצת השדות"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "הסתרה במסך"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>בחרו</b> פריטים שיהיו <b>נסתרים</b> במסך העריכה."

#: 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 ""

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "קישור"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "עורך תוכן"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "מובאה"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "דיון"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "הערות"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "גרסאות עריכה"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "מזהה הפוסט"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "מחבר"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "פורמט"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "מאפייני עמוד"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "תמונה ראשית"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "קטגוריות"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "תגיות"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "שלח טראקבקים"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "הצגת קבוצת השדות הזו בתנאי ש"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr ""

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
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."
msgstr ""

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr ""

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr ""

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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 ""
"מומלץ בחום לגבות את מאגר הנתונים לפני שממשיכים. האם אתם בטוחים שאתם רוצים "
"להריץ את העדכון כעת?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr ""

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "שדרוג נתונים לגרסה %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "שדה חזרה"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "תוכן גמיש"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "גלריה"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "עמוד אפשרויות"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "חובה לשדרג את מסד הנתונים"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "תודה שעדכנתם ל-%s גרסה %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 ""
"לפני שאתם מתחילים להשתמש בתכונות המדהימות החדשות, בבקשה עדכנו את מאגר "
"הנתונים שלכם לגרסה העדכנית."

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "קורא משימות שדרוג..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "הורדה והתקנה"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "מותקן"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 ""
"תודה שעידכנתם! ACF %s הוא גדול יותר וטוב יותר מאי פעם. מקווים שתאהבו אותו."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "חווית שדות מיוחדים חלקה יותר"

#: includes/admin/views/settings-info.php:22
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 שיפרה גם את השימושיות ואת המהירות בכמה "
"סוגי שדות, כולל: אובייקט פוסט, קישור דף, טקסונומיה ובחירה."

#: 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 ""
"הרבה שדות עברו רענון ויזואלי כדי לגרום ל-ACF להיראות טוב מאי פעם! ניתן לראות "
"שינויים בולטים בשדה הגלריה, שדה היחסים, ובשדה ההטמעה (החדש)!"

#: 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 ""
"עיצוב מחדש של ארכיטקטורת המידע איפשר לשדות משנה להיות נפרדים מההורים שלהם. "
"דבר זה מאפשר לכם לגרור ולשחרר שדות לתוך ומחוץ לשדות אב."

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "להתראות הרחבות. שלום PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "הכירו את ACF PRO"

#: includes/admin/views/settings-info.php:45
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 <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"כל ארבעת הרחבות הפרימיום אוחדו לתוך <a href=\"%s\">גרסת הפרו החדשה של ACF</"
"a>. עם הרשיונות הזמינים לשימוש אישי ולמפתחים, יכולות הפרימיום זולות יותר "
"ונגישות יותר מאי פעם."

#: 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 ""
"‏ACF PRO כולל תכונות עצמתיות כמו מידע שחוזר על עצמו, פריסות תוכן גמישות, שדה "
"גלריה יפה ואת היכולת ליצור דפי אפשרויות נוספים בממשק הניהול!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "קרא עוד על <a href=\"%s\">הפיצ׳רים של ACF PRO</a>"

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "שדרוג קל"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"כדי להקל על השידרוג, <a href=\"%s\">התחברו לחשבון שלכם</a> וקבלו חינם עותק "
"של ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"כתבנו גם <a href=\"%s\">מדריך שידרוג</a> כדי לענות על כל השאלות, אך אם עדיין "
"יש לכם שאלה, בבקשה צרו קשר עם צוות התמיכה שלנו דרך <a href=\"%s\">מוקד "
"התמיכה</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "מתחת למכסה המנוע"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "הגדרות חכמות יותר לשדות"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "‏ACF עכשיו שומר את הגדרות השדות שלו כאובייקטי פוסט בודדים"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "עוד AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "יותר שדות משתמשים בחיפוש מבוסס AJAX כדי לשפר את מהירות טעינת הדף"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "‏JSON מקומי"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "תכונת ייצוא אוטומטי חדש ל-JSON משפר את המהירות"

#: includes/admin/views/settings-info.php:88
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"
msgstr "תכונת חדש לייצוא אוטומטי ל-JSON מאפשר להגדרות השדות להיות מבוקרי גרסה"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "‏JSON במקום XML"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "ייבוא / ייצוא משתמש עכשיו ב-JSON במקום ב-XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "טפסים חדשים"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr "ניתן כעת למפות שדות לתגובות, ווידג׳טים וכל טפסי המשתמש!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "נוסף שדה חדש להטמעת תוכן"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "גלריה חדשה"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "שדה הגלריה עבר מתיחת פנים חיונית ביותר"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "הגדרות חדשות"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr "הגדרות קבוצות שדות נוספה למיקום התוויות ולמיקום ההוראות"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "טפסי צד קדמי משופרים"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "‏acf_form() יכול עכשיו ליצור פוסט חדש בעת השליחה"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "אימות נתונים משופר"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "אימות טפסים נעשה עכשיו עם 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)"
msgstr "הגדרת שדה יחסים חדשה בשביל ׳סינונים׳ (חיפוש, סוג פוסט, טקסונומיה)"

#: includes/admin/views/settings-info.php:139
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 "פונקציונליות קבוצות שדות חדשה מאפשרת לכם להעביר שדה בין קבוצות והורים"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "קישור לעמוד"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "קבוצת ארכיון חדשה בשדה הבחירה של page_link"

#: includes/admin/views/settings-info.php:149
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 "פונקציות חדשות לדף האפשרויות נותנות לכם ליצור דפי תפריט ראשיים ומשניים"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "אנחנו חושבים שתאהבו את השינויים ב%s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "יצוא קבוצות שדות ל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 ""
"ניתן להשתמש בקוד הבא כדי לרשום גרסה מקומית של קבוצות השדה הנבחרות. קבוצת "
"שדות מקומית יכולה להביא לתועלות רבות כמו זמני טעינה מהירים יותר, בקרת גרסאות "
"ושדות/הגדרות דינמיות. פשוט העתיקו והדביקו את הקוד הבא לקובץ functions‪.‬php "
"שבערכת העיצוב שלכם או הוסיפו אותו דרך קובץ חיצוני."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "בחירת קבוצת שדות"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "יצוא קבוצות שדות"

#: 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 ""
"בחרו בקבוצות השדות שברצונכם לייצא ואז בחרו במתודת הייצוא. השתמש בכפתור "
"ההורדה כדי לייצא קובץ json אותו תוכלו לייבא להתקנת ACF אחרת. השתמשו בכפתור "
"היצירה כדי לייצא קוד php אותו תוכלו להכניס לתוך ערכת העיצוב שלכם."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "הורדת קובץ ייצוא"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "יצירת קוד ייצוא"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "ייבוא קבוצות שדות"

#: 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 ""
"בחרו בקובץ השדות המיוחדים מסוג JSON שברצונכם לייבא. כשתלחצו על כפתור הייבוא "
"שמתחת, ACF ייבא את קבוצות השדות."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "בחר קובץ"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "ייבוא"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "תמונה ממוזערת"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "בינוני"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "גדול"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "גודל מלא"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1831
#: pro/fields/class-acf-field-clone.php:992
msgid "(no title)"
msgstr "(אין כותרת)"

#: 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:986
msgid "Parent"
msgstr ""

#: includes/api/api-helpers.php:3885
#, php-format
msgid "Image width must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3890
#, php-format
msgid "Image width must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3906
#, php-format
msgid "Image height must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3911
#, php-format
msgid "Image height must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3929
#, php-format
msgid "File size must be at least %s."
msgstr ""

#: includes/api/api-helpers.php:3934
#, php-format
msgid "File size must must not exceed %s."
msgstr ""

#: includes/api/api-helpers.php:3968
#, php-format
msgid "File type must be %s."
msgstr ""

#: includes/fields.php:144
msgid "Basic"
msgstr "בסיסי"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "תוכן"

#: includes/fields.php:146
msgid "Choice"
msgstr "בחירה"

#: includes/fields.php:147
msgid "Relational"
msgstr "יחסי"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: 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-repeater.php:450
msgid "Layout"
msgstr "פריסת תוכן"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "סוג השדה לא נמצא"

#: includes/fields.php:326
msgid "Unknown"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr ""

#: 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 "בחירות"

#: 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 "יש להקליד כל בחירה בשורה חדשה."

#: 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 "לשליטה רבה יותר, אפשר לציין את הערך ואת התווית כך:"

#: 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 "red : אדום "

#: 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 "לאפשר שדה ריק?"

#: 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 "ערך ברירת המחדל"

#: 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 "מופיע כאשר יוצרים פוסט חדש"

#: 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 "אופקי"

#: 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 "אנכי"

#: includes/fields/class-acf-field-button-group.php:191
#: 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:833
msgid "Return Value"
msgstr "ערך חוזר"

#: includes/fields/class-acf-field-button-group.php:192
#: 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 "הגדרת הערך המוחזר בצד הקדמי"

#: 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 ""

#: 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 ""

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "תיבת סימון"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "החלפת מצב הבחירה של כל הקבוצות"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""

#: 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 "יש להקליד כל ערך ברירת מחדל בשורה חדשה"

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "דוגם צבע"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "נקה"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "ברירת המחדל"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "בחירת צבע"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "בחירת תאריך"

#: includes/fields/class-acf-field-date_picker.php:33
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:34
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "פורמט תצוגה"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "הפורמט המוצג בעריכתםה פוסט"

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "פורמט חוזר"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 "הפורמט המוחזר דרך פונקציות התבנית"

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "השבוע מתחיל ביום"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:33
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:41
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:42
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:43
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr ""

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "אימייל"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "מציין טקסט"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "מופיע בתוך השדה"

#: 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:187
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "לפני"

#: 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:188
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "מופיע לפני השדה"

#: 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:196
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "אחרי"

#: 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:197
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "מופיע לאחר השדה"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "קובץ"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "עריכת קובץ"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "עדכן קובץ"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "משוייך לפוסט"

#: includes/fields/class-acf-field-file.php:126
msgid "File name"
msgstr ""

#: 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-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr ""

#: includes/fields/class-acf-field-file.php:139
#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "הסר"

#: includes/fields/class-acf-field-file.php:155
msgid "Add File"
msgstr "הוספת קובץ"

#: includes/fields/class-acf-field-file.php:206
msgid "File Array"
msgstr "מערך קבצים"

#: includes/fields/class-acf-field-file.php:207
msgid "File URL"
msgstr "כתובת אינטרנט של הקובץ"

#: includes/fields/class-acf-field-file.php:208
msgid "File ID"
msgstr "מזהה הקובץ"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "ספריה"

#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr "הגבלת אפשרויות ספריית המדיה"

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "הכל"

#: includes/fields/class-acf-field-file.php:222
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "הועלה לפוסט"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr ""

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-file.php:241
msgid "Restrict which files can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr ""

#: includes/fields/class-acf-field-file.php:251
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr ""

#: includes/fields/class-acf-field-file.php:252
#: 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"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "מפת גוגל"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "מאתר"

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "מצטערים, דפדפן זה אינו תומך בזיהוי מיקום גיאוגרפי"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "ניקוי מיקום"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr "מציאת המיקום הנוכחי"

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "חיפוש כתובת..."

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "מרכוז"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "מירכוז המפה הראשונית"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "זום"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "הגדרת רמת הזום הראשונית"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "גובה"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "התאמת גובה המפה"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr ""

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "שדות משנה"

#: includes/fields/class-acf-field-group.php:475
#: pro/fields/class-acf-field-clone.php:840
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-flexible-content.php:612
#: 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-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-repeater.php:459
msgid "Row"
msgstr "שורה"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "תמונה"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "בחירת תמונה"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "עריכת תמונה"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "עדכון תמונה"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "כל פריטי המדיה"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "לא נבחרה תמונה"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "הוספת תמונה"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "מערך תמונות"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "כתובת אינטרנט של התמונה"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "מזהה ייחודי של תמונה"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "גודל תצוגה"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "מוצג בעת הזנת נתונים"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr ""

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr ""

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr ""

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "הודעה"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "שורות חדשות"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "שליטה על אופן ההצגה של שורות חדשות "

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "הוספה אוטומטית של פסקאות"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "הוספה אוטומטית של &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "ללא עיצוב"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr ""

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "מספר"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:157
msgid "Minimum Value"
msgstr "ערך מינימום"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:167
msgid "Maximum Value"
msgstr "ערך מקסימום"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:177
msgid "Step Size"
msgstr "גודל הצעד"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "הערך חייב להיות מספר"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "הערך חייב להיות שווה או גדול יותר מ-%d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "הערך חייב להיות שווה או קטן יותר מ-%d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "‏שדה הטמעה"

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "הקלד כתובת URL"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "שגיאה."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr "לא נמצא קוד הטמעה לכתובת ה-URL הנתונה."

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "גודל ההטמעה "

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "ארכיונים"

#: 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
msgid "Filter by Post Type"
msgstr "סינון על פי סוג פוסט"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "כל סוגי הפוסטים"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "סינון לפי טקסונומיה"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "בחירת ערכים מרובים?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "ססמה"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr "אובייקט פוסט"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "מזהה ייחודי לפוסט"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "כפתור רדיו"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "אחר"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "הוספת האפשרות 'אחר' כדי לאפשר ערכים מותאמים אישית"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "שמירת אחר"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "שמירת ערכי 'אחר' לאפשרויות השדה"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "יחסים"

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr "הגעתם לערך המקסימלי האפשרי ( ערכי {max} )"

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "טוען"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr "לא נמצאו התאמות"

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "בחירת סוג פוסט"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "בחירת טקסונומיה"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "חיפוש..."

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "מסננים (Filters)"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "סוג פוסט"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "טקסונמיה"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "אלמנטים"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr "האלמנטים הנבחרים יוצגו בכל תוצאה"

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "מספר פוסטים מרבי"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, fuzzy, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s מחייב לפחות בחירה %s"
msgstr[1] "%s מחייב לפחות בחירה %s"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr ""

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr ""

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr ""

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr ""

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr ""

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:48
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr ""

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr ""

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "ממשק משתמש מסוגנן"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "להשתמש ב-AJAX כדי לטעון את האפשרויות לאחר שהדף עולה"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr ""

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "לשונית"

#: 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 ""
"שדה הלשונית יוצג באופן שגוי כשמוסיפים אותו לשדה חזרה שמוצג כטבלה או לשדה "
"פריסת תוכן גמישה"

#: includes/fields/class-acf-field-tab.php:83
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""
"השתמשו בלשוניות כדי לארגן את ממשק העריכה טוב יותר באמצעות קיבוץ השדות יחד."

#: 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 ""
"כל השדות שאחרי \"שדה הלשונית\" הזה (או עד להגדרת שדה לשונית נוסף) יהיו "
"מקובצים יחד, כשהתווית של שדה זה תופיע ככותרת הלשונית."

#: includes/fields/class-acf-field-tab.php:98
msgid "Placement"
msgstr "מיקום"

#: includes/fields/class-acf-field-tab.php:110
msgid "End-point"
msgstr ""

#: includes/fields/class-acf-field-tab.php:111
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "ללא"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "ערכים מרובים"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "בחירה מרובה"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "ערך יחיד"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "כפתורי רדיו"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "אוביקט ביטוי"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "מזהה הביטוי"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr ""

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "טקסט"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "הגבלת מספר תווים"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "השאירו את השדה ריק אם אין מגבלת תווים"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "אזור טקסט"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "שורות"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "קובע את גובה אזור הטקסט"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "אמת / שקר"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "כן"

#: 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 "לא"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:165
msgid "Off Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr ""

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "כתובת ‏Url"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "הערך חייב להיות כתובת URL תקנית"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "משתמש"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "סינון על פי תפקיד"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "כל תפקידי המשתמשים"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "עורך ויזואלי"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "ויזואלי"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "לשוניות"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "עורך ויזואלי ועורך טקסט"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "עורך ויזואלי בלבד"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "טקסט בלבד"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "סרגל כלים"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "להציג כפתורי העלאת מדיה?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr ""

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr ""

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81
msgid "Update"
msgstr "עדכון"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "הפוסט עודכן"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr ""

#: includes/input.php:259
msgid "Expand Details"
msgstr "פרטים נוספים"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "להסתיר פרטים"

#: includes/input.php:261
msgid "Validation successful"
msgstr "האימות עבר בהצלחה"

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "האימות נכשל"

#: includes/input.php:263
msgid "1 field requires attention"
msgstr ""

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr ""

#: includes/input.php:265
msgid "Restricted"
msgstr ""

#: includes/input.php:266
msgid "Are you sure?"
msgstr ""

#: includes/input.php:270
msgid "Cancel"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "פוסט"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "עמוד"

#: includes/locations.php:96
msgid "Forms"
msgstr "שדות"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "קובץ מצורף"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "תגובה"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr ""

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "מנהל על"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr ""

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "עמוד אב"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "תבנית עמוד"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "תבנית ברירת המחדל"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "סוג עמוד"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "עמוד ראשי"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "עמוד פוסטים"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "עמוד אב (יש לו עמודים ילדים)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "עמוד בן (יש לו עמוד אב)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "קטגורית פוסטים"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "פורמט פוסט"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "סטטוס פוסט"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "טקסונומית פוסט"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr ""

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "מונח טקסונומיה"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "טופס משתמש"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "הוספה / עריכה"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "הרשמה"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "תפקיד משתמש"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "ווידג׳ט"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr ""

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr ""

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "ערך %s נדרש"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "שדות מיוחדים מתקדמים פרו"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "פורסם"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"אף קבוצת שדות לא נמצאה בפח. <a href=\"%s\">יצירת קבוצת שדות מיוחדים</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "‏<b>שגיאה</b>. החיבור לשרת העדכון נכשל"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "עדכונים"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "ביטול הפעלת רשיון"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "הפעל את הרשיון"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "מפתח רשיון"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "מידע על העדכון"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "גרסה נוכחית"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "גרסה אחרונה"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "יש עדכון זמין"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "עדכון התוסף"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "הקלד בבקשה את מפתח הרשיון שלך לעיל כדי לשחרר את נעילת העדכונים"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "בדיקה חוזרת"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "הודעת שדרוג"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr ""

#: pro/fields/class-acf-field-clone.php:808
msgid "Select one or more fields you wish to clone"
msgstr ""

#: pro/fields/class-acf-field-clone.php:825
msgid "Display"
msgstr "תצוגה"

#: pro/fields/class-acf-field-clone.php:826
msgid "Specify the style used to render the clone field"
msgstr ""

#: pro/fields/class-acf-field-clone.php:831
msgid "Group (displays selected fields in a group within this field)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:832
msgid "Seamless (replaces this field with selected fields)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:853
#, php-format
msgid "Labels will be displayed as %s"
msgstr ""

#: pro/fields/class-acf-field-clone.php:856
msgid "Prefix Field Labels"
msgstr ""

#: pro/fields/class-acf-field-clone.php:867
#, php-format
msgid "Values will be saved as %s"
msgstr ""

#: pro/fields/class-acf-field-clone.php:870
msgid "Prefix Field Names"
msgstr ""

#: pro/fields/class-acf-field-clone.php:988
msgid "Unknown field"
msgstr ""

#: pro/fields/class-acf-field-clone.php:1027
msgid "Unknown field group"
msgstr ""

#: pro/fields/class-acf-field-clone.php:1031
#, php-format
msgid "All fields from %s field group"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "הוספת שורה חדשה"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "פריסה"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "פריסות"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "מחיקת {פריסה}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "לשדה זה דרושים לפחות {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "לשדה זה יש מגבלה של  {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "שדה זה דורש לפחות {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "הגעתם לערך המקסימלי של {label} האפשרי ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "‏{available} {label} {identifier} זמינים (מקסימום {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "‏{required} {label} {identifier} נדרש (מינימום {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "דרושה לפחות פריסה אחת לתוכן הגמיש"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "לחצו על כפתור \"%s\" שלמטה כדי להתחיל ביצירת הפריסה"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "הוספת פריסה"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "הסרת פריסה"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder Layout"
msgstr "שינוי סדר פריסה"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder"
msgstr "סידור מחדש"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete Layout"
msgstr "מחיקת פריסת תוכן"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate Layout"
msgstr "שכפול פריסת תוכן"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New Layout"
msgstr "הוספת פריסת תוכן חדשה"

#: pro/fields/class-acf-field-flexible-content.php:628
msgid "Min"
msgstr "מינימום"

#: pro/fields/class-acf-field-flexible-content.php:641
msgid "Max"
msgstr "מקסימום"

#: pro/fields/class-acf-field-flexible-content.php:668
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "תווית כפתור"

#: pro/fields/class-acf-field-flexible-content.php:677
msgid "Minimum Layouts"
msgstr "מינימום פריסות"

#: pro/fields/class-acf-field-flexible-content.php:686
msgid "Maximum Layouts"
msgstr "מקסימום פריסות"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "הוספת תמונה לגלריה"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "הגעתם למקסימום בחירה"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "אורך"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "הוספה לגלריה"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "עריכה קבוצתית"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "מיון לפי תאריך העלאה"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "מיון לפי תאריך שינוי"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "מיון לפי כותרת"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "הפוך סדר נוכחי"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "סגור"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "מינימום בחירה"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "מקסימום בחירה"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "הגעתם למינימום שורות האפשרי ({min} שורות)"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "הגעתם למקסימום שורות האפשרי ({max} שורות)"

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "הוספת שורה"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "הסרת שורה"

#: pro/fields/class-acf-field-repeater.php:419
msgid "Collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "מינימום שורות"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "מקסימום שורות"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "לא קיים דף אפשרויות"

#: pro/options-page.php:51
msgid "Options"
msgstr "אפשרויות"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "האפשרויות עודכנו"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr ""

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#~ msgid "See what's new in"
#~ msgstr "מה חדש ב"

#~ msgid "version"
#~ msgstr "גרסה"

#~ msgid "Getting Started"
#~ msgstr "תחילת עבודה"

#~ msgid "Field Types"
#~ msgstr "סוגי שדות"

#~ msgid "Functions"
#~ msgstr "פונקציות"

#~ msgid "Actions"
#~ msgstr "פעולות (Actions)"

#~ msgid "'How to' guides"
#~ msgstr "מדריכי ׳איך לעשות׳"

#~ msgid "Tutorials"
#~ msgstr "הדרכות"

#~ msgid "Created by"
#~ msgstr "נוצר בידי"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "‏<b>הצלחה</b>. כלי הייבוא הוסיף %s קבוצות שדה: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "‏<b>אזהרה</b>. כלי הייבוא זיהה %s קבוצות שדה שכבר קיימות, ולפיכך הן לא "
#~ "יובאו: %s"

#~ msgid "Upgrade"
#~ msgstr "שדרוג"

#~ msgid "Error"
#~ msgstr "שגיאה"

#~ msgid "Drag and drop to reorder"
#~ msgstr "גררו ושחררו כדי לשנות את הסדר"

#~ msgid "See what's new"
#~ msgstr "בואו לראות מה חדש"

#~ msgid "Done"
#~ msgstr "בוצע"

#~ msgid "Today"
#~ msgstr "היום"

#~ msgid "Show a different month"
#~ msgstr "הצגת חודש אחר"

#~ msgid "Return format"
#~ msgstr "פורמט חוזר"

#~ msgid "uploaded to this post"
#~ msgstr "העלה לפוסט הזה"

#~ msgid "File Name"
#~ msgstr "שם קובץ"

#~ msgid "File Size"
#~ msgstr "גודל קובץ"

#~ msgid "No File selected"
#~ msgstr "לא נבחר קובץ"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr "שימו לב שכל הטקסט יועבר קודם דרך פונקציית וורדפרס "

#~ msgid "Select"
#~ msgstr "בחירה"

#~ msgid "Warning"
#~ msgstr "זהירות"

#~ msgid "eg. Show extra content"
#~ msgstr "למשל: הצגת תוכן נוסף"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "‏<b>שגיאת התחברות</b>. מצטערים, בבקשה נסה שנית"

#~ msgid "Save Options"
#~ msgstr "שמירת אפשרויות"

#~ 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 "details & pricing"
#~ msgstr "פרטים ומחירים"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "כדי לאפשר עדכונים, בבקשה הקלד את מפתח הרשיון שלך בדף <a href=\"%s"
#~ "\">העדכונים</a>. אם אין לך מפתח רשיון, בבקשה עבור לדף <a href=\"%s"
#~ "\">פרטים ומחירים</a>"

#~ msgid "Field&nbsp;Groups"
#~ msgstr "שדות וקבוצות"

#~ msgid ""
#~ "Load value based on the post's terms and update the post's terms on save"
#~ msgstr "טעינת ערך המבוסס על המונחים של הפוסט ועדכון המונחים של הפוסט בשמירה"

#~ msgid "Load & Save Terms to Post"
#~ msgstr "טעינה ושמירה של תנאים לפוסט"

#~ msgid "No taxonomy filter"
#~ msgstr "ללא סינון טקסונומיה"

#~ msgid "%s required fields below are empty"
#~ msgstr "%s שדות החובה שלהלן ריקים"

#~ msgid "1 required field below is empty"
#~ msgstr "שדה חובה אחד שלהלן ריק"

#~ msgid "%s requires at least %s selections"
#~ msgstr "%s מחייב לפחות %s בחירות"

#~ msgid "Data is at the latest version."
#~ msgstr "הנתונים הם בגרסה העדכנית ביותר."

#~ msgid "Data upgraded successfully."
#~ msgstr "שדרוג הנתונים הסתיים בהצלחה."

#~ msgid "Data Upgrade"
#~ msgstr "שדרוג נתונים"

#~ msgid ""
#~ "We're changing the way premium functionality is delivered in an exiting "
#~ "way!"
#~ msgstr "אנחנו משנים את אופן ההפצה של יכולות הפרימיום בצורה מלהיבה!"

#~ msgid "Update Database"
#~ msgstr "עדכון מאגר נתונים"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "למדו מדוע ACF PRO נחוץ לאתר שלכם"

#~ msgid "ACF PRO Required"
#~ msgstr "‏ACF PRO נדרש"

#~ msgid "Roll back to ACF v%s"
#~ msgstr "שינמוך ל-ACF גרסה %s"

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "אל תלחצו, אתם יכולים פשוט לשנמך את גרסת התוסיף ולהמשיך להשתמש ב-ACF שאתם "
#~ "מכירים!"

#~ 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) שאינן תואמות עם ACF יותר."

#~ 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 "<b>Select</b> items to <b>hide</b> them from the edit screen"
#~ msgstr "בחרו פריטים שיוסתרו במסך העריכה"

#~ msgid "Field groups are created in order <br />from lowest to highest"
#~ msgstr "קבוצות שדות יסודרו<br /> מהנמוך ביותר לגבוה ביותר"

#~ msgid "Logged in User Type"
#~ msgstr "סוג משתמש מחובר"

#~ msgid "Top Level Page (parent of 0)"
#~ msgstr "עמוד ברמה הגבוהה ביותר (ללא הורה)"

#~ msgid "Trash"
#~ msgstr "פח"

#~ msgid "Revision"
#~ msgstr "גרסת עריכה"

#~ msgid "Private"
#~ msgstr "פרטי"

#~ msgid "Future"
#~ msgstr "עתידי"

#~ msgid "Draft"
#~ msgstr "טיוטה"

#~ msgid "Pending Review"
#~ msgstr "ממתין לסקירה"

#~ msgid "Show Field Keys"
#~ msgstr "הצגת מפתחות שדה:"

#~ msgid "Hide / Show All"
#~ msgstr "הצגה/הסתרת הכל"

#~ msgid "Import / Export"
#~ msgstr "ייבוא / ייצוא"
PK�[m<yq8v8vlang/acf-sv_SE.ponu�[���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-06-27 15:28+1000\n"
"PO-Revision-Date: 2019-05-15 09:55+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Swedish\n"
"Language: sv_SE\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 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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:355 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Fältgrupper"

#: acf.php:356
msgid "Field Group"
msgstr "Fältgrupp"

#: acf.php:357 acf.php:389 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New"
msgstr "Lägg till ny"

#: acf.php:358
msgid "Add New Field Group"
msgstr "Lägg till ny fältgrupp"

#: acf.php:359
msgid "Edit Field Group"
msgstr "Redigera fältgrupp"

#: acf.php:360
msgid "New Field Group"
msgstr "Skapa fältgrupp"

#: acf.php:361
msgid "View Field Group"
msgstr "Visa fältgrupp"

#: acf.php:362
msgid "Search Field Groups"
msgstr "Sök fältgrupp"

#: acf.php:363
msgid "No Field Groups found"
msgstr "Inga fältgrupper hittades"

#: acf.php:364
msgid "No Field Groups found in Trash"
msgstr "Inga fältgrupper hittades i papperskorgen"

#: acf.php:387 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:857
msgid "Fields"
msgstr "Fält"

#: acf.php:388
msgid "Field"
msgstr "Fält"

#: acf.php:390
msgid "Add New Field"
msgstr "Skapa nytt fält"

#: acf.php:391
msgid "Edit Field"
msgstr "Redigera fält"

#: acf.php:392 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Nytt fält"

#: acf.php:393
msgid "View Field"
msgstr "Visa fält"

#: acf.php:394
msgid "Search Fields"
msgstr "Sök fält"

#: acf.php:395
msgid "No Fields found"
msgstr "Inga fält hittades"

#: acf.php:396
msgid "No Fields found in Trash"
msgstr "Inga fält hittades i papperskorgen"

#: acf.php:435 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inaktiv"

#: acf.php:440
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inaktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inaktiva <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Fältgrupper uppdaterades."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Fältgrupper raderades."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Fältgrupper publicerades."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Fältgrupper sparades."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Fältgruppen skickades."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Fältgruppen schemalades för."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Utkastet till fältgrupp uppdaterades."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Plats"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Inställningar"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Flytta till papperskorgen. Är du säker?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "vald"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Det finns inga aktiveringsbara fält"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Fältgruppen behöver en titel"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:732
msgid "copy"
msgstr "kopiera"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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:3970
msgid "or"
msgstr "eller"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Föräldrafält"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Syskonfält"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Flytta egna fält"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Detta fält kan inte flyttas förrän ändringarna har sparats"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Nollvärde"

#: includes/admin/admin-field-group.php:281 includes/input.php:257
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"De ändringar som du gjort kommer att förloras om du navigerar bort från "
"denna sida"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Strängen  \"field_\" får inte användas i början av ett fältnamn"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Fältnycklar"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktiv"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Flytt färdig."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Fältet %s kan nu hittas i fältgruppen %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Stäng fönster"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Välj målet (destinationen) för detta fält"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Flytta fält"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Aktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Aktiva <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Fältgruppen kopierad. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s fältgrupp kopierad."
msgstr[1] "%s fältgrupper kopierade."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Fältgrupp synkroniserad. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s fältgrupp synkroniserad."
msgstr[1] "%s fältgrupper synkroniserade."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synkronisering tillgänglig"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Titel"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Beskrivning"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Skräddarsy Wordpress med kraftfulla, professionella och intuitiva fält."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:111
msgid "Changelog"
msgstr "Versionshistorik"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Se vad som är nytt i <a href=\"\"%s\">version %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Resurser"

#: includes/admin/admin-field-groups.php:619
#, fuzzy
msgid "Website"
msgstr "Denna webbplats använder premiumtillägg som behöver laddas ner"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentation"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Support"

#: includes/admin/admin-field-groups.php:623
#, fuzzy
msgid "Pro"
msgstr "Adjö tillägg. Hej PRO"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Tack för att du skapar med <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Duplicera detta objekt"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate"
msgstr "Duplicera"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:132
#: includes/fields/class-acf-field-relationship.php:737
msgid "Search"
msgstr "Sök"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Välj %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Synkronisera fältgrupp"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Synkronisera"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr ""

#: includes/admin/admin-field-groups.php:798
#, fuzzy
msgid "Bulk Actions"
msgstr "Välj åtgärd"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Egna fält"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Uppgradera databas"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Kontrollera webbplatser & uppgradera"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Fel vid validering av begäran"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Inga uppdateringar tillgängliga."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Tillägg"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Fel</b>. Kunde inte ladda tilläggslistan"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Information"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Vad är nytt"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Verktyg"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Inga fältgrupper valda"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:174
msgid "No file selected"
msgstr "Ingen fil vald"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Fel vid uppladdning av fil. Vänligen försök igen"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Felaktig filtyp"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Importfilen är tom"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Importerade 1 fältgrupp"
msgstr[1] "Importerade %s fältgrupp"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Visningsvillkor"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Visa detta fält när"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:243
msgid "is equal to"
msgstr "är"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:244
msgid "is not equal to"
msgstr "inte är"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "och"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Lägg till regelgrupp"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:420
#: pro/fields/class-acf-field-repeater.php:358
msgid "Drag to reorder"
msgstr "Dra och släpp för att ändra ordning"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Redigera fält"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:152
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Redigera"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Duplicera fält"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Flytta fält till en annan grupp"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Flytta"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Radera fält"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete"
msgstr "Radera"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Fälttitel"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Detta namn kommer att visas vid redigering"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "Fältnamn"

#: includes/admin/views/field-group-field.php:79
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Ett enda ord, utan mellanslag. Understreck och bindestreck är tillåtna"

#: includes/admin/views/field-group-field.php:89
msgid "Field Type"
msgstr "Fälttyp"

#: includes/admin/views/field-group-field.php:101
#: includes/fields/class-acf-field-tab.php:102
msgid "Instructions"
msgstr "Instruktioner"

#: includes/admin/views/field-group-field.php:102
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instruktioner för den som redigerar"

#: includes/admin/views/field-group-field.php:111
msgid "Required?"
msgstr "Obligatorisk?"

#: includes/admin/views/field-group-field.php:134
msgid "Wrapper Attributes"
msgstr "Attribut för det omslutande elementet (wrappern)"

#: includes/admin/views/field-group-field.php:140
msgid "width"
msgstr "bredd"

#: includes/admin/views/field-group-field.php:155
msgid "class"
msgstr "class"

#: includes/admin/views/field-group-field.php:168
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:180
msgid "Close Field"
msgstr "Stäng fält"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordning"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-checkbox.php:317
#: includes/fields/class-acf-field-radio.php:321
#: includes/fields/class-acf-field-select.php:530
#: pro/fields/class-acf-field-flexible-content.php:599
msgid "Label"
msgstr "Titel"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:970
#: pro/fields/class-acf-field-flexible-content.php:612
msgid "Name"
msgstr "Namn"

#: includes/admin/views/field-group-fields.php:7
#, fuzzy
msgid "Key"
msgstr "Visa fältnyckel:"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Inga fält. Klicka på knappen <strong>+ Lägg till fält</strong> för att skapa "
"ditt första fält."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Lägg till fält"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regler"

#: 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 "Reglera var denna fältgrupp ska visas"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standard (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Transparent (ingen metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Hög (efter titel)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (efter innehåll)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Sidopanel"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Titel placering"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:116
msgid "Top aligned"
msgstr "Toppjusterad"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:117
msgid "Left aligned"
msgstr "Vänsterjusterad"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Placering av instruktion"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Under titlar"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Under fält"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Ordningsnummer"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Fältgrupper med lägre ordningsnummer kommer synas först"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Visas i fältgruppslistan"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Dölj på skärmen"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Välj</b> objekt för att <b>dölja</b> dem från redigeringsvyn"

#: 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 ""
"Om flera fältgrupper visas i redigeringsvyn, kommer första gruppens "
"inställningar att användas (den med lägst ordningsnummer)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Permalänk"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Innehållsredigerare"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Utdrag"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Diskussion"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Kommentarer"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Versioner"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Permalänk"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Författare"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Sidattribut"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:751
msgid "Featured Image"
msgstr "Utvald bild"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Kategorier"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Taggar"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Skicka trackbacks"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Visa detta fält när"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Uppgradera sajter"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Advanced Custom Fields databasuppgradering"

#: 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."
msgstr ""
"Följande sajter behöver en databasuppdatering. Kryssa i de du vill uppdatera "
"och klicka på %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Webbplats"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Webbplatsen kräver en databasuppgradering från %s till %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Webbplatsen är uppdaterad"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Uppgradering av databas slutförd. <a href=\"%s\">Återvänd till nätverkets "
"startpanel</a>"

#: 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 ""
"Det rekommenderas starkt att du säkerhetskopierar din databas innan du "
"fortsätter. Är du säker på att vill köra uppdateringen nu?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Uppgradering genomförd"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Uppgradera data till version %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:36
msgid "Repeater"
msgstr "Upprepningsfält"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:36
msgid "Flexible Content"
msgstr "Flexibelt innehåll"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:36
msgid "Gallery"
msgstr "Galleri"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:13
msgid "Options Page"
msgstr "Inställningssida"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Uppgradering av databasen krävs"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Tack för du uppdaterade till %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 ""
"Innan du börjar använda de nya fantastiska funktionerna, vänligen uppdatera "
"din databas till den senaste versionen."

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Läser in uppgifter för uppgradering..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "Databasuppgraderingen färdig. <a href=\"%s\">Se vad som är nytt</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Ladda ner & installera"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installerad"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Välkommen till Advanced Custom Fields"

#: 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 ""
"Tack för att du uppdaterar! ACF %s är större och bättre än någonsin "
"tidigare. Vi hoppas att du gillar det."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "En smidigare fältupplevelse"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Förbättrad användarvänlighet"

#: 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 ""
"Vi har inkluderat det populära biblioteket Select2 som har förbättrat både "
"användbarhet och laddningstid för ett antal fälttyper såsom inläggsobjekt, "
"sidlänk, taxonomi och val."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Förbättrad design"

#: 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 ""
"Många fält har genomgått en visuell förbättring för att låta ACF se bättre "
"ut än någonsin! Märkbara förändringar syns på galleriet-, relation- och "
"oEmbed- (nytt) fälten!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Förbättrad data"

#: 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 ""
"Omdesignen av dataarkitekturen har tillåtit underfält att leva självständigt "
"från deras föräldrar. Detta gör att du kan dra och släppa fält in och ut "
"från förälderfälten!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Adjö tillägg. Hej PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Introducerande av ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Vi ändrar hur premium funktionalitet levereras, på ett spännande sätt!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Samtliga 4 premiumtillägg har kombineras till en ny <a href=\"%s\">Pro "
"version av ACF</a>. Med både personlig- och utvecklarlicens tillgänglig, så "
"är premium funktionalitet billigare och tillgängligare än någonsin!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Kraftfulla funktioner"

#: 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 ""
"ACF PRO innehåller kraftfulla funktioner som upprepningsfält, flexibelt "
"innehåll, ett vackert gallerifält och möjligheten att skapa extra "
"inställningssidor!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Läs mer om <a href=\"%s\">ACF PRO funktioner</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Enkelt att uppgradera"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"För att göra uppgraderingen enkel, <a href=\"%s\">logga in till ditt konto</"
"a> och få en gratis kopia av ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Vi skrev även en <a href=\"%s\">uppgraderings guide</a>för svara på "
"eventuella frågor, men om du har en, vänligen kontakta vårt support team via "
"<a href=\"%s\">help desk</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Under huven"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Smartare fältinställningar"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF sparar nu sina fältinställningar som individuella postobjekt"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Mer AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "Fler fält använder AJAX-sök för snabbare laddning"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Lokal JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Ny automatisk export till JSON funktion förbättrar snabbheten"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Bättre versionshantering"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"Ny auto export till JSON funktion möjliggör versionshantering av "
"fältinställningar"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Bytte XML till JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Import / Export använder nu JSON istället för XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Nya formulär"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Fält kan nu kopplas till kommentarer, widgets och alla användarformulär."

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Ett nytt fält för inbäddning av innehåll (embed) har lagts till"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Nytt galleri"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Gallerifältet har genomgått en välbehövlig ansiktslyftning"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Nya inställningar"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Fältgruppsinställningar har lagts till för placering av titel och "
"instruktioner"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Bättre front-end formulär"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() kan nu skapa ett nytt inlägg vid submit"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Bättre validering"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "Validering av formulär görs nu via PHP + AJAX istället för enbart JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Relationsfält"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Ny inställning för relationsfält för 'Filter' (Sök, Inläggstyp, Taxonomi)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Flytta runt fält"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Ny fältgrupp funktionalitet tillåter dig att flytta ett fält mellan grupper "
"& föräldrar"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:36
msgid "Page Link"
msgstr "Sidlänk"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Ny arkivgrupp i page_link fältval"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Bättre inställningssidor"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Nya funktioner för inställningssidor tillåter skapande av både föräldra- och "
"undersidor"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Vi tror att du kommer uppskatta förändringarna i %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Exportera fältgrupper till 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 ""
"Följande kod kan användas för att registrera en lokal version av valda "
"fältgrupp(er). Ett lokal fältgrupp kan ge många fördelar som snabbare "
"laddningstider, versionshantering & dynamiska fält/inställningar. Det är "
"bara att kopiera och klistra in följande kod till ditt temas functions.php "
"fil eller att inkludera det i en extern fil."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Välj fältgrupp"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Exportera fältgrupper"

#: 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 ""
"Välj de fältgrupper som du vill exportera och sedan välj din exportmetod. "
"Använd knappen för exportera till en .json fil som du sedan kan importera "
"till en annan ACF installation. Använd generera-knappen för att exportera "
"PHP kod som du kan lägga till i ditt tema."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Ladda ner exportfil"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Generera exportkod"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Importera fältgrupper"

#: 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 ""
"Välj den Advanced Custom Fields JSON-fil som du vill importera. När du "
"klickar på import knappen så kommer ACF importera fältgrupperna."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:46
msgid "Select File"
msgstr "Välj fil"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Importera"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Tumnagel"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Mellan"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Stor"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Full storlek"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1837
#: pro/fields/class-acf-field-clone.php:1042
msgid "(no title)"
msgstr "(ingen titel)"

#: includes/api/api-helpers.php:1874
#: 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
msgid "Parent"
msgstr "Förälder"

#: includes/api/api-helpers.php:3891
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Bildens bredd måste vara åtminstone %dpx."

#: includes/api/api-helpers.php:3896
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Bildens bredd får inte överskrida %dpx."

#: includes/api/api-helpers.php:3912
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Bildens höjd måste vara åtminstone %dpx."

#: includes/api/api-helpers.php:3917
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Bildens höjd får inte överskrida %dpx."

#: includes/api/api-helpers.php:3935
#, php-format
msgid "File size must be at least %s."
msgstr "Filstorlek måste vara åtminstone %s."

#: includes/api/api-helpers.php:3940
#, php-format
msgid "File size must must not exceed %s."
msgstr "Filstorlek får inte överskrida %s."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "File type must be %s."
msgstr "Filtyp måste vara %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Enkel"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Innehåll"

#: includes/fields.php:146
msgid "Choice"
msgstr "Alternativ"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relation"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:286
#: includes/fields/class-acf-field-group.php:485
#: includes/fields/class-acf-field-radio.php:300
#: pro/fields/class-acf-field-clone.php:889
#: pro/fields/class-acf-field-flexible-content.php:569
#: pro/fields/class-acf-field-flexible-content.php:618
#: pro/fields/class-acf-field-repeater.php:514
msgid "Layout"
msgstr "Layout"

#: includes/fields.php:305
msgid "Field type does not exist"
msgstr "Fälttyp existerar inte"

#: includes/fields.php:305
#, fuzzy
msgid "Unknown"
msgstr "Okänd fältgrupp"

#: includes/fields/class-acf-field-checkbox.php:36
#: includes/fields/class-acf-field-taxonomy.php:786
msgid "Checkbox"
msgstr "Kryssruta"

#: includes/fields/class-acf-field-checkbox.php:150
msgid "Toggle All"
msgstr "Markera alla"

#: includes/fields/class-acf-field-checkbox.php:207
msgid "Add new choice"
msgstr "Skapa nytt val"

#: includes/fields/class-acf-field-checkbox.php:246
#: includes/fields/class-acf-field-radio.php:250
#: includes/fields/class-acf-field-select.php:466
msgid "Choices"
msgstr "Alternativ"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "Enter each choice on a new line."
msgstr "Ange varje alternativ på en ny rad"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "For more control, you may specify both a value and label like this:"
msgstr "För mer kontroll, kan du specificera både ett värde och etikett såhär:"

#: includes/fields/class-acf-field-checkbox.php:247
#: includes/fields/class-acf-field-radio.php:251
#: includes/fields/class-acf-field-select.php:467
msgid "red : Red"
msgstr "röd : Röd"

#: includes/fields/class-acf-field-checkbox.php:255
msgid "Allow Custom"
msgstr "Tillåt annat val"

#: includes/fields/class-acf-field-checkbox.php:260
msgid "Allow 'custom' values to be added"
msgstr "Tillåter 'annat val' att väljas"

#: includes/fields/class-acf-field-checkbox.php:266
msgid "Save Custom"
msgstr "Spara annat val"

#: includes/fields/class-acf-field-checkbox.php:271
msgid "Save 'custom' values to the field's choices"
msgstr "Spara 'annat val' värdet till fältets val"

#: includes/fields/class-acf-field-checkbox.php:277
#: includes/fields/class-acf-field-color_picker.php:146
#: includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:145
#: includes/fields/class-acf-field-radio.php:291
#: includes/fields/class-acf-field-select.php:475
#: includes/fields/class-acf-field-text.php:142
#: includes/fields/class-acf-field-textarea.php:139
#: includes/fields/class-acf-field-true_false.php:150
#: includes/fields/class-acf-field-url.php:114
#: includes/fields/class-acf-field-wysiwyg.php:436
msgid "Default Value"
msgstr "Standardvärde"

#: includes/fields/class-acf-field-checkbox.php:278
#: includes/fields/class-acf-field-select.php:476
msgid "Enter each default value on a new line"
msgstr "Ange varje standardvärde på en ny rad"

#: includes/fields/class-acf-field-checkbox.php:292
#: includes/fields/class-acf-field-radio.php:306
msgid "Vertical"
msgstr "Vertikal"

#: includes/fields/class-acf-field-checkbox.php:293
#: includes/fields/class-acf-field-radio.php:307
msgid "Horizontal"
msgstr "Horisontell"

#: includes/fields/class-acf-field-checkbox.php:300
msgid "Toggle"
msgstr "Slå på/av"

#: includes/fields/class-acf-field-checkbox.php:301
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Visa en extra kryssruta för att markera alla val"

#: includes/fields/class-acf-field-checkbox.php:310
#: includes/fields/class-acf-field-file.php:219
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:180
#: includes/fields/class-acf-field-radio.php:314
#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Return Value"
msgstr "Returvärde"

#: includes/fields/class-acf-field-checkbox.php:311
#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:207
#: includes/fields/class-acf-field-link.php:181
#: includes/fields/class-acf-field-radio.php:315
msgid "Specify the returned value on front end"
msgstr "Välj vilken typ av värde som ska returneras på 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
msgid "Value"
msgstr "Värde"

#: 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 "Båda"

#: includes/fields/class-acf-field-color_picker.php:36
msgid "Color Picker"
msgstr "Färgväljare"

#: includes/fields/class-acf-field-color_picker.php:83
msgid "Clear"
msgstr "Rensa"

#: includes/fields/class-acf-field-color_picker.php:84
msgid "Default"
msgstr "Standard"

#: includes/fields/class-acf-field-color_picker.php:85
msgid "Select Color"
msgstr "Välj färg"

#: includes/fields/class-acf-field-color_picker.php:86
msgid "Current Color"
msgstr "Nuvarande färg"

#: includes/fields/class-acf-field-date_picker.php:36
msgid "Date Picker"
msgstr "Datumväljare"

#: includes/fields/class-acf-field-date_picker.php:44
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Färdig"

#: includes/fields/class-acf-field-date_picker.php:45
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Idag"

#: includes/fields/class-acf-field-date_picker.php:46
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Nästa"

#: includes/fields/class-acf-field-date_picker.php:47
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Föregående"

#: includes/fields/class-acf-field-date_picker.php:48
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "V"

#: includes/fields/class-acf-field-date_picker.php:223
#: includes/fields/class-acf-field-date_time_picker.php:197
#: includes/fields/class-acf-field-time_picker.php:127
msgid "Display Format"
msgstr "Visa format"

#: includes/fields/class-acf-field-date_picker.php:224
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-time_picker.php:128
msgid "The format displayed when editing a post"
msgstr "Formatet som visas när du redigerar ett inlägg"

#: includes/fields/class-acf-field-date_picker.php:232
#: includes/fields/class-acf-field-date_picker.php:263
#: includes/fields/class-acf-field-date_time_picker.php:207
#: 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"

#: includes/fields/class-acf-field-date_picker.php:242
msgid "Save Format"
msgstr "Spara i format"

#: includes/fields/class-acf-field-date_picker.php:243
msgid "The format used when saving a value"
msgstr "Formatet som används när ett värde sparas"

#: includes/fields/class-acf-field-date_picker.php:253
#: includes/fields/class-acf-field-date_time_picker.php:214
#: includes/fields/class-acf-field-post_object.php:447
#: includes/fields/class-acf-field-relationship.php:778
#: includes/fields/class-acf-field-select.php:524
#: includes/fields/class-acf-field-time_picker.php:142
msgid "Return Format"
msgstr "Returvärde"

#: includes/fields/class-acf-field-date_picker.php:254
#: includes/fields/class-acf-field-date_time_picker.php:215
#: includes/fields/class-acf-field-time_picker.php:143
msgid "The format returned via template functions"
msgstr "Formatet som returneras av mallfunktioner"

#: includes/fields/class-acf-field-date_picker.php:272
#: includes/fields/class-acf-field-date_time_picker.php:231
msgid "Week Starts On"
msgstr "Veckor börjar på"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgid "Date Time Picker"
msgstr "Datum/tidväljare"

#: includes/fields/class-acf-field-date_time_picker.php:44
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Välj tid"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Tid"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Timme"

#: includes/fields/class-acf-field-date_time_picker.php:47
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minut"

#: includes/fields/class-acf-field-date_time_picker.php:48
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekund"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisekund"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekund"

#: includes/fields/class-acf-field-date_time_picker.php:51
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Tidszon"

#: includes/fields/class-acf-field-date_time_picker.php:52
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Nu"

#: includes/fields/class-acf-field-date_time_picker.php:53
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Klar"

#: includes/fields/class-acf-field-date_time_picker.php:54
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Välj"

#: includes/fields/class-acf-field-date_time_picker.php:56
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:57
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:60
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:61
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:36
msgid "Email"
msgstr "E-post"

#: includes/fields/class-acf-field-email.php:134
#: includes/fields/class-acf-field-number.php:146
#: includes/fields/class-acf-field-radio.php:292
#: includes/fields/class-acf-field-text.php:143
#: includes/fields/class-acf-field-textarea.php:140
#: includes/fields/class-acf-field-url.php:115
#: includes/fields/class-acf-field-wysiwyg.php:437
msgid "Appears when creating a new post"
msgstr "Visas när ett nytt inlägg skapas"

#: includes/fields/class-acf-field-email.php:142
#: includes/fields/class-acf-field-number.php:154
#: includes/fields/class-acf-field-password.php:134
#: includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:148
#: includes/fields/class-acf-field-url.php:123
msgid "Placeholder Text"
msgstr "Platshållartext"

#: includes/fields/class-acf-field-email.php:143
#: includes/fields/class-acf-field-number.php:155
#: includes/fields/class-acf-field-password.php:135
#: includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:149
#: includes/fields/class-acf-field-url.php:124
msgid "Appears within the input"
msgstr "Visas inuti fältet"

#: includes/fields/class-acf-field-email.php:151
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-password.php:143
#: includes/fields/class-acf-field-text.php:160
msgid "Prepend"
msgstr "Lägg till före"

#: includes/fields/class-acf-field-email.php:152
#: includes/fields/class-acf-field-number.php:164
#: includes/fields/class-acf-field-password.php:144
#: includes/fields/class-acf-field-text.php:161
msgid "Appears before the input"
msgstr "Visas före fältet"

#: includes/fields/class-acf-field-email.php:160
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-password.php:152
#: includes/fields/class-acf-field-text.php:169
msgid "Append"
msgstr "Lägg till efter"

#: includes/fields/class-acf-field-email.php:161
#: includes/fields/class-acf-field-number.php:173
#: includes/fields/class-acf-field-password.php:153
#: includes/fields/class-acf-field-text.php:170
msgid "Appears after the input"
msgstr "Visas efter fältet"

#: includes/fields/class-acf-field-file.php:36
msgid "File"
msgstr "Fil"

#: includes/fields/class-acf-field-file.php:47
msgid "Edit File"
msgstr "Redigera fil"

#: includes/fields/class-acf-field-file.php:48
msgid "Update File"
msgstr "Uppdatera fil"

#: includes/fields/class-acf-field-file.php:49
#: includes/fields/class-acf-field-image.php:54 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:55
msgid "Uploaded to this post"
msgstr "Uppladdade till detta inlägg"

#: includes/fields/class-acf-field-file.php:145
msgid "File name"
msgstr "Filnamn"

#: includes/fields/class-acf-field-file.php:149
#: includes/fields/class-acf-field-file.php:252
#: includes/fields/class-acf-field-file.php:263
#: includes/fields/class-acf-field-image.php:266
#: includes/fields/class-acf-field-image.php:295
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Filstorlek"

#: includes/fields/class-acf-field-file.php:174
msgid "Add File"
msgstr "Lägg till fil"

#: includes/fields/class-acf-field-file.php:225
msgid "File Array"
msgstr "Fil array"

#: includes/fields/class-acf-field-file.php:226
msgid "File URL"
msgstr "Filadress"

#: includes/fields/class-acf-field-file.php:227
msgid "File ID"
msgstr "Filens ID"

#: includes/fields/class-acf-field-file.php:234
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Bibliotek"

#: includes/fields/class-acf-field-file.php:235
#: includes/fields/class-acf-field-image.php:232
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Begränsa urvalet i mediabiblioteket"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:237
#: includes/locations/class-acf-location-attachment.php:105
#: includes/locations/class-acf-location-comment.php:83
#: includes/locations/class-acf-location-nav-menu.php:106
#: includes/locations/class-acf-location-taxonomy.php:83
#: includes/locations/class-acf-location-user-form.php:91
#: includes/locations/class-acf-location-user-role.php:108
#: includes/locations/class-acf-location-widget.php:87
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Alla"

#: includes/fields/class-acf-field-file.php:241
#: includes/fields/class-acf-field-image.php:238
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Uppladdade till detta inlägg"

#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-image.php:245
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Minimalt"

#: includes/fields/class-acf-field-file.php:249
#: includes/fields/class-acf-field-file.php:260
msgid "Restrict which files can be uploaded"
msgstr "Begränsa vilka filer som kan laddas upp"

#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Maximalt"

#: includes/fields/class-acf-field-file.php:270
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Tillåtna filtyper"

#: includes/fields/class-acf-field-file.php:271
#: includes/fields/class-acf-field-image.php:304
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "Kommaseparerad lista. Lämna blankt för alla typer"

#: includes/fields/class-acf-field-google-map.php:36
msgid "Google Map"
msgstr "Google Map"

#: includes/fields/class-acf-field-google-map.php:51
msgid "Locating"
msgstr "Söker plats"

#: includes/fields/class-acf-field-google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Tyvärr saknar denna webbläsare stöd för platsinformation"

#: includes/fields/class-acf-field-google-map.php:133
msgid "Clear location"
msgstr "Rensa plats"

#: includes/fields/class-acf-field-google-map.php:134
msgid "Find current location"
msgstr "Hitta nuvarande plats"

#: includes/fields/class-acf-field-google-map.php:137
msgid "Search for address..."
msgstr "Sök efter adress..."

#: includes/fields/class-acf-field-google-map.php:167
#: includes/fields/class-acf-field-google-map.php:178
msgid "Center"
msgstr "Centrera"

#: includes/fields/class-acf-field-google-map.php:168
#: includes/fields/class-acf-field-google-map.php:179
msgid "Center the initial map"
msgstr "Kartans initiala centrum"

#: includes/fields/class-acf-field-google-map.php:190
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:191
msgid "Set the initial zoom level"
msgstr "Ange kartans initiala zoom nivå"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-image.php:257
#: includes/fields/class-acf-field-image.php:286
#: includes/fields/class-acf-field-oembed.php:297
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Höjd"

#: includes/fields/class-acf-field-google-map.php:201
msgid "Customise the map height"
msgstr "Ställ in kartans höjd"

#: includes/fields/class-acf-field-group.php:36
#, fuzzy
msgid "Group"
msgstr "Fältgrupp"

#: includes/fields/class-acf-field-group.php:469
#: pro/fields/class-acf-field-repeater.php:453
msgid "Sub Fields"
msgstr "Underfält"

#: includes/fields/class-acf-field-group.php:486
#: pro/fields/class-acf-field-clone.php:890
msgid "Specify the style used to render the selected fields"
msgstr "Specificera stilen för att rendera valda fält"

#: includes/fields/class-acf-field-group.php:491
#: pro/fields/class-acf-field-clone.php:895
#: pro/fields/class-acf-field-flexible-content.php:629
#: pro/fields/class-acf-field-repeater.php:522
msgid "Block"
msgstr "Block"

#: includes/fields/class-acf-field-group.php:492
#: pro/fields/class-acf-field-clone.php:896
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:521
msgid "Table"
msgstr "Tabell"

#: includes/fields/class-acf-field-group.php:493
#: pro/fields/class-acf-field-clone.php:897
#: pro/fields/class-acf-field-flexible-content.php:630
#: pro/fields/class-acf-field-repeater.php:523
msgid "Row"
msgstr "Rad"

#: includes/fields/class-acf-field-image.php:36
msgid "Image"
msgstr "Bild"

#: includes/fields/class-acf-field-image.php:51
msgid "Select Image"
msgstr "Välj bild"

#: includes/fields/class-acf-field-image.php:52
#: pro/fields/class-acf-field-gallery.php:53
msgid "Edit Image"
msgstr "Redigera bild"

#: includes/fields/class-acf-field-image.php:53
#: pro/fields/class-acf-field-gallery.php:54
msgid "Update Image"
msgstr "Uppdatera bild"

#: includes/fields/class-acf-field-image.php:55
msgid "All images"
msgstr "Alla bilder"

#: includes/fields/class-acf-field-image.php:142
#: includes/fields/class-acf-field-link.php:153 includes/input.php:267
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Radera"

#: includes/fields/class-acf-field-image.php:158
msgid "No image selected"
msgstr "Ingen bild vald"

#: includes/fields/class-acf-field-image.php:158
msgid "Add Image"
msgstr "Lägg till bild"

#: includes/fields/class-acf-field-image.php:212
msgid "Image Array"
msgstr "Bild Array"

#: includes/fields/class-acf-field-image.php:213
msgid "Image URL"
msgstr "Bildadress"

#: includes/fields/class-acf-field-image.php:214
msgid "Image ID"
msgstr "Bildens ID"

#: includes/fields/class-acf-field-image.php:221
msgid "Preview Size"
msgstr "Förhandsvisningens storlek"

#: includes/fields/class-acf-field-image.php:222
msgid "Shown when entering data"
msgstr "Visas vid inmatning av data"

#: includes/fields/class-acf-field-image.php:246
#: includes/fields/class-acf-field-image.php:275
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Begränsa vilka bilder som kan laddas upp"

#: includes/fields/class-acf-field-image.php:249
#: includes/fields/class-acf-field-image.php:278
#: includes/fields/class-acf-field-oembed.php:286
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "bredd"

#: includes/fields/class-acf-field-link.php:36
#, fuzzy
msgid "Link"
msgstr "Sidlänk"

#: includes/fields/class-acf-field-link.php:146
#, fuzzy
msgid "Select Link"
msgstr "Välj fil"

#: includes/fields/class-acf-field-link.php:151
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:186
#, fuzzy
msgid "Link Array"
msgstr "Fil array"

#: includes/fields/class-acf-field-link.php:187
#, fuzzy
msgid "Link URL"
msgstr "Filadress"

#: includes/fields/class-acf-field-message.php:36
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-true_false.php:141
msgid "Message"
msgstr "Meddelande"

#: includes/fields/class-acf-field-message.php:124
#: includes/fields/class-acf-field-textarea.php:176
msgid "New Lines"
msgstr "Nya linjer"

#: includes/fields/class-acf-field-message.php:125
#: includes/fields/class-acf-field-textarea.php:177
msgid "Controls how new lines are rendered"
msgstr "Reglerar hur nya linjer renderas"

#: includes/fields/class-acf-field-message.php:129
#: includes/fields/class-acf-field-textarea.php:181
msgid "Automatically add paragraphs"
msgstr "Lägg till styckesindelning automatiskt."

#: includes/fields/class-acf-field-message.php:130
#: includes/fields/class-acf-field-textarea.php:182
msgid "Automatically add &lt;br&gt;"
msgstr "Lägg till automatiskt &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:131
#: includes/fields/class-acf-field-textarea.php:183
msgid "No Formatting"
msgstr "Ingen formattering"

#: includes/fields/class-acf-field-message.php:138
msgid "Escape HTML"
msgstr "Inaktivera HTML-rendering"

#: includes/fields/class-acf-field-message.php:139
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Tillåt HTML kod att visas som synlig text istället för att renderas"

#: includes/fields/class-acf-field-number.php:36
msgid "Number"
msgstr "Nummer"

#: includes/fields/class-acf-field-number.php:181
msgid "Minimum Value"
msgstr "Minsta värde"

#: includes/fields/class-acf-field-number.php:190
msgid "Maximum Value"
msgstr "Högsta värde"

#: includes/fields/class-acf-field-number.php:199
msgid "Step Size"
msgstr "Stegvärde"

#: includes/fields/class-acf-field-number.php:237
msgid "Value must be a number"
msgstr "Värdet måste vara ett nummer"

#: includes/fields/class-acf-field-number.php:255
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Värdet måste vara lika med eller högre än %d"

#: includes/fields/class-acf-field-number.php:263
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Värdet måste vara lika med eller lägre än %d"

#: includes/fields/class-acf-field-oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:237
msgid "Enter URL"
msgstr "Fyll i URL"

#: includes/fields/class-acf-field-oembed.php:250
#: includes/fields/class-acf-field-taxonomy.php:904
msgid "Error."
msgstr "Fel."

#: includes/fields/class-acf-field-oembed.php:250
msgid "No embed found for the given URL."
msgstr "Ingen embed hittades för angiven URL."

#: includes/fields/class-acf-field-oembed.php:283
#: includes/fields/class-acf-field-oembed.php:294
msgid "Embed Size"
msgstr "Embed storlek"

#: includes/fields/class-acf-field-page_link.php:192
msgid "Archives"
msgstr "Arkiv"

#: includes/fields/class-acf-field-page_link.php:500
#: includes/fields/class-acf-field-post_object.php:399
#: includes/fields/class-acf-field-relationship.php:704
msgid "Filter by Post Type"
msgstr "Filtrera efter inläggstyp"

#: includes/fields/class-acf-field-page_link.php:508
#: includes/fields/class-acf-field-post_object.php:407
#: includes/fields/class-acf-field-relationship.php:712
msgid "All post types"
msgstr "Samtliga posttyper"

#: includes/fields/class-acf-field-page_link.php:514
#: includes/fields/class-acf-field-post_object.php:413
#: includes/fields/class-acf-field-relationship.php:718
msgid "Filter by Taxonomy"
msgstr "Filtrera efter taxonomi"

#: includes/fields/class-acf-field-page_link.php:522
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-relationship.php:726
msgid "All taxonomies"
msgstr "Samtliga taxonomier"

#: includes/fields/class-acf-field-page_link.php:528
#: includes/fields/class-acf-field-post_object.php:427
#: includes/fields/class-acf-field-radio.php:259
#: includes/fields/class-acf-field-select.php:484
#: includes/fields/class-acf-field-taxonomy.php:799
#: includes/fields/class-acf-field-user.php:423
msgid "Allow Null?"
msgstr "Tillått nollvärde?"

#: includes/fields/class-acf-field-page_link.php:538
msgid "Allow Archives URLs"
msgstr "Tillåt urler från arkiv"

#: includes/fields/class-acf-field-page_link.php:548
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-select.php:494
#: includes/fields/class-acf-field-user.php:433
msgid "Select multiple values?"
msgstr "Välj multipla värden?"

#: includes/fields/class-acf-field-password.php:36
msgid "Password"
msgstr "Lösenord"

#: includes/fields/class-acf-field-post_object.php:36
#: includes/fields/class-acf-field-post_object.php:452
#: includes/fields/class-acf-field-relationship.php:783
msgid "Post Object"
msgstr "Inläggsobjekt"

#: includes/fields/class-acf-field-post_object.php:453
#: includes/fields/class-acf-field-relationship.php:784
msgid "Post ID"
msgstr "Inläggets ID"

#: includes/fields/class-acf-field-radio.php:36
msgid "Radio Button"
msgstr "Alternativknapp"

#: includes/fields/class-acf-field-radio.php:269
msgid "Other"
msgstr "Annat"

#: includes/fields/class-acf-field-radio.php:274
msgid "Add 'other' choice to allow for custom values"
msgstr "Lägg till värdet 'annat' för att tillåta egna värden"

#: includes/fields/class-acf-field-radio.php:280
msgid "Save Other"
msgstr "Spara annat"

#: includes/fields/class-acf-field-radio.php:285
msgid "Save 'other' values to the field's choices"
msgstr "Spara 'annat'-värden till fältets alternativ"

#: includes/fields/class-acf-field-relationship.php:36
msgid "Relationship"
msgstr "Relation"

#: includes/fields/class-acf-field-relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "Lägsta tillåtna antal värden nått ( {min} värden )"

#: includes/fields/class-acf-field-relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Högsta tillåtna antal värden uppnått ( {max} värden )"

#: includes/fields/class-acf-field-relationship.php:50
msgid "Loading"
msgstr "Laddar"

#: includes/fields/class-acf-field-relationship.php:51
msgid "No matches found"
msgstr "Inga träffar"

#: includes/fields/class-acf-field-relationship.php:585
msgid "Search..."
msgstr "Sök..."

#: includes/fields/class-acf-field-relationship.php:594
msgid "Select post type"
msgstr "Välj posttyp"

#: includes/fields/class-acf-field-relationship.php:607
msgid "Select taxonomy"
msgstr "Välj taxonomi"

#: includes/fields/class-acf-field-relationship.php:732
msgid "Filters"
msgstr "Filter"

#: includes/fields/class-acf-field-relationship.php:738
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Inläggstyp"

#: includes/fields/class-acf-field-relationship.php:739
#: includes/fields/class-acf-field-taxonomy.php:36
#: includes/fields/class-acf-field-taxonomy.php:769
msgid "Taxonomy"
msgstr "Taxonomi"

#: includes/fields/class-acf-field-relationship.php:746
msgid "Elements"
msgstr "Element"

#: includes/fields/class-acf-field-relationship.php:747
msgid "Selected elements will be displayed in each result"
msgstr "Valda element visas i varje resultat"

#: includes/fields/class-acf-field-relationship.php:758
msgid "Minimum posts"
msgstr "Minsta antal inlägg"

#: includes/fields/class-acf-field-relationship.php:767
msgid "Maximum posts"
msgstr "Högsta antal inlägg"

#: includes/fields/class-acf-field-relationship.php:871
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s kräver minst %s val"
msgstr[1] "%s kräver minst %s val"

#: includes/fields/class-acf-field-select.php:36
#: includes/fields/class-acf-field-taxonomy.php:791
msgctxt "noun"
msgid "Select"
msgstr "Flerväljare"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Ett resultat, tryck enter för att välja det."

#: 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 resultat, använd upp och ned pilarna för att navigera."

#: includes/fields/class-acf-field-select.php:51
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Inget resultat"

#: includes/fields/class-acf-field-select.php:52
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Vänligen skriv in 1 eller fler bokstäver"

#: 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 "Vänligen skriv in %d eller fler bokstäver"

#: includes/fields/class-acf-field-select.php:54
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Vänligen radera 1 bokstav"

#: includes/fields/class-acf-field-select.php:55
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Vänligen radera %d bokstäver"

#: includes/fields/class-acf-field-select.php:56
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Du kan bara välja 1 resultat"

#: 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 "Du kan bara välja %d resultat"

#: includes/fields/class-acf-field-select.php:58
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Laddar fler resultat"

#: includes/fields/class-acf-field-select.php:59
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Söker…"

#: includes/fields/class-acf-field-select.php:60
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Laddning misslyckades"

#: includes/fields/class-acf-field-select.php:270 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Välj"

#: includes/fields/class-acf-field-select.php:504
#: includes/fields/class-acf-field-true_false.php:159
msgid "Stylised UI"
msgstr "Stylat utseende"

#: includes/fields/class-acf-field-select.php:514
msgid "Use AJAX to lazy load choices?"
msgstr "Använda AJAX för att ladda alternativ efter att sidan laddats?"

#: includes/fields/class-acf-field-select.php:525
msgid "Specify the value returned"
msgstr "Specificera värdet att returnera"

#: includes/fields/class-acf-field-separator.php:36
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:36
msgid "Tab"
msgstr "Flik"

#: includes/fields/class-acf-field-tab.php:96
msgid ""
"The tab field will display incorrectly when added to a Table style repeater "
"field or flexible content field layout"
msgstr ""
"Flik fältet kommer att visas felaktigt om de läggs till ett upprepningsfält "
"med tabellutseende eller ett innehållsfält med flexibel layout"

#: includes/fields/class-acf-field-tab.php:97
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""
"Använd \"Flikfält\" för att bättre organisera din redigeringsvy genom att "
"gruppera fälten tillsammans."

#: includes/fields/class-acf-field-tab.php:98
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 ""
"Alla fält efter detta \"flikfält\" (eller fram till nästa \"flikfält\") "
"kommer att grupperas tillsammans genom fältets titel som flikrubrik."

#: includes/fields/class-acf-field-tab.php:112
msgid "Placement"
msgstr "Placering"

#: includes/fields/class-acf-field-tab.php:124
msgid "End-point"
msgstr "Slutpunkt"

#: includes/fields/class-acf-field-tab.php:125
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "Använd detta fält som slutpunkt och starta en ny grupp flikar"

#: includes/fields/class-acf-field-taxonomy.php:719
#: includes/fields/class-acf-field-true_false.php:95
#: includes/fields/class-acf-field-true_false.php:184 includes/input.php:266
#: pro/admin/views/html-settings-updates.php:103
msgid "No"
msgstr "Nej"

#: includes/fields/class-acf-field-taxonomy.php:738
msgid "None"
msgstr "Ingen"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Select the taxonomy to be displayed"
msgstr "Välj taxonomi som ska visas"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Appearance"
msgstr "Utseende"

#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Select the appearance of this field"
msgstr "Välj utseende för detta fält"

#: includes/fields/class-acf-field-taxonomy.php:785
msgid "Multiple Values"
msgstr "Multipla värden"

#: includes/fields/class-acf-field-taxonomy.php:787
msgid "Multi Select"
msgstr "Flerval"

#: includes/fields/class-acf-field-taxonomy.php:789
msgid "Single Value"
msgstr "Ett enda värde"

#: includes/fields/class-acf-field-taxonomy.php:790
msgid "Radio Buttons"
msgstr "Alternativknappar"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Create Terms"
msgstr "Skapa värden"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Allow new terms to be created whilst editing"
msgstr "Tillåt att nya värden läggs till under redigering"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Save Terms"
msgstr "Spara värden"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "Koppla valda värden till inlägget"

#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Load Terms"
msgstr "Ladda värden"

#: includes/fields/class-acf-field-taxonomy.php:830
msgid "Load value from posts terms"
msgstr "Ladda värde från ett inläggs värden"

#: includes/fields/class-acf-field-taxonomy.php:844
msgid "Term Object"
msgstr "Term objekt"

#: includes/fields/class-acf-field-taxonomy.php:845
msgid "Term ID"
msgstr "Term ID"

#: includes/fields/class-acf-field-taxonomy.php:904
#, php-format
msgid "User unable to add new %s"
msgstr "Användare kan inte lägga till ny %s"

#: includes/fields/class-acf-field-taxonomy.php:917
#, php-format
msgid "%s already exists"
msgstr "%s finns redan"

#: includes/fields/class-acf-field-taxonomy.php:958
#, php-format
msgid "%s added"
msgstr "%s tillagt"

#: includes/fields/class-acf-field-taxonomy.php:1003
msgid "Add"
msgstr "Lägg till"

#: includes/fields/class-acf-field-text.php:36
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-text.php:178
#: includes/fields/class-acf-field-textarea.php:157
msgid "Character Limit"
msgstr "Maximalt antal tecken"

#: includes/fields/class-acf-field-text.php:179
#: includes/fields/class-acf-field-textarea.php:158
msgid "Leave blank for no limit"
msgstr "Lämna tomt för att ha utan begränsning"

#: includes/fields/class-acf-field-textarea.php:36
msgid "Text Area"
msgstr "Textfält"

#: includes/fields/class-acf-field-textarea.php:166
msgid "Rows"
msgstr "Rader"

#: includes/fields/class-acf-field-textarea.php:167
msgid "Sets the textarea height"
msgstr "Välj textfältets höjd"

#: includes/fields/class-acf-field-time_picker.php:36
msgid "Time Picker"
msgstr "Tidväljare"

#: includes/fields/class-acf-field-true_false.php:36
msgid "True / False"
msgstr "Sant / Falskt"

#: includes/fields/class-acf-field-true_false.php:94
#: includes/fields/class-acf-field-true_false.php:174 includes/input.php:265
#: pro/admin/views/html-settings-updates.php:93
msgid "Yes"
msgstr "Ja"

#: includes/fields/class-acf-field-true_false.php:142
msgid "Displays text alongside the checkbox"
msgstr "Visa text bredvid kryssrutan"

#: includes/fields/class-acf-field-true_false.php:170
msgid "On Text"
msgstr "På text"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when active"
msgstr "Text som visas när valet är aktivt"

#: includes/fields/class-acf-field-true_false.php:180
msgid "Off Text"
msgstr "Av text"

#: includes/fields/class-acf-field-true_false.php:181
msgid "Text shown when inactive"
msgstr "Text som visas när valet är inaktivt"

#: includes/fields/class-acf-field-url.php:36
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:165
msgid "Value must be a valid URL"
msgstr "Värdet måste vara en giltig URL"

#: includes/fields/class-acf-field-user.php:36 includes/locations.php:95
msgid "User"
msgstr "Användare"

#: includes/fields/class-acf-field-user.php:408
msgid "Filter by role"
msgstr "Filtrera efter roll"

#: includes/fields/class-acf-field-user.php:416
msgid "All user roles"
msgstr "Alla användarroller"

#: includes/fields/class-acf-field-wysiwyg.php:36
msgid "Wysiwyg Editor"
msgstr "WYSIWYG-editor"

#: includes/fields/class-acf-field-wysiwyg.php:385
msgid "Visual"
msgstr "Visuellt"

#: includes/fields/class-acf-field-wysiwyg.php:386
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:392
msgid "Click to initialize TinyMCE"
msgstr "Klicka för att initialisera tinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Tabs"
msgstr "Flikar"

#: includes/fields/class-acf-field-wysiwyg.php:450
msgid "Visual & Text"
msgstr "Visuellt & Text"

#: includes/fields/class-acf-field-wysiwyg.php:451
msgid "Visual Only"
msgstr "Endast visuellt"

#: includes/fields/class-acf-field-wysiwyg.php:452
msgid "Text Only"
msgstr "Endast text"

#: includes/fields/class-acf-field-wysiwyg.php:459
msgid "Toolbar"
msgstr "Verktygsfält"

#: includes/fields/class-acf-field-wysiwyg.php:469
msgid "Show Media Upload Buttons?"
msgstr "Visa knappar för uppladdning av media?"

#: includes/fields/class-acf-field-wysiwyg.php:479
msgid "Delay initialization?"
msgstr "Fördröj initialisering?"

#: includes/fields/class-acf-field-wysiwyg.php:480
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE initialiseras inte förrän fältet klickas på"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:304
msgid "Edit field group"
msgstr "Redigera fältgrupp"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Validera E-post"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Uppdatera"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Inlägg uppdaterat"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Skräppost Upptäckt"

#: includes/input.php:258
msgid "Expand Details"
msgstr "Visa detaljer"

#: includes/input.php:259
msgid "Collapse Details"
msgstr "Dölj detaljer"

#: includes/input.php:260
msgid "Validation successful"
msgstr "Validering lyckades"

#: includes/input.php:261 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validering misslyckades"

#: includes/input.php:262
msgid "1 field requires attention"
msgstr "1 fält kräver din uppmärksamhet"

#: includes/input.php:263
#, php-format
msgid "%d fields require attention"
msgstr "%d fält kräver din uppmärksamhet"

#: includes/input.php:264
msgid "Restricted"
msgstr "Begränsad"

#: includes/input.php:268
msgid "Cancel"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Inlägg"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Sida"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formulär"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Bilaga"

#: includes/locations/class-acf-location-attachment.php:113
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentar"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Inloggad användarroll"

#: includes/locations/class-acf-location-current-user-role.php:114
msgid "Super Admin"
msgstr "Superadministratör"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Inloggad användare"

#: includes/locations/class-acf-location-current-user.php:101
msgid "Logged in"
msgstr "Inloggad"

#: includes/locations/class-acf-location-current-user.php:102
msgid "Viewing front end"
msgstr "Visar framsida"

#: includes/locations/class-acf-location-current-user.php:103
msgid "Viewing back end"
msgstr "Visar baksida"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:113
#, fuzzy
msgid "Menu Locations"
msgstr "Plats"

#: includes/locations/class-acf-location-nav-menu.php:123
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Sidans förälder"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Sidmall"

#: includes/locations/class-acf-location-page-template.php:102
#: includes/locations/class-acf-location-post-template.php:156
msgid "Default Template"
msgstr "Standardmall"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Sidtyp"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Front Page"
msgstr "Förstasida"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Posts Page"
msgstr "Inläggslistningssida"

#: includes/locations/class-acf-location-page-type.php:151
msgid "Top Level Page (no parent)"
msgstr "Toppsida (Ingen förälder)"

#: includes/locations/class-acf-location-page-type.php:152
msgid "Parent Page (has children)"
msgstr "Föräldersida (har undersidor)"

#: includes/locations/class-acf-location-page-type.php:153
msgid "Child Page (has parent)"
msgstr "Undersida (har föräldersida)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Inläggskategori"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Inläggsformat"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Inläggsstatus"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Inläggstaxonomi"

#: includes/locations/class-acf-location-post-template.php:29
#, fuzzy
msgid "Post Template"
msgstr "Sidmall"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Taxonomivärde"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Användarformulär"

#: includes/locations/class-acf-location-user-form.php:92
msgid "Add / Edit"
msgstr "Skapa / Redigera"

#: includes/locations/class-acf-location-user-form.php:93
msgid "Register"
msgstr "Registrera"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Användarroll"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Ändra"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Uppdatera"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s värde är obligatorisk"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:196
msgid "Publish"
msgstr "Publicera"

#: pro/admin/admin-options-page.php:202
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Inga fältgrupper hittades för denna inställningssida. <a href=\"%s\">Skapa "
"en fältgrupp</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Fel</b>. Kunde inte ansluta till uppdateringsservern"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:17
msgid "Updates"
msgstr "Uppdateringar"

#: pro/admin/views/html-settings-updates.php:11
msgid "Deactivate License"
msgstr "Inaktivera licens"

#: pro/admin/views/html-settings-updates.php:11
msgid "Activate License"
msgstr "Aktivera licens"

#: pro/admin/views/html-settings-updates.php:21
msgid "License Information"
msgstr "Licensinformation"

#: pro/admin/views/html-settings-updates.php:24
#, php-format
msgid ""
"To unlock updates, please enter your license key below. If you don't have a "
"licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"För att aktivera uppdateringar, vänligen fyll i din licensnyckel här "
"nedanför. Om du inte har en licensnyckel, vänligen gå till sidan <a href=\"%s"
"\">detaljer & priser</a>"

#: pro/admin/views/html-settings-updates.php:33
msgid "License Key"
msgstr "Licensnyckel"

#: pro/admin/views/html-settings-updates.php:65
msgid "Update Information"
msgstr "Uppdateringsinformation"

#: pro/admin/views/html-settings-updates.php:72
msgid "Current Version"
msgstr "Nuvarande version"

#: pro/admin/views/html-settings-updates.php:80
msgid "Latest Version"
msgstr "Senaste version"

#: pro/admin/views/html-settings-updates.php:88
msgid "Update Available"
msgstr "Uppdatering tillgänglig"

#: pro/admin/views/html-settings-updates.php:96
msgid "Update Plugin"
msgstr "Uppdatera tillägg"

#: pro/admin/views/html-settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Vänligen fyll i din licensnyckel här ovan för att låsa upp uppdateringar"

#: pro/admin/views/html-settings-updates.php:104
msgid "Check Again"
msgstr "Kontrollera igen"

#: pro/admin/views/html-settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Uppgraderingsnotering"

#: pro/fields/class-acf-field-clone.php:36
msgctxt "noun"
msgid "Clone"
msgstr "Klon"

#: pro/fields/class-acf-field-clone.php:858
msgid "Select one or more fields you wish to clone"
msgstr "Välj ett eller fler fält du vill klona"

#: pro/fields/class-acf-field-clone.php:875
msgid "Display"
msgstr "Visa"

#: pro/fields/class-acf-field-clone.php:876
msgid "Specify the style used to render the clone field"
msgstr "Specificera stilen som ska användas för att skapa klonfältet"

#: pro/fields/class-acf-field-clone.php:881
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grupp (visar valda fält i en grupp i detta fält)"

#: pro/fields/class-acf-field-clone.php:882
msgid "Seamless (replaces this field with selected fields)"
msgstr "Sömlös (ersätter detta fält med valda fält)"

#: pro/fields/class-acf-field-clone.php:903
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Fälttitlar visas som %s"

#: pro/fields/class-acf-field-clone.php:906
msgid "Prefix Field Labels"
msgstr "Prefix fälttitlar"

#: pro/fields/class-acf-field-clone.php:917
#, php-format
msgid "Values will be saved as %s"
msgstr "Värden sparas som %s"

#: pro/fields/class-acf-field-clone.php:920
msgid "Prefix Field Names"
msgstr "Prefix fältnamn"

#: pro/fields/class-acf-field-clone.php:1038
msgid "Unknown field"
msgstr "Okänt fält"

#: pro/fields/class-acf-field-clone.php:1077
msgid "Unknown field group"
msgstr "Okänd fältgrupp"

#: pro/fields/class-acf-field-clone.php:1081
#, php-format
msgid "All fields from %s field group"
msgstr "Alla fält från %s fältgrupp"

#: pro/fields/class-acf-field-flexible-content.php:42
#: pro/fields/class-acf-field-repeater.php:230
#: pro/fields/class-acf-field-repeater.php:534
msgid "Add Row"
msgstr "Lägg till rad"

#: pro/fields/class-acf-field-flexible-content.php:45
msgid "layout"
msgstr "layout"

#: pro/fields/class-acf-field-flexible-content.php:46
msgid "layouts"
msgstr "layouter"

#: pro/fields/class-acf-field-flexible-content.php:47
msgid "remove {layout}?"
msgstr "radera {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Detta fält kräver minst {min} {identifierare}"

#: pro/fields/class-acf-field-flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "Detta fält har en gräns på {max} {identifierare}"

#: pro/fields/class-acf-field-flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Detta fält kräver minst {min} {etikett} {identifierare}"

#: pro/fields/class-acf-field-flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maximal {etikett} gräns nåtts ({max} {identifierare})"

#: pro/fields/class-acf-field-flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{tillgänglig} {etikett} {identifierare} tillgänglig (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{krävs} {etikett} {identifierare} krävs (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:54
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibelt innehåll kräver minst 1 layout"

#: pro/fields/class-acf-field-flexible-content.php:288
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klicka på knappen \"%s\" nedan för att börja skapa din layout"

#: pro/fields/class-acf-field-flexible-content.php:423
msgid "Add layout"
msgstr "Lägg till layout"

#: pro/fields/class-acf-field-flexible-content.php:424
msgid "Remove layout"
msgstr "Radera layout"

#: pro/fields/class-acf-field-flexible-content.php:425
#: pro/fields/class-acf-field-repeater.php:360
msgid "Click to toggle"
msgstr "Klicka för att växla"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder Layout"
msgstr "Ändra layoutens ordning"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder"
msgstr "Ändra ordning"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete Layout"
msgstr "Radera layout"

#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate Layout"
msgstr "Kopiera layout"

#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New Layout"
msgstr "Lägg till ny layout"

#: pro/fields/class-acf-field-flexible-content.php:645
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:658
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:685
#: pro/fields/class-acf-field-repeater.php:530
msgid "Button Label"
msgstr "Knapp etikett"

#: pro/fields/class-acf-field-flexible-content.php:694
msgid "Minimum Layouts"
msgstr "Lägsta tillåtna antal layouter"

#: pro/fields/class-acf-field-flexible-content.php:703
msgid "Maximum Layouts"
msgstr "Högsta tillåtna antal layouter"

#: pro/fields/class-acf-field-gallery.php:52
msgid "Add Image to Gallery"
msgstr "Lägg till en bild till galleri"

#: pro/fields/class-acf-field-gallery.php:56
msgid "Maximum selection reached"
msgstr "Högsta tillåtna antal val uppnått"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Längd"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Bildtext"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Alt Text"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Lägg till galleri"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Välj åtgärd"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "Sortera efter uppladdningsdatum"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "Sortera efter redigeringsdatum"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "Sortera efter titel"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Omvänd nuvarande ordning"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Stäng"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Minsta tillåtna antal val"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Högsta tillåtna antal val"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Infoga"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Specifiera var nya bilagor läggs till"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Lägg till i slutet"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Lägg till början"

#: pro/fields/class-acf-field-repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "Minsta tillåtna antal rader uppnått ({min} rader)"

#: pro/fields/class-acf-field-repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "Högsta tillåtna antal rader uppnått ({max} rader)"

#: pro/fields/class-acf-field-repeater.php:405
msgid "Add row"
msgstr "Lägg till rad"

#: pro/fields/class-acf-field-repeater.php:406
msgid "Remove row"
msgstr "Radera rad"

#: pro/fields/class-acf-field-repeater.php:483
msgid "Collapsed"
msgstr "Kollapsa"

#: pro/fields/class-acf-field-repeater.php:484
msgid "Select a sub field to show when row is collapsed"
msgstr "Välj ett underfält att visa när raden är kollapsad"

#: pro/fields/class-acf-field-repeater.php:494
msgid "Minimum Rows"
msgstr "Minsta tillåtna antal rader"

#: pro/fields/class-acf-field-repeater.php:504
msgid "Maximum Rows"
msgstr "Högsta tillåtna antal rader"

#: pro/locations/class-acf-location-options-page.php:70
msgid "No options pages exist"
msgstr "Det finns inga inställningssidor"

#: pro/options-page.php:51
msgid "Options"
msgstr "Alternativ"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Inställningar uppdaterade"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"För att aktivera uppdateringar, vänligen fyll i din licensnyckel på sidan <a "
"href=\"%s\">uppdateringar</a>. Om du inte har en licensnyckel, vänligen gå "
"till sidan <a href=\"%s\">detaljer & priser</a>"

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Features"
#~ msgstr "Funktioner"

#~ msgid "How to"
#~ msgstr "Instruktioner"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Term meta uppgradering ej möjligt (termmeta tabellen existerar inte)"

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Fel vid validering av ACF PRO licens URL (Sajten överensstämmer inte). "
#~ "Vänligen aktivera din licens på nytt"

#~ msgid "Getting Started"
#~ msgstr "Kom igång"

#~ msgid "Field Types"
#~ msgstr "Fälttyper"

#~ msgid "Functions"
#~ msgstr "Funktioner"

#~ msgid "Actions"
#~ msgstr "Actions"

#~ msgid "Tutorials"
#~ msgstr "Handledningar"

#~ msgid "FAQ"
#~ msgstr "Frågor & Svar"

#~ msgid "Error"
#~ msgstr "Fel"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "1 fält kräver din uppmärksamhet"
#~ msgstr[1] "%d fält kräver din uppmärksamhet"
PK�[��5
�;�;lang/acf.potnu�[���#, fuzzy
msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-11-11 10:49+1000\n"
"PO-Revision-Date: 2015-06-11 13:00+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: en_AU\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-SourceCharset: UTF-8\n"
"X-Poedit-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:68
msgid "Advanced Custom Fields"
msgstr ""

#: acf.php:340 includes/admin/admin.php:52
msgid "Field Groups"
msgstr ""

#: acf.php:341
msgid "Field Group"
msgstr ""

#: acf.php:342 acf.php:374 includes/admin/admin.php:53
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr ""

#: acf.php:343
msgid "Add New Field Group"
msgstr ""

#: acf.php:344
msgid "Edit Field Group"
msgstr ""

#: acf.php:345
msgid "New Field Group"
msgstr ""

#: acf.php:346
msgid "View Field Group"
msgstr ""

#: acf.php:347
msgid "Search Field Groups"
msgstr ""

#: acf.php:348
msgid "No Field Groups found"
msgstr ""

#: acf.php:349
msgid "No Field Groups found in Trash"
msgstr ""

#: acf.php:372 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr ""

#: acf.php:373
msgid "Field"
msgstr ""

#: acf.php:375
msgid "Add New Field"
msgstr ""

#: acf.php:376
msgid "Edit Field"
msgstr ""

#: acf.php:377 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr ""

#: acf.php:378
msgid "View Field"
msgstr ""

#: acf.php:379
msgid "Search Fields"
msgstr ""

#: acf.php:380
msgid "No Fields found"
msgstr ""

#: acf.php:381
msgid "No Fields found in Trash"
msgstr ""

#: acf.php:416 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr ""

#: acf.php:421
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""

#: includes/acf-field-functions.php:831
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr ""

#: includes/acf-field-group-functions.php:819
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr ""

#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr ""

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr ""

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr ""

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr ""

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr ""

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr ""

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr ""

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr ""

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr ""

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr ""

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr ""

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr ""

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr ""

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr ""

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr ""

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3649
msgid "or"
msgstr ""

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr ""

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr ""

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr ""

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr ""

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr ""

#: includes/admin/admin-field-group.php:767
msgid "Move Complete."
msgstr ""

#: includes/admin/admin-field-group.php:768
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr ""

#: includes/admin/admin-field-group.php:769
msgid "Close Window"
msgstr ""

#: includes/admin/admin-field-group.php:810
msgid "Please select the destination for this field"
msgstr ""

#: includes/admin/admin-field-group.php:817
msgid "Move Field"
msgstr ""

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] ""
msgstr[1] ""

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] ""
msgstr[1] ""

#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr ""

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:353
msgid "Title"
msgstr ""

#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:380
msgid "Description"
msgstr ""

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr ""

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""

#: includes/admin/admin-field-groups.php:628 includes/admin/admin.php:123
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr ""

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr ""

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr ""

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr ""

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr ""

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr ""

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:81
msgid "Pro"
msgstr ""

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr ""

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr ""

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr ""

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:146
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr ""

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr ""

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr ""

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr ""

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr ""

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr ""

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr ""

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:109
#: includes/admin/admin-upgrade.php:110 includes/admin/admin-upgrade.php:173
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr ""

#: includes/admin/admin-upgrade.php:197
msgid "Review sites & upgrade"
msgstr ""

#: includes/admin/admin.php:51
#: includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr ""

#: includes/admin/admin.php:57
msgid "Info"
msgstr ""

#: includes/admin/admin.php:122
msgid "What's New"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr ""

#: 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 ""

#: 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 ""

#: 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] ""
msgstr[1] ""

#: 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 ""

#: 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 ""

#: 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 ""

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""

#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr ""

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] ""
msgstr[1] ""

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr ""

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr ""

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr ""

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr ""

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr ""

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr ""

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:337
msgid "Edit"
msgstr ""

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr ""

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr ""

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr ""

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr ""

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr ""

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr ""

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr ""

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr ""

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr ""

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr ""

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr ""

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr ""

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr ""

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr ""

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr ""

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr ""

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr ""

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr ""

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr ""

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr ""

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr ""

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr ""

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr ""

#: includes/admin/views/field-group-locations.php:9
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 ""

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr ""

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr ""

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr ""

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr ""

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr ""

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr ""

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr ""

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr ""

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
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 ""

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr ""

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr ""

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr ""

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr ""

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr ""

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr ""

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr ""

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr ""

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr ""

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr ""

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr ""

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr ""

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr ""

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr ""

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr ""

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr ""

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr ""

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr ""

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr ""

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""

#: includes/admin/views/field-group-options.php:129
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/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
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/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr ""

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr ""

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr ""

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr ""

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr ""

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 ""

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr ""

#: includes/admin/views/settings-info.php:18
msgid "Improved Usability"
msgstr ""

#: includes/admin/views/settings-info.php:19
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 ""

#: includes/admin/views/settings-info.php:22
msgid "Improved Design"
msgstr ""

#: includes/admin/views/settings-info.php:23
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 ""

#: includes/admin/views/settings-info.php:26
msgid "Improved Data"
msgstr ""

#: includes/admin/views/settings-info.php:27
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:35
msgid "Goodbye Add-ons. Hello PRO"
msgstr ""

#: includes/admin/views/settings-info.php:38
msgid "Introducing ACF PRO"
msgstr ""

#: includes/admin/views/settings-info.php:39
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""

#: includes/admin/views/settings-info.php:40
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""

#: includes/admin/views/settings-info.php:44
msgid "Powerful Features"
msgstr ""

#: includes/admin/views/settings-info.php:45
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:46
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr ""

#: includes/admin/views/settings-info.php:50
msgid "Easy Upgrading"
msgstr ""

#: includes/admin/views/settings-info.php:51
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""

#: includes/admin/views/settings-info.php:52
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""

#: includes/admin/views/settings-info.php:61
msgid "New Features"
msgstr ""

#: includes/admin/views/settings-info.php:66
msgid "Link Field"
msgstr ""

#: includes/admin/views/settings-info.php:67
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""

#: includes/admin/views/settings-info.php:71
msgid "Group Field"
msgstr ""

#: includes/admin/views/settings-info.php:72
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""

#: includes/admin/views/settings-info.php:76
msgid "oEmbed Field"
msgstr ""

#: includes/admin/views/settings-info.php:77
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""

#: includes/admin/views/settings-info.php:81
msgid "Clone Field"
msgstr ""

#: includes/admin/views/settings-info.php:82
msgid "The clone field allows you to select and display existing fields."
msgstr ""

#: includes/admin/views/settings-info.php:86
msgid "More AJAX"
msgstr ""

#: includes/admin/views/settings-info.php:87
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""

#: includes/admin/views/settings-info.php:91
msgid "Local JSON"
msgstr ""

#: includes/admin/views/settings-info.php:92
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""

#: includes/admin/views/settings-info.php:96
msgid "Easy Import / Export"
msgstr ""

#: includes/admin/views/settings-info.php:97
msgid "Both import and export can easily be done through a new tools page."
msgstr ""

#: includes/admin/views/settings-info.php:101
msgid "New Form Locations"
msgstr ""

#: includes/admin/views/settings-info.php:102
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""

#: includes/admin/views/settings-info.php:106
msgid "More Customization"
msgstr ""

#: includes/admin/views/settings-info.php:107
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""

#: includes/admin/views/settings-info.php:111
msgid "Fresh UI"
msgstr ""

#: includes/admin/views/settings-info.php:112
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""

#: includes/admin/views/settings-info.php:116
msgid "New Settings"
msgstr ""

#: includes/admin/views/settings-info.php:117
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""

#: includes/admin/views/settings-info.php:121
msgid "Better Front End Forms"
msgstr ""

#: includes/admin/views/settings-info.php:122
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""

#: includes/admin/views/settings-info.php:126
msgid "Better Validation"
msgstr ""

#: includes/admin/views/settings-info.php:127
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""

#: includes/admin/views/settings-info.php:131
msgid "Moving Fields"
msgstr ""

#: includes/admin/views/settings-info.php:132
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""

#: includes/admin/views/settings-info.php:143
#, php-format
msgid "We think you'll love the changes in %s."
msgstr ""

#: includes/api/api-helpers.php:827
msgid "Thumbnail"
msgstr ""

#: includes/api/api-helpers.php:828
msgid "Medium"
msgstr ""

#: includes/api/api-helpers.php:829
msgid "Large"
msgstr ""

#: includes/api/api-helpers.php:878
msgid "Full Size"
msgstr ""

#: includes/api/api-helpers.php:1599 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr ""

#: includes/api/api-helpers.php:3570
#, php-format
msgid "Image width must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3575
#, php-format
msgid "Image width must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3591
#, php-format
msgid "Image height must be at least %dpx."
msgstr ""

#: includes/api/api-helpers.php:3596
#, php-format
msgid "Image height must not exceed %dpx."
msgstr ""

#: includes/api/api-helpers.php:3614
#, php-format
msgid "File size must be at least %s."
msgstr ""

#: includes/api/api-helpers.php:3619
#, php-format
msgid "File size must must not exceed %s."
msgstr ""

#: includes/api/api-helpers.php:3653
#, php-format
msgid "File type must be %s."
msgstr ""

#: includes/assets.php:184
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""

#: includes/assets.php:187 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr ""

#: includes/assets.php:188
msgctxt "verb"
msgid "Edit"
msgstr ""

#: includes/assets.php:189
msgctxt "verb"
msgid "Update"
msgstr ""

#: includes/assets.php:190
msgid "Uploaded to this post"
msgstr ""

#: includes/assets.php:191
msgid "Expand Details"
msgstr ""

#: includes/assets.php:192
msgid "Collapse Details"
msgstr ""

#: includes/assets.php:193
msgid "Restricted"
msgstr ""

#: includes/assets.php:194 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr ""

#: includes/assets.php:197
msgid "Validation successful"
msgstr ""

#: includes/assets.php:198 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr ""

#: includes/assets.php:199
msgid "1 field requires attention"
msgstr ""

#: includes/assets.php:200
#, php-format
msgid "%d fields require attention"
msgstr ""

#: includes/assets.php:203
msgid "Are you sure?"
msgstr ""

#: includes/assets.php:204 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr ""

#: includes/assets.php:205 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr ""

#: includes/assets.php:206 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:338
#: pro/fields/class-acf-field-gallery.php:478
msgid "Remove"
msgstr ""

#: includes/assets.php:207
msgid "Cancel"
msgstr ""

#: includes/assets.php:210
msgid "Has any value"
msgstr ""

#: includes/assets.php:211
msgid "Has no value"
msgstr ""

#: includes/assets.php:212
msgid "Value is equal to"
msgstr ""

#: includes/assets.php:213
msgid "Value is not equal to"
msgstr ""

#: includes/assets.php:214
msgid "Value matches pattern"
msgstr ""

#: includes/assets.php:215
msgid "Value contains"
msgstr ""

#: includes/assets.php:216
msgid "Value is greater than"
msgstr ""

#: includes/assets.php:217
msgid "Value is less than"
msgstr ""

#: includes/assets.php:218
msgid "Selection is greater than"
msgstr ""

#: includes/assets.php:219
msgid "Selection is less than"
msgstr ""

#: includes/assets.php:222 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr ""

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr ""

#: includes/fields.php:308
msgid "Unknown"
msgstr ""

#: includes/fields.php:349
msgid "Basic"
msgstr ""

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr ""

#: includes/fields.php:351
msgid "Choice"
msgstr ""

#: includes/fields.php:352
msgid "Relational"
msgstr ""

#: includes/fields.php:353
msgid "jQuery"
msgstr ""

#: includes/fields.php:354
#: includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr ""

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:110
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
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 ""

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr ""

#: 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:364
msgid "Choices"
msgstr ""

#: 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:365
msgid "Enter each choice on a new line."
msgstr ""

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""

#: 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:365
msgid "red : Red"
msgstr ""

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
msgid "Default Value"
msgstr ""

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
msgid "Appears when creating a new post"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:557
msgid "Return Format"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr ""

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr ""

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr ""

#: 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:105
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr ""

#: 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:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr ""

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr ""

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr ""

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr ""

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr ""

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr ""

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr ""

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr ""

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:642
#: pro/fields/class-acf-field-gallery.php:671
msgid "File size"
msgstr ""

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr ""

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr ""

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr ""

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr ""

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:592
msgid "Library"
msgstr ""

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:593
msgid "Limit the media library choice"
msgstr ""

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:72
#: includes/locations/class-acf-location-user-role.php:88
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:598
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr ""

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:599
msgid "Uploaded to post"
msgstr ""

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:621
msgid "Minimum"
msgstr ""

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:650
msgid "Maximum"
msgstr ""

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:678
msgid "Allowed file types"
msgstr ""

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:679
msgid "Comma separated list. Leave blank for all types"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:147
msgid "Clear location"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:148
msgid "Find current location"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:151
msgid "Search for address..."
msgstr ""

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-google-map.php:192
msgid "Center"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:182
#: includes/fields/class-acf-field-google-map.php:193
msgid "Center the initial map"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:204
msgid "Zoom"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:205
msgid "Set the initial zoom level"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:214
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:633
#: pro/fields/class-acf-field-gallery.php:662
msgid "Height"
msgstr ""

#: includes/fields/class-acf-field-google-map.php:215
msgid "Customize the map height"
msgstr ""

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr ""

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr ""

#: 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 ""

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr ""

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr ""

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr ""

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr ""

#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr ""

#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr ""

#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr ""

#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr ""

#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr ""

#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:563
msgid "Image Array"
msgstr ""

#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:564
msgid "Image URL"
msgstr ""

#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:565
msgid "Image ID"
msgstr ""

#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:571
msgid "Preview Size"
msgstr ""

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:622
#: pro/fields/class-acf-field-gallery.php:651
msgid "Restrict which images can be uploaded"
msgstr ""

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:625
#: pro/fields/class-acf-field-gallery.php:654
msgid "Width"
msgstr ""

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr ""

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr ""

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr ""

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr ""

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr ""

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr ""

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr ""

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr ""

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr ""

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr ""

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr ""

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr ""

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr ""

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr ""

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr ""

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr ""

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr ""

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr ""

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr ""

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr ""

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr ""

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr ""

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr ""

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr ""

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr ""

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr ""

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr ""

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:779
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] ""
msgstr[1] ""

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr ""

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr ""

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr ""

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr ""

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr ""

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr ""

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr ""

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr ""

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr ""

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr ""

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr ""

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr ""

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
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 ""

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:973
#: includes/locations/class-acf-location-user-form.php:73
msgid "Add"
msgstr ""

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr ""

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr ""

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr ""

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr ""

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr ""

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr ""

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr ""

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr ""

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr ""

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr ""

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr ""

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr ""

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr ""

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr ""

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr ""

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initialized until field is clicked"
msgstr ""

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr ""

#: includes/forms/form-front.php:104
#: pro/fields/class-acf-field-gallery.php:510 pro/options-page.php:81
msgid "Update"
msgstr ""

#: includes/forms/form-front.php:105
msgid "Post updated"
msgstr ""

#: includes/forms/form-front.php:231
msgid "Spam Detected"
msgstr ""

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr ""

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr ""

#: includes/locations.php:96
msgid "Forms"
msgstr ""

#: includes/locations.php:243
msgid "is equal to"
msgstr ""

#: includes/locations.php:244
msgid "is not equal to"
msgstr ""

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr ""

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr ""

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr ""

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr ""

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr ""

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr ""

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr ""

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr ""

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr ""

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr ""

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr ""

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr ""

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr ""

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr ""

#: includes/locations/class-acf-location-user-form.php:22
msgid "User Form"
msgstr ""

#: includes/locations/class-acf-location-user-form.php:74
msgid "Add / Edit"
msgstr ""

#: includes/locations/class-acf-location-user-form.php:75
msgid "Register"
msgstr ""

#: includes/locations/class-acf-location-user-role.php:22
msgid "User Role"
msgstr ""

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr ""

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr ""

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr ""

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr ""

#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr ""

#: pro/admin/admin-updates.php:118
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr ""

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr ""

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr ""

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr ""

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr ""

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr ""

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr ""

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr ""

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr ""

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr ""

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr ""

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr ""

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr ""

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr ""

#: 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:829
msgid "Display"
msgstr ""

#: 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:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr ""

#: 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:860
msgid "Prefix Field Labels"
msgstr ""

#: 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:874
msgid "Prefix Field Names"
msgstr ""

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr ""

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr ""

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] ""
msgstr[1] ""

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:322
msgid "Length"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:362
msgid "Caption"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:371
msgid "Alt Text"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:487
msgid "Add to gallery"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:491
msgid "Bulk actions"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:492
msgid "Sort by date uploaded"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:493
msgid "Sort by date modified"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:494
msgid "Sort by title"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:495
msgid "Reverse current order"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:507
msgid "Close"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:580
msgid "Insert"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:581
msgid "Specify where new attachments are added"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:585
msgid "Append to the end"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:586
msgid "Prepend to the beginning"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:605
msgid "Minimum Selection"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:613
msgid "Maximum Selection"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr ""

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr ""

#: pro/options-page.php:51
msgid "Options"
msgstr ""

#: pro/options-page.php:82
msgid "Options Updated"
msgstr ""

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""

#: tests/basic/test-blocks.php:30
msgid "Normal"
msgstr ""

#: tests/basic/test-blocks.php:31
msgid "Fancy"
msgstr ""

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr ""

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr ""
PK�[�����lang/acf-ar.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro\n"
"POT-Creation-Date: 2017-06-27 15:37+1000\n"
"PO-Revision-Date: 2019-02-11 10:45+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Adil el hallaoui <servicewb11@gmail.com>\n"
"Language: ar\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"Plural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);\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-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "الحقول المخصصة المتقدمة"

#: acf.php:355 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "مجموعات الحقول"

#: acf.php:356
msgid "Field Group"
msgstr "مجموعة الحقول"

#: acf.php:357 acf.php:389 includes/admin/admin.php:118 pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New"
msgstr "إضافة جديد"

#: acf.php:358
msgid "Add New Field Group"
msgstr "إضافة مجموعة حقول جديدة"

#: acf.php:359
msgid "Edit Field Group"
msgstr "تحرير مجموعة الحقول"

#: acf.php:360
msgid "New Field Group"
msgstr "مجموعة حقول جديدة"

#: acf.php:361
msgid "View Field Group"
msgstr "عرض مجموعة الحقول"

#: acf.php:362
msgid "Search Field Groups"
msgstr "بحث في مجموعات الحقول"

#: acf.php:363
msgid "No Field Groups found"
msgstr "لم يتم العثور على نتائج"

#: acf.php:364
msgid "No Field Groups found in Trash"
msgstr "لا توجد مجموعات حقول في سلة المهملات"

#: acf.php:387 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:857
msgid "Fields"
msgstr "حقول"

#: acf.php:388
msgid "Field"
msgstr "حقل"

#: acf.php:390
msgid "Add New Field"
msgstr "إضافة حقل جديد"

#: acf.php:391
msgid "Edit Field"
msgstr "تحرير الحقل"

#: acf.php:392 includes/admin/views/field-group-fields.php:41 includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "حقل جديد"

#: acf.php:393
msgid "View Field"
msgstr "عرض الحقل"

#: acf.php:394
msgid "Search Fields"
msgstr "بحث في الحقول"

#: acf.php:395
msgid "No Fields found"
msgstr "لم يتم العثور على أية حقول"

#: acf.php:396
msgid "No Fields found in Trash"
msgstr "لم يتم العثور على أية حقول في سلة المهملات"

#: acf.php:435 includes/admin/admin-field-group.php:390 includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "غير نشط"

#: acf.php:440
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "غير نشطة <span class=\"count\">(%s)</span>"
msgstr[1] "غير نشط <span class=\"count\">(%s)</span>"
msgstr[2] "غير نشطة <span class=\"count\">(%s)</span>"
msgstr[3] "غير نشطة <span class=\"count\">(%s)</span>"
msgstr[4] "غير نشطة <span class=\"count\">(%s)</span>"
msgstr[5] "غير نشطة <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68 includes/admin/admin-field-group.php:69 includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "تم تحديث مجموعة الحقول"

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "تم حذف مجموعة الحقول."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "تم نشر مجموعة الحقول."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "تم حفظ مجموعة الحقول."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "تم تقديم مجموعة الحقول."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "تم جدولة مجموعة الحقول لـ."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "تم تحديث مسودة مجموعة الحقول."

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "الموقع"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "الإعدادات"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "ارسال إلى سلة المهملات. هل أنت متأكد؟"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "مفحوص"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "تبديل الحقول غير متوفر"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "عنوان مجموعة الحقول مطلوب"

#: includes/admin/admin-field-group.php:273 includes/api/api-field-group.php:732
msgid "copy"
msgstr "انسخ"

#: includes/admin/admin-field-group.php:274 includes/admin/views/field-group-field-conditional-logic.php:54 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:3970
msgid "or"
msgstr "او"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "الحقول الأصلية"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "الحقول الفرعية"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "نقل الحقل المخصص"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "لا يمكن نقل هذا الحقل حتى يتم حفظ تغييراته"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "لا شيء"

#: includes/admin/admin-field-group.php:281 includes/input.php:257
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "سيتم فقدان التغييرات التي أجريتها إذا غادرت هذه الصفحة"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "لا يجوز استخدام المقطع \"field_\" في بداية اسم الحقل"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "مفاتيح الحقل"

#: includes/admin/admin-field-group.php:390 includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "نشط"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "تم النقل."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "الحقل %s يمكن الآن إيجاده في مجموعة الحقول %s"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "إغلاق النافذة"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "الرجاء تحديد الوجهة لهذا الحقل"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "نقل الحقل"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "نشط <span class=\"count\">(%s)</span>"
msgstr[1] "نشط <span class=\"count\">(%s)</span>"
msgstr[2] "نشطة <span class=\"count\">(%s)</span>"
msgstr[3] "نشطة <span class=\"count\">(%s)</span>"
msgstr[4] "نشطة <span class=\"count\">(%s)</span>"
msgstr[5] "نشطة <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "تم تكرار مجموعة الحقول %s."

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "تم تكرار مجموعة الحقول. %s"
msgstr[1] "تم تكرار مجموعة الحقول. %s"
msgstr[2] "تم تكرار مجموعة الحقول. %s"
msgstr[3] "تم تكرار مجموعة الحقول. %s"
msgstr[4] "تم تكرار مجموعة الحقول. %s"
msgstr[5] "تم تكرار مجموعة الحقول. %s"

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "تمت مزامنة مجموعة الحقول %s."

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "تمت مزامنة مجموعة الحقول. %s"
msgstr[1] "تمت مزامنة مجموعة الحقول. %s"
msgstr[2] "تمت مزامنة مجموعة الحقول. %s"
msgstr[3] "تمت مزامنة مجموعة الحقول. %s"
msgstr[4] "تمت مزامنة مجموعة الحقول. %s"
msgstr[5] "تمت مزامنة مجموعة الحقول. %s"

#: includes/admin/admin-field-groups.php:394 includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "المزامنة متوفرة"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38 pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "العنوان"

#: includes/admin/admin-field-groups.php:508 includes/admin/views/field-group-options.php:96 includes/admin/views/install-network.php:21 includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "الوصف"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "الحالة"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "خصص ووردبرس بحقول قوية، مهنية، وبديهية‪.‬"

#: includes/admin/admin-field-groups.php:609 includes/admin/settings-info.php:76 pro/admin/views/html-settings-updates.php:111
msgid "Changelog"
msgstr "سجل التغييرات"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "اطلع على الجديد في <a href=\"%s\">النسخة %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "الموارد"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "الموقع الإليكتروني"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "التوثيق"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "الدعم"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "احترافي"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "شكرا لك لاستخدامك <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "تكرار هذا العنصر"

#: includes/admin/admin-field-groups.php:668 includes/admin/admin-field-groups.php:684 includes/admin/views/field-group-field.php:49 pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate"
msgstr "تكرار"

#: includes/admin/admin-field-groups.php:701 includes/fields/class-acf-field-google-map.php:132 includes/fields/class-acf-field-relationship.php:737
msgid "Search"
msgstr "بحث"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "اختيار %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "مزامنة مجموعة الحقول"

#: includes/admin/admin-field-groups.php:768 includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "مزامنة"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "تطبيق"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "اجراءات جماعية"

#: includes/admin/admin.php:113 includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "الحقول المخصصة"

#: includes/admin/install-network.php:88 includes/admin/install.php:70 includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "ترقية قاعدة البيانات"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "استعراض المواقع والترقية"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "حدث خطأ أثناء التحقق من صحة الطلب"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "لا توجد تحديثات متوفرة."

#: includes/admin/settings-addons.php:51 includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "الإضافات"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>خطأ.</b> لا يمكن تحميل قائمة الإضافات"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "معلومات"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "ما الجديد"

#: includes/admin/settings-tools.php:50 includes/admin/views/settings-tools-export.php:19 includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "أدوات"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "لم يتم تحديد مجموعات الحقول"

#: includes/admin/settings-tools.php:184 includes/fields/class-acf-field-file.php:174
msgid "No file selected"
msgstr "لم يتم إختيار ملف"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "خطأ في تحميل الملف . حاول مرة أخرى"

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "نوع الملف غير صحيح"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "الملف المستورد فارغ"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "تم استيراد مجموعة حقول واحدة"
msgstr[1] "تم استيراد مجموعة حقول واحدة"
msgstr[2] "تم استيراد مجموعتي حقول"
msgstr[3] "تم استيراد %s مجموعات حقول"
msgstr[4] "تم استيراد %s مجموعات حقول"
msgstr[5] "تم استيراد %s مجموعات حقول"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "المنطق الشرطي"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "إظهار هذا الحقل إذا"

#: includes/admin/views/field-group-field-conditional-logic.php:103 includes/locations.php:243
msgid "is equal to"
msgstr "يساوي"

#: includes/admin/views/field-group-field-conditional-logic.php:104 includes/locations.php:244
msgid "is not equal to"
msgstr "لا يساوي"

#: includes/admin/views/field-group-field-conditional-logic.php:141 includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "و"

#: includes/admin/views/field-group-field-conditional-logic.php:156 includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "إضافة مجموعة قاعدة"

#: includes/admin/views/field-group-field.php:41 pro/fields/class-acf-field-flexible-content.php:420 pro/fields/class-acf-field-repeater.php:358
msgid "Drag to reorder"
msgstr "اسحب لإعادة الترتيب"

#: includes/admin/views/field-group-field.php:45 includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "تحرير الحقل"

#: includes/admin/views/field-group-field.php:48 includes/fields/class-acf-field-image.php:140 includes/fields/class-acf-field-link.php:152 pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "تحرير"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "تكرار الحقل"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "نقل الحقل إلى مجموعة أخرى"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "نقل"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "حذف الحقل"

#: includes/admin/views/field-group-field.php:51 pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete"
msgstr "حذف"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "تسمية الحقل"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "هذا هو الاسم الذي سيظهر في صفحة التحرير"

#: includes/admin/views/field-group-field.php:78
msgid "Field Name"
msgstr "اسم الحقل"

#: 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:89
msgid "Field Type"
msgstr "نوع الحقل"

#: includes/admin/views/field-group-field.php:101 includes/fields/class-acf-field-tab.php:102
msgid "Instructions"
msgstr "التعليمات"

#: includes/admin/views/field-group-field.php:102
msgid "Instructions for authors. Shown when submitting data"
msgstr "تعليمات للكتاب. سيظهر عند إرسال البيانات"

#: includes/admin/views/field-group-field.php:111
msgid "Required?"
msgstr "مطلوب؟"

#: includes/admin/views/field-group-field.php:134
msgid "Wrapper Attributes"
msgstr "سمات المجمع"

#: includes/admin/views/field-group-field.php:140
msgid "width"
msgstr "العرض"

#: includes/admin/views/field-group-field.php:155
msgid "class"
msgstr "class (الفئة)"

#: includes/admin/views/field-group-field.php:168
msgid "id"
msgstr "id (المعرف)"

#: includes/admin/views/field-group-field.php:180
msgid "Close Field"
msgstr "أغلق الحقل"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "ترتيب"

#: includes/admin/views/field-group-fields.php:5 includes/fields/class-acf-field-checkbox.php:317 includes/fields/class-acf-field-radio.php:321 includes/fields/class-acf-field-select.php:530
#: pro/fields/class-acf-field-flexible-content.php:599
msgid "Label"
msgstr "تسمية"

#: includes/admin/views/field-group-fields.php:6 includes/fields/class-acf-field-taxonomy.php:970 pro/fields/class-acf-field-flexible-content.php:612
msgid "Name"
msgstr "الاسم"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "المفتاح"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "النوع"

#: includes/admin/views/field-group-fields.php:14
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr "لا توجد حقول. انقر على زر <strong>+ إضافة حقل</strong> لإنشاء أول حقل."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ اضف حقل"

#: includes/admin/views/field-group-locations.php:9
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 "إنشىء مجموعة من القواعد لتحديد أي شاشات التحرير ستستخدم هذه الحقول المخصصة"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "نمط"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "قياسي (WP metabox)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "سلس (بدون metabox)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "الموضع"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "عالي (بعد العنوان)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "عادي (بعد المحتوى)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "الجانب"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "تعيين مكان التسمية"

#: includes/admin/views/field-group-options.php:62 includes/fields/class-acf-field-tab.php:116
msgid "Top aligned"
msgstr "محاذاة إلى الأعلى"

#: includes/admin/views/field-group-options.php:63 includes/fields/class-acf-field-tab.php:117
msgid "Left aligned"
msgstr "محاذاة لليسار"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "تعيين مكان التعليمات"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "أسفل التسميات"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "بعد الحقول"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "رقم الترتيب"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "مجموعات الحقول ذات الترتيب الأدنى ستظهر أولا"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "اظهار في قائمة مجموعة الحقول"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "إخفاء على الشاشة"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>تحديد</b> العناصر <b>لإخفائها</b> من شاشة التحرير."

#: 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 "إذا ظهرت مجموعات حقول متعددة في شاشة التحرير. سيتم استخدام خيارات المجموعة الأولى (تلك التي تحتوي على أقل رقم ترتيب)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "الرابط الدائم"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "محرر المحتوى"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "مختصر الموضوع"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "النقاش"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "التعليقات"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "المراجعة"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "الاسم اللطيف"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "الكاتب"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "الشكل"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "سمات الصفحة"

#: includes/admin/views/field-group-options.php:126 includes/fields/class-acf-field-relationship.php:751
msgid "Featured Image"
msgstr "صورة بارزة"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "التصنيفات"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "الوسوم"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "إرسال Trackbacks"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "إظهار هذه المجموعة إذا"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "ترقية المواقع"

#: includes/admin/views/install-network.php:9 includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
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."
msgstr "تتطلب المواقع التالية ترقية قاعدة البيانات. تحقق من تلك التي تحتاج إلى ترقيتها ومن ثم انقر على %s."

#: includes/admin/views/install-network.php:20 includes/admin/views/install-network.php:28
msgid "Site"
msgstr "الموقع"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "يتطلب الموقع ترقية قاعدة البيانات من %s إلى %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "الموقع محدث"

#: includes/admin/views/install-network.php:63
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "تمت ترقية قاعدة البيانات. <a href=\"%s\">العودة إلى لوحة معلومات الشبكة</a>"

#: 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 "يوصى بشدة أن تقوم بأخذ نسخة احتياطية من قاعدة البيانات قبل المتابعة. هل أنت متأكد أنك ترغب في تشغيل التحديث الآن؟"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "اكتملت عملية الترقية"

#: includes/admin/views/install-network.php:162 includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "ترقية البيانات إلى الإصدار %s"

#: includes/admin/views/install-notice.php:8 pro/fields/class-acf-field-repeater.php:36
msgid "Repeater"
msgstr "المكرر"

#: includes/admin/views/install-notice.php:9 pro/fields/class-acf-field-flexible-content.php:36
msgid "Flexible Content"
msgstr "المحتوى المرن"

#: includes/admin/views/install-notice.php:10 pro/fields/class-acf-field-gallery.php:36
msgid "Gallery"
msgstr "الالبوم"

#: includes/admin/views/install-notice.php:11 pro/locations/class-acf-location-options-page.php:13
msgid "Options Page"
msgstr "خيارات الصفحة"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "ترقية قاعدة البيانات مطلوبة"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "شكرا لك على تحديث %s إلى الإصدار %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 "قبل البدء باستخدام الميزات الجديدة، الرجاء تحديث قاعدة البيانات الخاصة بك إلى الإصدار الأحدث."

#: 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 "يرجى أيضا التأكد من تحديث أي إضافات مدفوعة (%s) أولا إلى أحدث إصدار."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "قراءة مهام الترقية..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "تمت ترقية قاعدة البيانات. <a href=\"%s\">اطلع على الجديد</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "تحميل وتثبيت"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "تم التثبيت"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 "شكرا لك للتحديث! ACF %s أكبر وأفضل من أي وقت مضى."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "حقول مخصصة أكثر سلاسة"

#: includes/admin/views/settings-info.php:22
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 حسن قابلية الاستخدام والسرعة عبر عدد من أنواع الحقول بما في ذلك موضوع المنشور، رابط الصفحة، التصنيف والتحديد"

#: 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 "شهدت العديد من الحقول تحديث مرئي جعل ACF تبدو أفضل من أي وقت مضى! تلاحظ التغييرات في المعرض، العلاقة وحقول 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 "إعادة تصميم هيكل البيانات سمحت للحقول الفرعية للعمل بشكل مستقل عن الحقول الأصلية. هذا يسمح لك بسحب وافلات الحقول داخل وخارج الحقول الأصلية!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "وداعا للوظائف الإضافية. مرحبا برو"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "نقدم ACF برو"

#: includes/admin/views/settings-info.php:45
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 <a href=\"%s\">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and "
"accessible than ever before!"
msgstr ""
"تم دمج الإضافات المدفوعة الأربعة في <a href=\"%s\">النسخة الإحترافية من ACF</a>. مع توفير رخص شخصية واخرى للمطورين، لتصبح الوظائف المميزة بأسعار معقولة ويمكن الوصول إليها أكثر من أي وقت مضى!"

#: 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 "يحتوي ACF PRO على ميزات قوية مثل البيانات القابلة للتكرار، والمحتوى المرن، وحقل المعرض الجميل والقدرة على إنشاء صفحات خيارات إضافية للمشرفين!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "اقرأ المزيد حول <a href=\"%s\">ميزات ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "ترقية سهلة"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid "To help make upgrading easy, <a href=\"%s\">login to your store account</a> and claim a free copy of ACF PRO!"
msgstr "للمساعدة في جعل الترقية سهلة، <a href=\"%s\">سجل الدخول إلى حسابك في المتجر</a> واحصل على نسخة مجانية من ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid "We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href=\"%s\">help desk</a>"
msgstr "نحن كتبنا أيضا <a href=\"%s\">دليل للتحديث</a> للرد على أية أسئلة، ولكن إذا كان إذا كان لديك اي سؤال، الرجاء الاتصال بفريق الدعم الخاص بنا عن طريق <a href=\"%s\">مكتب المساعدة</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "تحت الغطاء"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "إعدادات حقول أكثر ذكاء"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF الآن يحفظ إعدادات الحقول كـ post object منفصل"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "اجاكس أكثر"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "حقول اكثر تستخدم بحث أجاكس لتسريع تحميل الصفحة"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "JSON محلي"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "تصدير اتوماتيكي الى JSON يحسن السرعة"

#: includes/admin/views/settings-info.php:88
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"
msgstr "يسمح التصدير الاتوماتيكي الجديدة إلى JSON لإعدادات الحقول بأن تكون قابلة لتحكم الإصدارات"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "استبدال XML بـ JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "الاستيراد والتصدير الآن يستخدم JSON عوضا عن XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "أشكال جديدة"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr "يمكن الآن تعيين الحقول إلى التعليقات، الودجات وجميع نماذج المستخدم!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "تم إضافة حقل جديد لتضمين المحتوى"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "معرض صور جديد"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "شهد حقل المعرض عملية تغيير جذرية"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "إعدادات جديدة"

#: includes/admin/views/settings-info.php:116
msgid "Field group settings have been added for label placement and instruction placement"
msgstr "تمت إضافة إعدادات لموضع التسمية والتعليمات بمجموعة الحقول "

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "نماذج افضل"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() يمكن الآن إنشاء مشاركة جديدة عند الإرسال"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "تحقق افضل"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr "يتم الآن التحقق من صحة النموذج عن طريق PHP + AJAX بدلا من جافا سكريبت فقط"

#: 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)"
msgstr "إعداد جديد لحقل العلاقة خاص بالفلاتر (البحث، نوع المقالة، التصنيف)"

#: includes/admin/views/settings-info.php:139
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 "يمكن الان نقل الحقل بين المجموعات و المجموعات الأصلية"

#: includes/admin/views/settings-info.php:144 includes/fields/class-acf-field-page_link.php:36
msgid "Page Link"
msgstr "رابط الصفحة"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "مجموعة المحفوظات الجديدة في تحديد الحقل page_link"

#: includes/admin/views/settings-info.php:149
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 "مهام جديدة لصفحة الخيارات تسمح بإنشاء كل من صفحات القائمة الأصلية والفرعية"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "نعتقد أنك ستحب هذه التغييرات في %s."

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "تصدير مجموعات الحقول لـ 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 ""
"يمكن استخدام الكود التالي لتسجيل نسخة محلية من مجموعة الحقول المحددة. مجموعة الحقول المحلية يمكن أن توفر العديد من المزايا مثل التحميل بشكل أسرع، والتحكم في الإصدار والإعدادات والحقول "
"الديناميكية. ببساطة أنسخ وألصق الكود التالي إلى ملف functions.php بالقالب الخاص بك أو إدراجه ضمن ملف خارجي."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "حدد مجموعات الحقول"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "تصدير مجموعات الحقول"

#: 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 ""
"حدد مجموعات الحقول التي ترغب في تصديرها ومن ثم حدد طريقة التصدير. استخدام زر التحميل للتصدير إلى ملف .json الذي يمكنك من ثم استيراده إلى تثبيت ACF آخر. استخدم زر التوليد للتصدير بصيغة PHP "
"الذي يمكنك ادراجه في القالب الخاص بك."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "تنزيل ملف التصدير"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "توليد كود التصدير"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "استيراد مجموعات الحقول"

#: 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 "حدد ملف JSON الذي ترغب في استيراده. عند النقر على زر استيراد أدناه، ACF ستقوم باستيراد مجموعات الحقول."

#: includes/admin/views/settings-tools.php:77 includes/fields/class-acf-field-file.php:46
msgid "Select File"
msgstr "إختر ملف"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "استيراد"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "الصورة المصغرة"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "متوسط"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "كبير"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "العرض الكامل"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1837 pro/fields/class-acf-field-clone.php:1042
msgid "(no title)"
msgstr "(بدون عنوان)"

#: includes/api/api-helpers.php:1874 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
msgid "Parent"
msgstr "الأب"

#: includes/api/api-helpers.php:3891
#, php-format
msgid "Image width must be at least %dpx."
msgstr "يجب أن يكون عرض الصورة على الأقل %dpx."

#: includes/api/api-helpers.php:3896
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "يجب إلا يتجاوز عرض الصورة %dpx."

#: includes/api/api-helpers.php:3912
#, php-format
msgid "Image height must be at least %dpx."
msgstr "يجب أن يكون ارتفاع الصورة على الأقل %dpx."

#: includes/api/api-helpers.php:3917
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "يجب إلا يتجاوز ارتفاع الصورة %dpx."

#: includes/api/api-helpers.php:3935
#, php-format
msgid "File size must be at least %s."
msgstr "يجب إلا يقل حجم الملف عن %s."

#: includes/api/api-helpers.php:3940
#, php-format
msgid "File size must must not exceed %s."
msgstr "حجم الملف يجب يجب أن لا يتجاوز %s."

#: includes/api/api-helpers.php:3974
#, php-format
msgid "File type must be %s."
msgstr "يجب أن يكون نوع الملف %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "أساسية"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "المحتوى"

#: includes/fields.php:146
msgid "Choice"
msgstr "خيار"

#: includes/fields.php:147
msgid "Relational"
msgstr "ذو علاقة"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149 includes/fields/class-acf-field-checkbox.php:286 includes/fields/class-acf-field-group.php:485 includes/fields/class-acf-field-radio.php:300
#: pro/fields/class-acf-field-clone.php:889 pro/fields/class-acf-field-flexible-content.php:569 pro/fields/class-acf-field-flexible-content.php:618 pro/fields/class-acf-field-repeater.php:514
msgid "Layout"
msgstr "المخطط"

#: includes/fields.php:305
msgid "Field type does not exist"
msgstr "نوع الحقل غير موجود"

#: includes/fields.php:305
msgid "Unknown"
msgstr "غير معروف"

#: includes/fields/class-acf-field-checkbox.php:36 includes/fields/class-acf-field-taxonomy.php:786
msgid "Checkbox"
msgstr "مربع اختيار"

#: includes/fields/class-acf-field-checkbox.php:150
msgid "Toggle All"
msgstr "تبديل الكل"

#: includes/fields/class-acf-field-checkbox.php:207
msgid "Add new choice"
msgstr "إضافة اختيار جديد"

#: includes/fields/class-acf-field-checkbox.php:246 includes/fields/class-acf-field-radio.php:250 includes/fields/class-acf-field-select.php:466
msgid "Choices"
msgstr "خيارات"

#: includes/fields/class-acf-field-checkbox.php:247 includes/fields/class-acf-field-radio.php:251 includes/fields/class-acf-field-select.php:467
msgid "Enter each choice on a new line."
msgstr "أدخل كل خيار في سطر جديد."

#: includes/fields/class-acf-field-checkbox.php:247 includes/fields/class-acf-field-radio.php:251 includes/fields/class-acf-field-select.php:467
msgid "For more control, you may specify both a value and label like this:"
msgstr "لمزيد من التحكم، يمكنك تحديد كل من القيمة والتسمية كما يلي:"

#: includes/fields/class-acf-field-checkbox.php:247 includes/fields/class-acf-field-radio.php:251 includes/fields/class-acf-field-select.php:467
msgid "red : Red"
msgstr "أحمر : أحمر"

#: includes/fields/class-acf-field-checkbox.php:255
msgid "Allow Custom"
msgstr "اسمح بالتخصيص"

#: includes/fields/class-acf-field-checkbox.php:260
msgid "Allow 'custom' values to be added"
msgstr "السماح بإضافة قيم \"مخصصة\""

#: includes/fields/class-acf-field-checkbox.php:266
msgid "Save Custom"
msgstr "حفظ المخصص"

#: includes/fields/class-acf-field-checkbox.php:271
msgid "Save 'custom' values to the field's choices"
msgstr "حفظ القيم \"المخصصة\" لخيارات الحقل"

#: includes/fields/class-acf-field-checkbox.php:277 includes/fields/class-acf-field-color_picker.php:146 includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:145 includes/fields/class-acf-field-radio.php:291 includes/fields/class-acf-field-select.php:475 includes/fields/class-acf-field-text.php:142
#: includes/fields/class-acf-field-textarea.php:139 includes/fields/class-acf-field-true_false.php:150 includes/fields/class-acf-field-url.php:114
#: includes/fields/class-acf-field-wysiwyg.php:436
msgid "Default Value"
msgstr "قيمة إفتراضية"

#: includes/fields/class-acf-field-checkbox.php:278 includes/fields/class-acf-field-select.php:476
msgid "Enter each default value on a new line"
msgstr "قم بإدخال كل قيمة افتراضية في سطر جديد"

#: includes/fields/class-acf-field-checkbox.php:292 includes/fields/class-acf-field-radio.php:306
msgid "Vertical"
msgstr "عمودي"

#: includes/fields/class-acf-field-checkbox.php:293 includes/fields/class-acf-field-radio.php:307
msgid "Horizontal"
msgstr "أفقي"

#: includes/fields/class-acf-field-checkbox.php:300
msgid "Toggle"
msgstr "تبديل"

#: includes/fields/class-acf-field-checkbox.php:301
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "أضف مربع اختيار إضافي في البداية لتبديل جميع الخيارات"

#: includes/fields/class-acf-field-checkbox.php:310 includes/fields/class-acf-field-file.php:219 includes/fields/class-acf-field-image.php:206 includes/fields/class-acf-field-link.php:180
#: includes/fields/class-acf-field-radio.php:314 includes/fields/class-acf-field-taxonomy.php:839
msgid "Return Value"
msgstr "القيمة المرجعة"

#: includes/fields/class-acf-field-checkbox.php:311 includes/fields/class-acf-field-file.php:220 includes/fields/class-acf-field-image.php:207 includes/fields/class-acf-field-link.php:181
#: includes/fields/class-acf-field-radio.php:315
msgid "Specify the returned value on front end"
msgstr "حدد القيمة التي سيتم إرجاعها في الواجهة الأمامية"

#: includes/fields/class-acf-field-checkbox.php:316 includes/fields/class-acf-field-radio.php:320 includes/fields/class-acf-field-select.php:529
msgid "Value"
msgstr "قيمة"

#: 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 "كلاهما (Array)"

#: includes/fields/class-acf-field-color_picker.php:36
msgid "Color Picker"
msgstr "محدد اللون"

#: includes/fields/class-acf-field-color_picker.php:83
msgid "Clear"
msgstr "مسح"

#: includes/fields/class-acf-field-color_picker.php:84
msgid "Default"
msgstr "الافتراضي"

#: includes/fields/class-acf-field-color_picker.php:85
msgid "Select Color"
msgstr "اختر اللون"

#: includes/fields/class-acf-field-color_picker.php:86
msgid "Current Color"
msgstr "اللون الحالي"

#: includes/fields/class-acf-field-date_picker.php:36
msgid "Date Picker"
msgstr "عنصر إختيار التاريخ"

#: includes/fields/class-acf-field-date_picker.php:44
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "تم"

#: includes/fields/class-acf-field-date_picker.php:45
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "اليوم"

#: includes/fields/class-acf-field-date_picker.php:46
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "التالي"

#: includes/fields/class-acf-field-date_picker.php:47
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "السابق"

#: includes/fields/class-acf-field-date_picker.php:48
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "اسبوع"

#: includes/fields/class-acf-field-date_picker.php:223 includes/fields/class-acf-field-date_time_picker.php:197 includes/fields/class-acf-field-time_picker.php:127
msgid "Display Format"
msgstr "تنسيق العرض"

#: includes/fields/class-acf-field-date_picker.php:224 includes/fields/class-acf-field-date_time_picker.php:198 includes/fields/class-acf-field-time_picker.php:128
msgid "The format displayed when editing a post"
msgstr "تنسيق العرض عند تحرير المقال"

#: includes/fields/class-acf-field-date_picker.php:232 includes/fields/class-acf-field-date_picker.php:263 includes/fields/class-acf-field-date_time_picker.php:207
#: 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
msgid "Custom:"
msgstr "مخصص:"

#: includes/fields/class-acf-field-date_picker.php:242
msgid "Save Format"
msgstr "حفظ التنسيق"

#: includes/fields/class-acf-field-date_picker.php:243
msgid "The format used when saving a value"
msgstr "التنسيق المستخدم عند حفظ القيمة"

#: includes/fields/class-acf-field-date_picker.php:253 includes/fields/class-acf-field-date_time_picker.php:214 includes/fields/class-acf-field-post_object.php:447
#: includes/fields/class-acf-field-relationship.php:778 includes/fields/class-acf-field-select.php:524 includes/fields/class-acf-field-time_picker.php:142
msgid "Return Format"
msgstr "التنسيق المسترجع"

#: includes/fields/class-acf-field-date_picker.php:254 includes/fields/class-acf-field-date_time_picker.php:215 includes/fields/class-acf-field-time_picker.php:143
msgid "The format returned via template functions"
msgstr "التنسيق عاد عن طريق وظائف القالب"

#: includes/fields/class-acf-field-date_picker.php:272 includes/fields/class-acf-field-date_time_picker.php:231
msgid "Week Starts On"
msgstr "يبدأ الأسبوع في"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgid "Date Time Picker"
msgstr "عنصر إختيار التاريخ والوقت"

#: includes/fields/class-acf-field-date_time_picker.php:44
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "اختر الوقت"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "الوقت"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "الساعة"

#: includes/fields/class-acf-field-date_time_picker.php:47
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "الدقيقة"

#: includes/fields/class-acf-field-date_time_picker.php:48
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "الثانية"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "ميلي ثانية"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "ميكرو ثانية"

#: includes/fields/class-acf-field-date_time_picker.php:51
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "المنطقة الزمنية"

#: includes/fields/class-acf-field-date_time_picker.php:52
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "الان"

#: includes/fields/class-acf-field-date_time_picker.php:53
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "تم"

#: includes/fields/class-acf-field-date_time_picker.php:54
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "اختر"

#: includes/fields/class-acf-field-date_time_picker.php:56
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "صباحا"

#: includes/fields/class-acf-field-date_time_picker.php:57
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "ص"

#: includes/fields/class-acf-field-date_time_picker.php:60
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "مساء"

#: includes/fields/class-acf-field-date_time_picker.php:61
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "م"

#: includes/fields/class-acf-field-email.php:36
msgid "Email"
msgstr "البريد الإلكتروني"

#: includes/fields/class-acf-field-email.php:134 includes/fields/class-acf-field-number.php:146 includes/fields/class-acf-field-radio.php:292 includes/fields/class-acf-field-text.php:143
#: includes/fields/class-acf-field-textarea.php:140 includes/fields/class-acf-field-url.php:115 includes/fields/class-acf-field-wysiwyg.php:437
msgid "Appears when creating a new post"
msgstr "يظهر عند إنشاء مقالة جديدة"

#: includes/fields/class-acf-field-email.php:142 includes/fields/class-acf-field-number.php:154 includes/fields/class-acf-field-password.php:134 includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:148 includes/fields/class-acf-field-url.php:123
msgid "Placeholder Text"
msgstr "نص الـ placeholder"

#: includes/fields/class-acf-field-email.php:143 includes/fields/class-acf-field-number.php:155 includes/fields/class-acf-field-password.php:135 includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:149 includes/fields/class-acf-field-url.php:124
msgid "Appears within the input"
msgstr "سيظهر داخل مربع الإدخال."

#: includes/fields/class-acf-field-email.php:151 includes/fields/class-acf-field-number.php:163 includes/fields/class-acf-field-password.php:143 includes/fields/class-acf-field-text.php:160
msgid "Prepend"
msgstr "بادئة"

#: includes/fields/class-acf-field-email.php:152 includes/fields/class-acf-field-number.php:164 includes/fields/class-acf-field-password.php:144 includes/fields/class-acf-field-text.php:161
msgid "Appears before the input"
msgstr "يظهر قبل الإدخال"

#: includes/fields/class-acf-field-email.php:160 includes/fields/class-acf-field-number.php:172 includes/fields/class-acf-field-password.php:152 includes/fields/class-acf-field-text.php:169
msgid "Append"
msgstr "إلحاق"

#: includes/fields/class-acf-field-email.php:161 includes/fields/class-acf-field-number.php:173 includes/fields/class-acf-field-password.php:153 includes/fields/class-acf-field-text.php:170
msgid "Appears after the input"
msgstr "يظهر بعد الإدخال"

#: includes/fields/class-acf-field-file.php:36
msgid "File"
msgstr "ملف"

#: includes/fields/class-acf-field-file.php:47
msgid "Edit File"
msgstr "تعديل الملف"

#: includes/fields/class-acf-field-file.php:48
msgid "Update File"
msgstr "تحديث الملف"

#: includes/fields/class-acf-field-file.php:49 includes/fields/class-acf-field-image.php:54 includes/media.php:57 pro/fields/class-acf-field-gallery.php:55
msgid "Uploaded to this post"
msgstr "مرفوع الى هذه المقالة"

#: includes/fields/class-acf-field-file.php:145
msgid "File name"
msgstr "إسم الملف"

#: includes/fields/class-acf-field-file.php:149 includes/fields/class-acf-field-file.php:252 includes/fields/class-acf-field-file.php:263 includes/fields/class-acf-field-image.php:266
#: includes/fields/class-acf-field-image.php:295 pro/fields/class-acf-field-gallery.php:705 pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "حجم الملف"

#: includes/fields/class-acf-field-file.php:174
msgid "Add File"
msgstr "إضافة ملف"

#: includes/fields/class-acf-field-file.php:225
msgid "File Array"
msgstr "مصفوفة الملف"

#: includes/fields/class-acf-field-file.php:226
msgid "File URL"
msgstr "رابط الملف URL"

#: includes/fields/class-acf-field-file.php:227
msgid "File ID"
msgstr "معرف الملف"

#: includes/fields/class-acf-field-file.php:234 includes/fields/class-acf-field-image.php:231 pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "المكتبة"

#: includes/fields/class-acf-field-file.php:235 includes/fields/class-acf-field-image.php:232 pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "الحد من اختيار مكتبة الوسائط"

#: includes/fields/class-acf-field-file.php:240 includes/fields/class-acf-field-image.php:237 includes/locations/class-acf-location-attachment.php:105
#: includes/locations/class-acf-location-comment.php:83 includes/locations/class-acf-location-nav-menu.php:106 includes/locations/class-acf-location-taxonomy.php:83
#: includes/locations/class-acf-location-user-form.php:91 includes/locations/class-acf-location-user-role.php:108 includes/locations/class-acf-location-widget.php:87
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "الكل"

#: includes/fields/class-acf-field-file.php:241 includes/fields/class-acf-field-image.php:238 pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "مرفوع الى المقالة"

#: includes/fields/class-acf-field-file.php:248 includes/fields/class-acf-field-image.php:245 pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "الحد الأدنى"

#: includes/fields/class-acf-field-file.php:249 includes/fields/class-acf-field-file.php:260
msgid "Restrict which files can be uploaded"
msgstr "تقييد الملفات التي يمكن رفعها"

#: includes/fields/class-acf-field-file.php:259 includes/fields/class-acf-field-image.php:274 pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "الحد الأقصى"

#: includes/fields/class-acf-field-file.php:270 includes/fields/class-acf-field-image.php:303 pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "أنواع الملفات المسموح بها"

#: includes/fields/class-acf-field-file.php:271 includes/fields/class-acf-field-image.php:304 pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr "قائمة مفصولة بفواصل. اترك المساحة فارغة للسماح بالكل"

#: includes/fields/class-acf-field-google-map.php:36
msgid "Google Map"
msgstr "خرائط جوجل"

#: includes/fields/class-acf-field-google-map.php:51
msgid "Locating"
msgstr "تحديد الموقع"

#: includes/fields/class-acf-field-google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "عذراً، هذا المتصفح لا يدعم تحديد الموقع الجغرافي"

#: includes/fields/class-acf-field-google-map.php:133
msgid "Clear location"
msgstr "مسح الموقع"

#: includes/fields/class-acf-field-google-map.php:134
msgid "Find current location"
msgstr "البحث عن الموقع الحالي"

#: includes/fields/class-acf-field-google-map.php:137
msgid "Search for address..."
msgstr "البحث عن عنوان..."

#: includes/fields/class-acf-field-google-map.php:167 includes/fields/class-acf-field-google-map.php:178
msgid "Center"
msgstr "منتصف"

#: includes/fields/class-acf-field-google-map.php:168 includes/fields/class-acf-field-google-map.php:179
msgid "Center the initial map"
msgstr "مركز الخريطة الأولية"

#: includes/fields/class-acf-field-google-map.php:190
msgid "Zoom"
msgstr "التكبير"

#: includes/fields/class-acf-field-google-map.php:191
msgid "Set the initial zoom level"
msgstr "ضبط مستوى التكبير"

#: includes/fields/class-acf-field-google-map.php:200 includes/fields/class-acf-field-image.php:257 includes/fields/class-acf-field-image.php:286
#: includes/fields/class-acf-field-oembed.php:297 pro/fields/class-acf-field-gallery.php:696 pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "الإرتفاع"

#: includes/fields/class-acf-field-google-map.php:201
msgid "Customise the map height"
msgstr "تخصيص ارتفاع الخريطة"

#: includes/fields/class-acf-field-group.php:36
msgid "Group"
msgstr "مجموعة"

#: includes/fields/class-acf-field-group.php:469 pro/fields/class-acf-field-repeater.php:453
msgid "Sub Fields"
msgstr "الحقول الفرعية"

#: includes/fields/class-acf-field-group.php:486 pro/fields/class-acf-field-clone.php:890
msgid "Specify the style used to render the selected fields"
msgstr "حدد النمط المستخدم لعرض الحقول المحددة"

#: includes/fields/class-acf-field-group.php:491 pro/fields/class-acf-field-clone.php:895 pro/fields/class-acf-field-flexible-content.php:629 pro/fields/class-acf-field-repeater.php:522
msgid "Block"
msgstr "كتلة"

#: includes/fields/class-acf-field-group.php:492 pro/fields/class-acf-field-clone.php:896 pro/fields/class-acf-field-flexible-content.php:628 pro/fields/class-acf-field-repeater.php:521
msgid "Table"
msgstr "جدول"

#: includes/fields/class-acf-field-group.php:493 pro/fields/class-acf-field-clone.php:897 pro/fields/class-acf-field-flexible-content.php:630 pro/fields/class-acf-field-repeater.php:523
msgid "Row"
msgstr "سطر"

#: includes/fields/class-acf-field-image.php:36
msgid "Image"
msgstr "صورة"

#: includes/fields/class-acf-field-image.php:51
msgid "Select Image"
msgstr "إختر صورة"

#: includes/fields/class-acf-field-image.php:52 pro/fields/class-acf-field-gallery.php:53
msgid "Edit Image"
msgstr "تحرير الصورة"

#: includes/fields/class-acf-field-image.php:53 pro/fields/class-acf-field-gallery.php:54
msgid "Update Image"
msgstr "تحديث الصورة"

#: includes/fields/class-acf-field-image.php:55
msgid "All images"
msgstr "جميع الصور"

#: includes/fields/class-acf-field-image.php:142 includes/fields/class-acf-field-link.php:153 includes/input.php:267 pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "ازالة"

#: includes/fields/class-acf-field-image.php:158
msgid "No image selected"
msgstr "لم يتم اختيار صورة"

#: includes/fields/class-acf-field-image.php:158
msgid "Add Image"
msgstr "اضافة صورة"

#: includes/fields/class-acf-field-image.php:212
msgid "Image Array"
msgstr "مصفوفة الصور"

#: includes/fields/class-acf-field-image.php:213
msgid "Image URL"
msgstr "رابط الصورة"

#: includes/fields/class-acf-field-image.php:214
msgid "Image ID"
msgstr "معرف الصورة"

#: includes/fields/class-acf-field-image.php:221
msgid "Preview Size"
msgstr "حجم المعاينة"

#: includes/fields/class-acf-field-image.php:222
msgid "Shown when entering data"
msgstr "تظهر عند إدخال البيانات"

#: includes/fields/class-acf-field-image.php:246 includes/fields/class-acf-field-image.php:275 pro/fields/class-acf-field-gallery.php:685 pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "تقييد الصور التي يمكن رفعها"

#: includes/fields/class-acf-field-image.php:249 includes/fields/class-acf-field-image.php:278 includes/fields/class-acf-field-oembed.php:286 pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "العرض"

#: includes/fields/class-acf-field-link.php:36
msgid "Link"
msgstr "الرابط"

#: includes/fields/class-acf-field-link.php:146
msgid "Select Link"
msgstr "إختر رابط"

#: includes/fields/class-acf-field-link.php:151
msgid "Opens in a new window/tab"
msgstr "فتح في نافذة / علامة تبويب جديدة"

#: includes/fields/class-acf-field-link.php:186
msgid "Link Array"
msgstr "مصفوفة الرابط"

#: includes/fields/class-acf-field-link.php:187
msgid "Link URL"
msgstr "رابط URL"

#: includes/fields/class-acf-field-message.php:36 includes/fields/class-acf-field-message.php:115 includes/fields/class-acf-field-true_false.php:141
msgid "Message"
msgstr "الرسالة"

#: includes/fields/class-acf-field-message.php:124 includes/fields/class-acf-field-textarea.php:176
msgid "New Lines"
msgstr "سطور جديدة"

#: includes/fields/class-acf-field-message.php:125 includes/fields/class-acf-field-textarea.php:177
msgid "Controls how new lines are rendered"
msgstr "تحكم في طريقة عرض السطور الجديدة"

#: includes/fields/class-acf-field-message.php:129 includes/fields/class-acf-field-textarea.php:181
msgid "Automatically add paragraphs"
msgstr "إضافة الفقرات تلقائيا"

#: includes/fields/class-acf-field-message.php:130 includes/fields/class-acf-field-textarea.php:182
msgid "Automatically add &lt;br&gt;"
msgstr "اضف  &lt;br&gt; تلقائياً"

#: includes/fields/class-acf-field-message.php:131 includes/fields/class-acf-field-textarea.php:183
msgid "No Formatting"
msgstr "بدون تنسيق"

#: includes/fields/class-acf-field-message.php:138
msgid "Escape HTML"
msgstr "استبعاد كود HTML"

#: includes/fields/class-acf-field-message.php:139
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "السماح بعرض كود HTML كنص"

#: includes/fields/class-acf-field-number.php:36
msgid "Number"
msgstr "رقم"

#: includes/fields/class-acf-field-number.php:181
msgid "Minimum Value"
msgstr "قيمة الحد الأدنى"

#: includes/fields/class-acf-field-number.php:190
msgid "Maximum Value"
msgstr "قيمة الحد الأقصى"

#: includes/fields/class-acf-field-number.php:199
msgid "Step Size"
msgstr "حجم الخطوة"

#: includes/fields/class-acf-field-number.php:237
msgid "Value must be a number"
msgstr "يجب أن تكون القيمة رقماً"

#: includes/fields/class-acf-field-number.php:255
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "يجب أن تكون القيمة مساوية أو أكبر من  %d"

#: includes/fields/class-acf-field-number.php:263
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "يجب أن تكون القيمة مساوية أو أقل من  %d"

#: includes/fields/class-acf-field-oembed.php:36
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:237
msgid "Enter URL"
msgstr "قم بإدخال عنوان URL"

#: includes/fields/class-acf-field-oembed.php:250 includes/fields/class-acf-field-taxonomy.php:904
msgid "Error."
msgstr "خطأ."

#: includes/fields/class-acf-field-oembed.php:250
msgid "No embed found for the given URL."
msgstr "لم يتم العثور على تضمين لعنوان URL المحدد."

#: includes/fields/class-acf-field-oembed.php:283 includes/fields/class-acf-field-oembed.php:294
msgid "Embed Size"
msgstr "حجم المضمن"

#: includes/fields/class-acf-field-page_link.php:192
msgid "Archives"
msgstr "الأرشيفات"

#: includes/fields/class-acf-field-page_link.php:500 includes/fields/class-acf-field-post_object.php:399 includes/fields/class-acf-field-relationship.php:704
msgid "Filter by Post Type"
msgstr "فرز حسب نوع المقالة"

#: includes/fields/class-acf-field-page_link.php:508 includes/fields/class-acf-field-post_object.php:407 includes/fields/class-acf-field-relationship.php:712
msgid "All post types"
msgstr "أنواع المقالات"

#: includes/fields/class-acf-field-page_link.php:514 includes/fields/class-acf-field-post_object.php:413 includes/fields/class-acf-field-relationship.php:718
msgid "Filter by Taxonomy"
msgstr "تصفية حسب التصنيف"

#: includes/fields/class-acf-field-page_link.php:522 includes/fields/class-acf-field-post_object.php:421 includes/fields/class-acf-field-relationship.php:726
msgid "All taxonomies"
msgstr "كافة التصنيفات"

#: includes/fields/class-acf-field-page_link.php:528 includes/fields/class-acf-field-post_object.php:427 includes/fields/class-acf-field-radio.php:259
#: includes/fields/class-acf-field-select.php:484 includes/fields/class-acf-field-taxonomy.php:799 includes/fields/class-acf-field-user.php:423
msgid "Allow Null?"
msgstr "السماح بالفارغ؟"

#: includes/fields/class-acf-field-page_link.php:538
msgid "Allow Archives URLs"
msgstr "السماح بالعناوين المؤرشفة"

#: includes/fields/class-acf-field-page_link.php:548 includes/fields/class-acf-field-post_object.php:437 includes/fields/class-acf-field-select.php:494
#: includes/fields/class-acf-field-user.php:433
msgid "Select multiple values?"
msgstr "تحديد قيم متعددة؟"

#: includes/fields/class-acf-field-password.php:36
msgid "Password"
msgstr "كلمة السر"

#: includes/fields/class-acf-field-post_object.php:36 includes/fields/class-acf-field-post_object.php:452 includes/fields/class-acf-field-relationship.php:783
msgid "Post Object"
msgstr "Post Object"

#: includes/fields/class-acf-field-post_object.php:453 includes/fields/class-acf-field-relationship.php:784
msgid "Post ID"
msgstr "معرف المقال"

#: includes/fields/class-acf-field-radio.php:36
msgid "Radio Button"
msgstr "زر الراديو"

#: includes/fields/class-acf-field-radio.php:269
msgid "Other"
msgstr "أخرى"

#: includes/fields/class-acf-field-radio.php:274
msgid "Add 'other' choice to allow for custom values"
msgstr "إضافة خيار 'آخر' للسماح بقيم مخصصة"

#: includes/fields/class-acf-field-radio.php:280
msgid "Save Other"
msgstr "حفظ الأخرى"

#: includes/fields/class-acf-field-radio.php:285
msgid "Save 'other' values to the field's choices"
msgstr "حفظ القيم الأخرى لخيارات الحقل"

#: includes/fields/class-acf-field-relationship.php:36
msgid "Relationship"
msgstr "علاقة"

#: includes/fields/class-acf-field-relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr "تم الوصول الى الحد الأدنى من القيم ( {min} قيمة )"

#: includes/fields/class-acf-field-relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "وصلت إلى الحد الأقصى للقيم ( {max} قيمة )"

#: includes/fields/class-acf-field-relationship.php:50
msgid "Loading"
msgstr "تحميل"

#: includes/fields/class-acf-field-relationship.php:51
msgid "No matches found"
msgstr "لم يتم العثور على مطابقات"

#: includes/fields/class-acf-field-relationship.php:585
msgid "Search..."
msgstr "بحث..."

#: includes/fields/class-acf-field-relationship.php:594
msgid "Select post type"
msgstr "اختر نوع المقال"

#: includes/fields/class-acf-field-relationship.php:607
msgid "Select taxonomy"
msgstr "اختر التصنيف"

#: includes/fields/class-acf-field-relationship.php:732
msgid "Filters"
msgstr "فرز"

#: includes/fields/class-acf-field-relationship.php:738 includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "نوع المقال"

#: includes/fields/class-acf-field-relationship.php:739 includes/fields/class-acf-field-taxonomy.php:36 includes/fields/class-acf-field-taxonomy.php:769
msgid "Taxonomy"
msgstr "التصنيف"

#: includes/fields/class-acf-field-relationship.php:746
msgid "Elements"
msgstr "العناصر"

#: includes/fields/class-acf-field-relationship.php:747
msgid "Selected elements will be displayed in each result"
msgstr "سيتم عرض العناصر المحددة في كل نتيجة"

#: includes/fields/class-acf-field-relationship.php:758
msgid "Minimum posts"
msgstr "الحد الأدنى للمقالات"

#: includes/fields/class-acf-field-relationship.php:767
msgid "Maximum posts"
msgstr "الحد الأقصى للمقالات"

#: includes/fields/class-acf-field-relationship.php:871 pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s يتطلب على الأقل %s تحديد"
msgstr[1] "%s يتطلب على الأقل %s تحديد"
msgstr[2] "%s يتطلب على الأقل %s تحديدان"
msgstr[3] "%s يتطلب على الأقل %s تحديد"
msgstr[4] "%s يتطلب على الأقل %s تحديد"
msgstr[5] "%s يتطلب على الأقل %s تحديد"

#: includes/fields/class-acf-field-select.php:36 includes/fields/class-acf-field-taxonomy.php:791
msgctxt "noun"
msgid "Select"
msgstr "اختار"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "نتيجة واحدة متاحة، اضغط على زر الإدخال لتحديدها."

#: 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 نتيجة متاحة، استخدم مفاتيح الأسهم للتنقل."

#: includes/fields/class-acf-field-select.php:51
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "لم يتم العثور على مطابقات"

#: includes/fields/class-acf-field-select.php:52
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "الرجاء إدخال حرف واحد أو أكثر"

#: 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 "الرجاء إدخال %d حرف أو أكثر"

#: includes/fields/class-acf-field-select.php:54
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "الرجاء حذف حرف واحد"

#: includes/fields/class-acf-field-select.php:55
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "الرجاء حذف %d حرف"

#: includes/fields/class-acf-field-select.php:56
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "يمكنك تحديد عنصر واحد فقط"

#: 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 "يمكنك تحديد %d عنصر فقط"

#: includes/fields/class-acf-field-select.php:58
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "تحميل نتائج أكثر&hellip;"

#: includes/fields/class-acf-field-select.php:59
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "بحث &hellip;"

#: includes/fields/class-acf-field-select.php:60
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "عملية التحميل فشلت"

#: includes/fields/class-acf-field-select.php:270 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "اختار"

#: includes/fields/class-acf-field-select.php:504 includes/fields/class-acf-field-true_false.php:159
msgid "Stylised UI"
msgstr "واجهة المستخدم الأنيقة"

#: includes/fields/class-acf-field-select.php:514
msgid "Use AJAX to lazy load choices?"
msgstr "استخدام AJAX لخيارات التحميل الكسول؟"

#: includes/fields/class-acf-field-select.php:525
msgid "Specify the value returned"
msgstr "حدد القيمة التي سيتم إرجاعها"

#: includes/fields/class-acf-field-separator.php:36
msgid "Separator"
msgstr "فاصل"

#: includes/fields/class-acf-field-tab.php:36
msgid "Tab"
msgstr "تبويب"

#: includes/fields/class-acf-field-tab.php:96
msgid "The tab field will display incorrectly when added to a Table style repeater field or flexible content field layout"
msgstr "سيتم عرض حقل علامة التبويب بشكل غير صحيح عند إضافته إلى حقل مكرر بتنسيق جدول أو محتوى مرن"

#: includes/fields/class-acf-field-tab.php:97
msgid "Use \"Tab Fields\" to better organize your edit screen by grouping fields together."
msgstr "استخدم \"حقل علامة التبويب\" لتنظيم أفضل لشاشة التحرير الخاصة بك عن طريق تجميع الحقول معا."

#: includes/fields/class-acf-field-tab.php:98
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 "كافة الحقول بعد \"حقل علامة التبويب\" هذة (أو حتى إضافة \"حقل علامة تبويب آخر\") سوف يتم تجميعها معا باستخدام تسمية هذا الحقل كعنوان للتبويب."

#: includes/fields/class-acf-field-tab.php:112
msgid "Placement"
msgstr "الوضع"

#: includes/fields/class-acf-field-tab.php:124
msgid "End-point"
msgstr "نقطة النهاية"

#: includes/fields/class-acf-field-tab.php:125
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "استخدم هذا الحقل كنقطة نهاية وابدأ مجموعة جديدة من علامات التبويب"

#: includes/fields/class-acf-field-taxonomy.php:719 includes/fields/class-acf-field-true_false.php:95 includes/fields/class-acf-field-true_false.php:184 includes/input.php:266
#: pro/admin/views/html-settings-updates.php:103
msgid "No"
msgstr "لا"

#: includes/fields/class-acf-field-taxonomy.php:738
msgid "None"
msgstr "لا شيء"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Select the taxonomy to be displayed"
msgstr "حدد التصنيف الذي سيتم عرضه"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Appearance"
msgstr "المظهر"

#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Select the appearance of this field"
msgstr "حدد مظهر هذا الحقل"

#: includes/fields/class-acf-field-taxonomy.php:785
msgid "Multiple Values"
msgstr "قيم متعددة"

#: includes/fields/class-acf-field-taxonomy.php:787
msgid "Multi Select"
msgstr "متعددة الاختيار"

#: includes/fields/class-acf-field-taxonomy.php:789
msgid "Single Value"
msgstr "قيمة مفردة"

#: includes/fields/class-acf-field-taxonomy.php:790
msgid "Radio Buttons"
msgstr "ازرار الراديو"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Create Terms"
msgstr "إنشاء شروط"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Allow new terms to be created whilst editing"
msgstr "السماح بإنشاء شروط جديدة أثناء التحرير"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Save Terms"
msgstr "حفظ الشروط"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Connect selected terms to the post"
msgstr "وصل الشروط المحددة بالمقالة"

#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Load Terms"
msgstr "تحميل الشروط"

#: includes/fields/class-acf-field-taxonomy.php:830
msgid "Load value from posts terms"
msgstr "تحميل قيمة من شروط المقالة"

#: includes/fields/class-acf-field-taxonomy.php:844
msgid "Term Object"
msgstr "Term Object"

#: includes/fields/class-acf-field-taxonomy.php:845
msgid "Term ID"
msgstr "Term ID"

#: includes/fields/class-acf-field-taxonomy.php:904
#, php-format
msgid "User unable to add new %s"
msgstr "المستخدم غير قادر على إضافة %s جديد"

#: includes/fields/class-acf-field-taxonomy.php:917
#, php-format
msgid "%s already exists"
msgstr "%s موجود بالفعل"

#: includes/fields/class-acf-field-taxonomy.php:958
#, php-format
msgid "%s added"
msgstr "تمت اضافة %s"

#: includes/fields/class-acf-field-taxonomy.php:1003
msgid "Add"
msgstr "إضافة"

#: includes/fields/class-acf-field-text.php:36
msgid "Text"
msgstr "نص"

#: includes/fields/class-acf-field-text.php:178 includes/fields/class-acf-field-textarea.php:157
msgid "Character Limit"
msgstr "الحد الأقصى للحروف"

#: includes/fields/class-acf-field-text.php:179 includes/fields/class-acf-field-textarea.php:158
msgid "Leave blank for no limit"
msgstr "اتركه فارغا لبدون حد."

#: includes/fields/class-acf-field-textarea.php:36
msgid "Text Area"
msgstr "مربع النص"

#: includes/fields/class-acf-field-textarea.php:166
msgid "Rows"
msgstr "صفوف"

#: includes/fields/class-acf-field-textarea.php:167
msgid "Sets the textarea height"
msgstr "تعيين ارتفاع مربع النص"

#: includes/fields/class-acf-field-time_picker.php:36
#, fuzzy
msgid "Time Picker"
msgstr "عنصر إختيار التاريخ:"

#: includes/fields/class-acf-field-true_false.php:36
msgid "True / False"
msgstr "صح / خطأ"

#: includes/fields/class-acf-field-true_false.php:94 includes/fields/class-acf-field-true_false.php:174 includes/input.php:265 pro/admin/views/html-settings-updates.php:93
msgid "Yes"
msgstr "نعم"

#: includes/fields/class-acf-field-true_false.php:142
msgid "Displays text alongside the checkbox"
msgstr "عرض النص بجانب مربع الاختيار"

#: includes/fields/class-acf-field-true_false.php:170
msgid "On Text"
msgstr "النص اثناء التفعيل"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when active"
msgstr "النص المعروض عند التنشيط"

#: includes/fields/class-acf-field-true_false.php:180
msgid "Off Text"
msgstr "النص اثناء عدم التفعيل"

#: includes/fields/class-acf-field-true_false.php:181
msgid "Text shown when inactive"
msgstr "النص المعروض عند عدم النشاط"

#: includes/fields/class-acf-field-url.php:36
msgid "Url"
msgstr "الرابط"

#: includes/fields/class-acf-field-url.php:165
msgid "Value must be a valid URL"
msgstr "القيمة يجب أن تكون عنوان رابط صحيح"

#: includes/fields/class-acf-field-user.php:36 includes/locations.php:95
msgid "User"
msgstr "المستخدم"

#: includes/fields/class-acf-field-user.php:408
msgid "Filter by role"
msgstr "فرز حسب:"

#: includes/fields/class-acf-field-user.php:416
msgid "All user roles"
msgstr "جميع رتب المستخدم"

#: includes/fields/class-acf-field-wysiwyg.php:36
msgid "Wysiwyg Editor"
msgstr "محرر Wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:385
msgid "Visual"
msgstr "مرئي"

#: includes/fields/class-acf-field-wysiwyg.php:386
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "نص"

#: includes/fields/class-acf-field-wysiwyg.php:392
msgid "Click to initialize TinyMCE"
msgstr "انقر لبدء تهيئة TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Tabs"
msgstr "علامات التبويب"

#: includes/fields/class-acf-field-wysiwyg.php:450
msgid "Visual & Text"
msgstr "نص و مرئي"

#: includes/fields/class-acf-field-wysiwyg.php:451
msgid "Visual Only"
msgstr "المرئي فقط"

#: includes/fields/class-acf-field-wysiwyg.php:452
msgid "Text Only"
msgstr "النص فقط"

#: includes/fields/class-acf-field-wysiwyg.php:459
msgid "Toolbar"
msgstr "شريط الأدوات"

#: includes/fields/class-acf-field-wysiwyg.php:469
msgid "Show Media Upload Buttons?"
msgstr "اظهار زر إضافة ملفات الوسائط؟"

#: includes/fields/class-acf-field-wysiwyg.php:479
msgid "Delay initialization?"
msgstr "تأخير التهيئة؟"

#: includes/fields/class-acf-field-wysiwyg.php:480
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "لن يتم تهيئة TinyMCE حتى يتم النقر فوق الحقل"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303 pro/admin/admin-options-page.php:304
msgid "Edit field group"
msgstr "تحرير مجموعة الحقول"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "التحقق من البريد الإليكتروني"

#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "تحديث"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "تم تحديث المنشور ."

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "تم الكشف عن البريد المزعج"

#: includes/input.php:258
msgid "Expand Details"
msgstr "توسيع التفاصيل"

#: includes/input.php:259
msgid "Collapse Details"
msgstr "طي التفاصيل"

#: includes/input.php:260
msgid "Validation successful"
msgstr "عملية التحقق تمت بنجاح"

#: includes/input.php:261 includes/validation.php:285 includes/validation.php:296
msgid "Validation failed"
msgstr "فشل في عملية التحقق"

#: includes/input.php:262
msgid "1 field requires attention"
msgstr "حقل واحد يتطلب الاهتمام"

#: includes/input.php:263
#, php-format
msgid "%d fields require attention"
msgstr "%d حقول تتطلب الاهتمام"

#: includes/input.php:264
msgid "Restricted"
msgstr "محظور"

#: includes/input.php:268
msgid "Cancel"
msgstr "الغاء"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "مقالة"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "صفحة"

#: includes/locations.php:96
msgid "Forms"
msgstr "نماذج"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "مرفقات"

#: includes/locations/class-acf-location-attachment.php:113
#, php-format
msgid "All %s formats"
msgstr "كل صيغ %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "تعليق"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "رتبة المستخدم الحالي"

#: includes/locations/class-acf-location-current-user-role.php:114
msgid "Super Admin"
msgstr "مدير"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "المستخدم الحالي"

#: includes/locations/class-acf-location-current-user.php:101
msgid "Logged in"
msgstr "مسجل الدخول"

#: includes/locations/class-acf-location-current-user.php:102
msgid "Viewing front end"
msgstr "عرض الواجهة الأمامية"

#: includes/locations/class-acf-location-current-user.php:103
msgid "Viewing back end"
msgstr "عرض الواجهة الخلفية"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "عنصر القائمة"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "القائمة"

#: includes/locations/class-acf-location-nav-menu.php:113
msgid "Menu Locations"
msgstr "مواقع القائمة"

#: includes/locations/class-acf-location-nav-menu.php:123
msgid "Menus"
msgstr "القوائم"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "أب الصفحة"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "قالب الصفحة:"

#: includes/locations/class-acf-location-page-template.php:102 includes/locations/class-acf-location-post-template.php:156
msgid "Default Template"
msgstr "قالب افتراضي"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "نوع الصفحة"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Front Page"
msgstr "الصفحة الرئسية"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Posts Page"
msgstr "صفحة المقالات"

#: includes/locations/class-acf-location-page-type.php:151
msgid "Top Level Page (no parent)"
msgstr "أعلى مستوى للصفحة (بدون أب)"

#: includes/locations/class-acf-location-page-type.php:152
msgid "Parent Page (has children)"
msgstr "صفحة أب (لديها فروع)"

#: includes/locations/class-acf-location-page-type.php:153
msgid "Child Page (has parent)"
msgstr "صفحة فرعية (لديها أب)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "تصنيف المقالة"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "تنسيق المقالة"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "حالة المقالة"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "تصنيف المقالة"

#: includes/locations/class-acf-location-post-template.php:29
#, fuzzy
msgid "Post Template"
msgstr "قالب الصفحة:"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "شروط التصنيف"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "نموذج المستخدم"

#: includes/locations/class-acf-location-user-form.php:92
msgid "Add / Edit"
msgstr "إضافة / تعديل"

#: includes/locations/class-acf-location-user-form.php:93
msgid "Register"
msgstr "التسجيل"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "رتبة المستخدم"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "ودجت"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "تحرير"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "تحديث"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "قيمة %s مطلوبة"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "الحقول المخصصة المتقدمة للمحترفين"

#: pro/admin/admin-options-page.php:196
msgid "Publish"
msgstr "نشر"

#: pro/admin/admin-options-page.php:202
#, php-format
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr "لم يتم العثور على أية \"مجموعات حقول مخصصة لصفحة الخيارات هذة. <a href=\"%s\">أنشئ مجموعة حقول مخصصة</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>خطأ</b>. تعذر الاتصال بخادم التحديث"

#: pro/admin/admin-settings-updates.php:162 pro/admin/views/html-settings-updates.php:17
msgid "Updates"
msgstr "تحديثات"

#: pro/admin/views/html-settings-updates.php:11
msgid "Deactivate License"
msgstr "تعطيل الترخيص"

#: pro/admin/views/html-settings-updates.php:11
msgid "Activate License"
msgstr "تفعيل الترخيص"

#: pro/admin/views/html-settings-updates.php:21
msgid "License Information"
msgstr "معلومات الترخيص"

#: pro/admin/views/html-settings-updates.php:24
#, fuzzy, php-format
msgid "To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href=\"%s\" target=\"_blank\">details & pricing</a>."
msgstr "لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك على صفحة <a href=\"%s\">التحديثات</a> . إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على <a href=\"%s\">تفاصيل & التسعير</a>"

#: pro/admin/views/html-settings-updates.php:33
msgid "License Key"
msgstr "مفتاح الترخيص"

#: pro/admin/views/html-settings-updates.php:65
msgid "Update Information"
msgstr "معلومات التحديث"

#: pro/admin/views/html-settings-updates.php:72
msgid "Current Version"
msgstr "النسخة الحالية"

#: pro/admin/views/html-settings-updates.php:80
msgid "Latest Version"
msgstr "آخر نسخة"

#: pro/admin/views/html-settings-updates.php:88
msgid "Update Available"
msgstr "هنالك تحديث متاح"

#: pro/admin/views/html-settings-updates.php:96
msgid "Update Plugin"
msgstr "تحديث الاضافة"

#: pro/admin/views/html-settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثات"

#: pro/admin/views/html-settings-updates.php:104
msgid "Check Again"
msgstr "الاختيار مرة أخرى"

#: pro/admin/views/html-settings-updates.php:121
msgid "Upgrade Notice"
msgstr "إشعار الترقية"

#: pro/fields/class-acf-field-clone.php:36
msgctxt "noun"
msgid "Clone"
msgstr "استنساخ"

#: pro/fields/class-acf-field-clone.php:858
msgid "Select one or more fields you wish to clone"
msgstr "حدد حقل واحد أو أكثر ترغب في استنساخه"

#: pro/fields/class-acf-field-clone.php:875
msgid "Display"
msgstr "عرض"

#: pro/fields/class-acf-field-clone.php:876
msgid "Specify the style used to render the clone field"
msgstr "حدد النمط المستخدم لعرض حقل الاستنساخ"

#: pro/fields/class-acf-field-clone.php:881
msgid "Group (displays selected fields in a group within this field)"
msgstr "المجموعة (تعرض الحقول المحددة في مجموعة ضمن هذا الحقل)"

#: pro/fields/class-acf-field-clone.php:882
msgid "Seamless (replaces this field with selected fields)"
msgstr "سلس (يستبدل هذا الحقل بالحقول المحددة)"

#: pro/fields/class-acf-field-clone.php:903
#, php-format
msgid "Labels will be displayed as %s"
msgstr "سيتم عرض التسمية كـ %s"

#: pro/fields/class-acf-field-clone.php:906
msgid "Prefix Field Labels"
msgstr "بادئة تسمية الحقول"

#: pro/fields/class-acf-field-clone.php:917
#, php-format
msgid "Values will be saved as %s"
msgstr "سيتم حفظ القيم كـ %s"

#: pro/fields/class-acf-field-clone.php:920
msgid "Prefix Field Names"
msgstr "بادئة أسماء الحقول"

#: pro/fields/class-acf-field-clone.php:1038
msgid "Unknown field"
msgstr "حقل غير معروف"

#: pro/fields/class-acf-field-clone.php:1077
msgid "Unknown field group"
msgstr "مجموعة حقول غير معروفة"

#: pro/fields/class-acf-field-clone.php:1081
#, php-format
msgid "All fields from %s field group"
msgstr "جميع الحقول من مجموعة الحقول %s"

#: pro/fields/class-acf-field-flexible-content.php:42 pro/fields/class-acf-field-repeater.php:230 pro/fields/class-acf-field-repeater.php:534
msgid "Add Row"
msgstr "إضافة صف"

#: pro/fields/class-acf-field-flexible-content.php:45
msgid "layout"
msgstr "التخطيط"

#: pro/fields/class-acf-field-flexible-content.php:46
msgid "layouts"
msgstr "التخطيطات"

#: pro/fields/class-acf-field-flexible-content.php:47
msgid "remove {layout}?"
msgstr "إزالة {layout}؟"

#: pro/fields/class-acf-field-flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "يتطلب هذا الحقل على الأقل {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
msgstr "يحتوي هذا الحقل حد {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:50
msgid "This field requires at least {min} {label} {identifier}"
msgstr "يتطلب هذا الحقل على الأقل {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "تم الوصول إلى حد أقصى ({max} {identifier}) لـ {label}"

#: pro/fields/class-acf-field-flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} متاح (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} مطلوب (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:54
msgid "Flexible Content requires at least 1 layout"
msgstr "يتطلب المحتوى المرن تخطيط واحد على الأقل"

#: pro/fields/class-acf-field-flexible-content.php:288
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "انقر فوق الزر \"%s\" أدناه لبدء إنشاء التخطيط الخاص بك"

#: pro/fields/class-acf-field-flexible-content.php:423
msgid "Add layout"
msgstr "إضافة تنسيق جديد"

#: pro/fields/class-acf-field-flexible-content.php:424
msgid "Remove layout"
msgstr "إزالة التنسيق"

#: pro/fields/class-acf-field-flexible-content.php:425 pro/fields/class-acf-field-repeater.php:360
msgid "Click to toggle"
msgstr "انقر للتبديل"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder Layout"
msgstr "إعادة ترتيب التخطيط"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Reorder"
msgstr "إعادة ترتيب"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Delete Layout"
msgstr "حذف التخطيط"

#: pro/fields/class-acf-field-flexible-content.php:573
msgid "Duplicate Layout"
msgstr "تكرار التخطيط "

#: pro/fields/class-acf-field-flexible-content.php:574
msgid "Add New Layout"
msgstr "إضافة تخطيط جديد"

#: pro/fields/class-acf-field-flexible-content.php:645
msgid "Min"
msgstr "الحد الأدنى"

#: pro/fields/class-acf-field-flexible-content.php:658
msgid "Max"
msgstr "الحد أقصى"

#: pro/fields/class-acf-field-flexible-content.php:685 pro/fields/class-acf-field-repeater.php:530
msgid "Button Label"
msgstr "تسمية الزر"

#: pro/fields/class-acf-field-flexible-content.php:694
msgid "Minimum Layouts"
msgstr "الحد الأدنى للتخطيطات"

#: pro/fields/class-acf-field-flexible-content.php:703
msgid "Maximum Layouts"
msgstr "الحد الأقصى للتخطيطات"

#: pro/fields/class-acf-field-gallery.php:52
msgid "Add Image to Gallery"
msgstr "اضافة صورة للمعرض"

#: pro/fields/class-acf-field-gallery.php:56
msgid "Maximum selection reached"
msgstr "وصلت للحد الأقصى"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "الطول"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "كلمات توضيحية"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "النص البديل"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "اضافة الى المعرض"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "- اجراءات جماعية -"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "ترتيب حسب تاريخ الرفع"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "ترتيب حسب تاريخ التعديل"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "ترتيب فرز حسب العنوان"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "عكس الترتيب الحالي"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "إغلاق"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "الحد الأدنى للاختيار"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "الحد الأقصى للاختيار"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "إدراج"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "حدد مكان إضافة المرفقات الجديدة"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "إلحاق بالنهاية"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "إلحاق بالبداية"

#: pro/fields/class-acf-field-repeater.php:47
msgid "Minimum rows reached ({min} rows)"
msgstr "وصلت للحد الأدنى من الصفوف ({min} صف)"

#: pro/fields/class-acf-field-repeater.php:48
msgid "Maximum rows reached ({max} rows)"
msgstr "بلغت الحد الأقصى من الصفوف ({max} صف)"

#: pro/fields/class-acf-field-repeater.php:405
msgid "Add row"
msgstr "إضافة صف"

#: pro/fields/class-acf-field-repeater.php:406
msgid "Remove row"
msgstr "إزالة صف"

#: pro/fields/class-acf-field-repeater.php:483
msgid "Collapsed"
msgstr "طي"

#: pro/fields/class-acf-field-repeater.php:484
msgid "Select a sub field to show when row is collapsed"
msgstr "حدد حقل فرعي لإظهار عند طي الصف"

#: pro/fields/class-acf-field-repeater.php:494
msgid "Minimum Rows"
msgstr "الحد الأدنى من الصفوف"

#: pro/fields/class-acf-field-repeater.php:504
msgid "Maximum Rows"
msgstr "الحد الأقصى من الصفوف"

#: pro/locations/class-acf-location-options-page.php:70
msgid "No options pages exist"
msgstr "لا توجد صفحة خيارات"

#: pro/options-page.php:51
msgid "Options"
msgstr "خيارات"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "تم تحديث الإعدادات"

#: pro/updates.php:97
#, fuzzy, php-format
msgid "To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s\">details & pricing</a>."
msgstr "لتمكين التحديثات، الرجاء إدخال مفتاح الترخيص الخاص بك على صفحة <a href=\"%s\">التحديثات</a> . إذا لم يكن لديك مفتاح ترخيص، يرجى الاطلاع على <a href=\"%s\">تفاصيل & التسعير</a>"

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "http://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "إليوت كوندون"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "تعطيل"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "تعطيل <span class=\"count\">(%s)</span>"
#~ msgstr[1] "تعطيل <span class=\"count\">(%s)</span>"
#~ msgstr[2] "تعطيل <span class=\"count\">(%s)</span>"
#~ msgstr[3] "تعطيل <span class=\"count\">(%s)</span>"
#~ msgstr[4] "تعطيل <span class=\"count\">(%s)</span>"
#~ msgstr[5] "تعطيل <span class=\"count\">(%s)</span>"

#~ msgid "See what's new in"
#~ msgstr "أنظر ما هو الجديد في"

#~ msgid "version"
#~ msgstr "النسخة"

#~ msgid "Getting Started"
#~ msgstr "بدء العمل"

#~ msgid "Field Types"
#~ msgstr "أنواع بيانات الحقول"

#~ msgid "Functions"
#~ msgstr "الدالات"

#~ msgid "Actions"
#~ msgstr "الإجراءات"

#~ msgid "'How to' guides"
#~ msgstr "'كيف' أدلة"

#~ msgid "Tutorials"
#~ msgstr "الدروس التعليمية"

#~ msgid "Created by"
#~ msgstr "أنشئ بواسطة"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>تم بنجاح</b> أداة استيراد أضافت  %s جماعات الحقل %s"

#~ msgid "<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %s"
#~ msgstr "<b>تحذير.</b> الكشف عن أداة استيراد مجموعة الحقول  %s موجودة بالفعل، وتم تجاهل  %s"

#~ msgid "Upgrade ACF"
#~ msgstr "ترقية ACF"

#~ msgid "Upgrade"
#~ msgstr "ترقية"

#~ msgid "Error"
#~ msgstr "خطأ"

#~ msgid "Upgrading data to"
#~ msgstr "تحديث البيانات"

#~ msgid "See what's new"
#~ msgstr "أنظر ما هو الجديد في"

#~ msgid "Show a different month"
#~ msgstr "عرض شهر مختلف"

#~ msgid "Return format"
#~ msgstr "إعادة تنسيق"

#~ msgid "uploaded to this post"
#~ msgstr "اضافة للصفحة"

#~ msgid "File Size"
#~ msgstr "حجم الملف"

#~ msgid "No File selected"
#~ msgstr "لا يوجد ملف محدد."

#~ msgid "eg. Show extra content"
#~ msgstr "على سبيل المثال. إظهار محتوى إضافي"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>خطأ في الاتصال</b>. آسف، الرجاء المحاولة مرة أخرى"

#~ msgid "Save Options"
#~ msgstr "حفظ الإعدادات"

#~ 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 "details & pricing"
#~ msgstr "التفاصيل & الأسعار"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "حقول مخصصة متقدمة برو"
PK�[��z�K�K�lang/acf-pl_PL.monu�[�������*H8I8e8n86�8:�8D�879
L9
W9b9o9{90�9)�9=�9/:�E:	�:�:;M;Z;-^;
�;�;	�;�;�;
�;�;�;�;
<<<"<1<@<H<_<z<~<��<e=
�=�=�=�=!�=�=�=A�=A>,M>4z>�>�>
�>�>�> ?(?A?H?Z?`?
i?
w?�?�?�?�?�?�?�?�?@@C@c@p@}@�@�@�@
�@�@�@	�@�@�@�@�@AA%A-A3A9BA|A�A�A�A�A�A�A	�A�A/�A+B3B<B"NBqByB#�B�B�B�B[�B
.C<CIC[C
kCyCE�C�C�CG�C:BD}D�D �D�D�DEE0E!NE"pE#�E!�E,�E,F%3FYF!wF%�F%�F-�F!G*5G`GsG{G
�GZ�GV�GLHbH
iHwH�H
�H�H�H,�H$�H
II%I	5I?IPI`ItI�I�I
�I�I	�I
�I
�I�I�I
�IJ
JJ	J %J&FJ&mJ�J�J�J�J�J1�J	KKK*K
7KBK
NK
YKdKyK�K�K�K�Ki�K^LuL�L�L1�L�LMTMmM
rM}M�M	�M	�M�M"�M�M�MN!N0N8NNN+_NC�N@�NOOO
&O	1O;OCOPO
kOvO=|O�O
�O�O�O�O�O

P�P�P�P�P	�P#�P"�P"Q!+QMQaQmQ/Q
�Q�Q�Q�QQ�Q�;R�R�R�R	�RSS4*S_SysS�S�S�ST&T,T;TBT[ThToTwT�T�T�T
�T
�T�T
�T�TU
	UU	U�'U�U�U�U�U�U
V
V!VAV'[V�V�V	�V�V�V�V�V�V�V�V�V
�V
�V!
W	/W9W=LW�W�W�W
�W�W�W
�WXXX,X11XcX	pXzX�X	�XU�X�XM
YRXY�Y`�YZ%ZDZTZ
mZ{ZT�Z�Z�Z[[4[C[^[t[�[�[�[�[�[�[�[�[�[�[	�[�[\\	\!\
-\	;\E\L\g\	p\z\	�\Z�\5�\+&],R]]�]
�]�]�]�]�]
�]
�]	�]�]
�]^^+^>^/F^v^�^�^�^�^
�^�^2�^�^�_�_
�_�_�_
�_
�_�_``	`	(`$2`%W`
}`
�`�`�`�`	�`�`�`�`+�`*a@aLa
Xa
cana3�a�a�a
�a�a	�a.b	0b:bGb[bgbtb0�b�b+�b�bc�c#�c�c#�d5�d73e>ke?�e#�e1f%@fGffV�f&g:,g<gg2�g�g�gh	h"h=hVh_hzh�h�h�h�h�h6�h"i'i,:igi0li�i�i
�i
�i'�i0
j4>jsj'�j�j�j	�j�j�j
�j�jkkk"k:k>kDkIkNkWk_kkk	pk	zk�k�k1�k!�kZl3clB�lU�lE0mAvmZ�mAn^Uo(�o*�o#p^,p@�p<�p4	q7>q3vqL�q	�qr5
rCr�Ir��r�s
�s�s�s�s�s�s�s�s
�s�stt#t/t<t
Ot]tetvt
�t�t�t�tW�t*u;uQuUutu
yu	�u�u�u	�u�u�u�u�u�uvv$v:vMvcvyv�v(�v'�v�vw
w*w;wLw^w
ewsw�w'$xMLx�x�x!�x
�x�x�x�x�x
yyMydyhynysy%�y�y�y�y�y�y�y
�y�y
zzz	!z	+z5zAzMz6Sz4�z{�z;~	P~Z~mk~{�~�U���	��+�=?�5}�G������́ہ�y��o�Ku���
Ђۂ���
��2�D�Q�^�p�}�������ă	߃����؄����4�2P�����T��#�?6�Cv���ц� �#
�+1�]�|�������
����ɇχ�

�
� �+/�[�l�q�X}�ֈ�����%�	.�
8�C�a�
p�~���
��'��Չ܉	��A�!F�h�����������	ʊ
ԊC�	&�
0�;�,V�����)��
ċϋ�s�u�������ΌیT�@�&Y�N��Gύ�#�*�2�8�?�D�^�a�c�j�p�x�������������������̎���o�E��Џ��
����	��=3�,q�����%��������7�K�R�^�q�}�������
����Ǒّ�(��2%�7X�,����Òג
�X��S�k�
p�
{���
��
������(ӓ$��!!�C�#a�n���(�9�#Y�4}���ȕp͕>�C�Y�b�r�~�+��(��&��!�7�G�N�m�-��g��;�R�
Y�d�m�}�����%��ƘҘ)ؘ
�
�#�
4�?�W�m��u�%�+�	D�N�._�.��/��/��1�>�RZ���țڛ
�������7�
J�U�
[�i�
��F��ӝ��q�w���$������ў'؞�
�
 �+�A�"R�u�z�
������0ȟ
����
��$�ՠ٠���&�?�T�6e�&��Eá	���#�
0�;�G�K�S�n�%������5Ѣ� �A7�	y���������"٣���!�.�>�D�M�	Z�d�t�
��L���\��QU���i���/�F�Z�v�!��V����#2�V�p� x�����Чէܧ�	�!�3�9�"F�i�u���������
����
Ϩڨ*���*�I�qU�Lǩ=�3R�������������ƪӪ
�	�����1�F�X�Xn�ǫګ�	����(�>/�n����<�	H�R�Z�`�m�z�����	��ŭ*̭+��#�/�?�R�q���������2��<߮�
2�@�L�f�3������ѯݯ	�.��
'�
2�@�S�
`�n�O{�$˰7�(�:��N�ڱ<�$1�V�n�����%ų!�
�C%�Ni���Ǵ%�8
�F�`�z�	����&��
۵)��.�"D�$g�����F�����2�C�<H�������η2۷>�6M���,��͸����!�%�5�I�O�^�v�	����	����
��
��Ź޹��$�'(�0P�&��z��,#�8P�q��M��JI�Q��l�pS�%ľ,�-�ZE�G��I�22�6e�+��@�		��=-�k��r��D���0�
@�*K�v�������
����
��������
�'�;�H�`�z��� ��"��a��N�b�{�0�����������&(�O�^�{�	�����������  �A�)]�,��,��!�����*�G�f�o������7`�c������	=�G�O�[�n�}�
��[����������%�<�?�K�Z�a�z�����������������
����6��4�^��SRp���@0\�7��$&���qC�wQX�H8u"(���a7c����B\m]/R�NTL�
)[�!�i��� ��P����7�+��y��&|��6*�f��+6n^"g_��0&���oP.����=�5f�e�����:�b s[!sd^%�K����F���3�ik�.��-�9��@�]O��t����g��q��	����V�tSlB�$�<�)���u���k0x�hPB���Gl'���#��Io1Riz,�Ya%*���+�q��D�Zf�Z5b�?�AT��;����>L��a�8���-�p��{XU�Y�15���V�|��3�{�;�	(r�t#>jQ3EK-h~$�p�9�y`xD�L��}���O��S8'Dz
�4WA>
~2M`Ve��H��@�
��F�E���d4F=��w2�GW�UnG�M�v����1�j��vU�N�����`�h�n��}�c���}I�����m�e#�b�OJ9WZ�����������y��c4/��{E�������];)�(�T���N���Q�[�,���w:���
���"�	��u�z�6C<�*j�'�l ��=�I:������k�\MrY2H/CJ<.vs_�,X��
�x��o?����?J����|g%��A��~mr�����_K�d!�%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-09-06 12:21+1000
PO-Revision-Date: 2019-07-29 14:31+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Dariusz Zielonka <dariusz@zielonka.pro>
Language: pl_PL
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=3; plural=(n==1 ? 0 : n%10>=2 && n%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d pól wymaga uwagiDodano %s%s już istniejeGrupa pól %s została zduplikowana.Grupy pól %s zostały zduplikowane.Grup pól %s zostały zduplikowane.%s grupa pól została zsynchronizowana.%s grupy pól zostały zsynchronizowane.%s grup pól zostało zsynchronizowanych.%s wymaga dokonania przynajmniej %s wyboru%s wymaga dokonania przynajmniej %s wyborów%s wymaga dokonania przynajmniej %s wyborów%s wartość jest wymagana(brak etykiety)(brak tytułu)(to pole)+ Dodaj pole1 pole wymaga uwagi<b>Błąd</b>. Nie można połączyć z serwerem aktualizacji<b>Błąd</b>. Nie można załadować listy dodatków<b>Wybierz</b> elementy, które chcesz <b>ukryć</b> na stronie edycji.Lepsze odczucia w użytkowaniuACF PRO zawiera zaawansowane funkcje, takie jak powtarzalne dane, elastyczne układy treści, piękne galerie i możliwość tworzenia dodatkowych stron opcji administracyjnych!Zwijane paneleAktywuj licencjęAktywneAktywny <span class="count">(%s)</span>Aktywne <span class="count">(%s)</span>Aktywnych <span class="count">(%s)</span>DodajDodaj pole "inne" aby zezwolić na wartości definiowane przez użytkownikaDodaj / EdytujDodaj plikDodaj obrazDodaj obraz do galeriiDodaj nowąDodaj nowe poleDodaj nową grupę pólDodaj nowy układDodaj wierszDodaj układDodaj nowy wybórDodaj wierszDodaj grupę warunkówDodaj do galeriiDodatkiAdvanced Custom FieldsAdvanced Custom Fields PROWszystkieWszystkie formaty %sWszystkie 4 dodatki premium zostały połączone w nową <a href="%s">wersję Pro ACF</a>. W obu licencjach, osobistej i deweloperskiej, funkcjonalność premium jest bardziej przystępna niż kiedykolwiek wcześniej!Wszystkie pola z grupy pola %sWszystkie obrazyWszystkie typy wpisówWszystkie taksonomieWszystkie role użytkownikaZezwalaj na dodawanie "niestandardowych" wartościPozwól na adresy URL archiwówZezwól na niestandardoweZezwól aby znaczniki HTML były wyświetlane jako widoczny tekst, a nie renderowaneZezwolić na pustą wartość Null?Pozwól na tworzenie nowych terminów taksonomii podczas edycjiZezwól, aby ten zwijany panel otwierał się bez zamykania innych.Dozwolone typy plikówTekst alternatywnyWyglądPojawia się za polem formularzaPojawia się przed polem formularzaWyświetlane podczas tworzenia nowego wpisuPojawia się w polu formularzaZa polem (sufiks)Dodaj na końcuZastosujArchiwaCzy na pewno?ZałącznikAutorAutomatycznie dodaj &lt;br&gt;Automatycznie dodaj akapityPodstawowePod polamiPod etykietamiLepszy wygląd formularzy (Front End Forms)Lepsza walidacjaBlokOba (Array)Zarówno import, jak i eksport można łatwo wykonać za pomocą nowej strony narzędzi.Akcje na wieluDziałania na wieluGrupa przyciskówEtykieta przyciskuAnulujEtykietaKategorieWyśrodkujWyśrodkuj początkową mapęDziennik zmianLimit znakówSprawdź ponownieWybór (checkbox)ZaznaczoneStrona będąca potomną (ma rodziców)WybórWyboryWyczyśćWyczyść lokalizacjęKliknij przycisk "%s" poniżej, aby zacząć tworzyć nowy układKliknij, aby zainicjować TinyMCEKliknij, aby przełączyćPole klonowaniaZamknijZamknij to poleZamknij oknoZwiń szczegółyZwiniętyWybór koloruLista rozdzielana przecinkami. Pozostaw puste dla wszystkich typówKomentarzKomentarzeWyświetlaj pola warunkowoPrzypisz wybrane terminy taksonomii do wpisuTreśćEdytor treściKontroluje jak nowe linie są renderowaneSkopiowanoSkopiuj do schowkaTworzenie terminów taksonomiiUtwórz zestaw warunków, które określą w których miejscach będą wykorzystane zdefiniowane tutaj własne polaBieżący KolorBieżący użytkownikRola bieżącego użytkownikaZainstalowana wersjaWłasne polaNiestandardowe:Dostosuj WordPressa korzystając z potężnych, profesjonalnych i intuicyjnych pól.Dostosuj wysokość mapyWymagana jest aktualizacja bazy danychAktualizacja bazy danych zakończona. <a href="%s">Wróć do kokpitu sieci</a>Aktualizacja bazy danych zakończona. <a href="%s">Zobacz co nowego</a>Wybór datyGotoweDzisiajDalejWsteczTydzWybieranie daty i godzinyAMAGotoweTerazGodzinaMikrosekundaMilisekundaMinutaPMPSekundaWybierzWybierz czasCzasStrefa czasuDeaktywuj licencjęDomyślna wartośćDomyślny szablonDomyślna wartośćZdefiniuj punkt końcowy dla zatrzymania poprzedniego panelu zwijanego. Ten panel zwijany nie będzie widoczny.Użyj tego pola jako punkt końcowy i zacznij nową grupę zakładek.Opóźnić inicjowanie?UsuńUsuń układUsuń poleOpisDyskusjaWyświetlFormat wyświetlaniaPokaż ten zwijany panel jako otwarty po załadowaniu strony.Wyświetla tekst obok pola wyboru (checkbox)DokumentacjaPobierz i instalujPrzeciągnij aby zmienić kolejnośćDuplikujDuplikuj układDuplikuj to poleDuplikuj to poleŁatwy Import / EksportŁatwa aktualizacjaEdytujEdytuj poleEdytuj grupę pólEdytuj plikEdytuj obrazEdytuj poleEdytuj grupę pólElementyElliot CondonE-mailRozmiar osadzeniaPunkt końcowyWprowadź adres URLWpisz każdy z wyborów w osobnej linii.Wpisz każdą domyślną wartość w osobnej liniiBłąd przesyłania pliku. Proszę spróbować ponownieDodawaj znaki ucieczki do HTML (escape HTML)WypisRozwiń szczegółyEksportuj grupy pólPlik eksportuWyeksportowano 1 grupę pól.Wyeksportowano %s grupy pól.Wyeksportowano %s grup pól.Obrazek wyróżniającyPoleGrupa pólGrupy pólKlucze polaEtykieta polaNazwa polaTyp polaGrupa pól została usunięta.Szkic grupy pól został zaktualizowany.Grupa pól została zduplikowana. %sGrupa pól została opublikowana.Grupa pól została zapisana.Grupa pól została zaplanowana na.Zostały dodane ustawienia grup pól dotyczące, Aktywności, Pozycji etykiet oraz Pozycji instrukcji i Opisu.Grupa pól została dodana.Grupa pól została zsynchronizowana. %sTytuł grupy pól jest wymaganyGrupa pól została zaktualizowana.Grupy pól z niższym numerem pojawią się pierwszeTyp pola nie istniejePolaPola można teraz mapować na menu, pozycji menu, komentarzy, widżetów i wszystkich formularzy użytkowników!PlikTablica pliku (Array)ID plikuAdres URL plikuNazwa plikuWielkość plikuRozmiar pliku musi wynosić co najmniej %s.Rozmiar pliku nie może przekraczać %s.Plik musi spełniać kryteria typu %s.Filtruj wg typu wpisuFiltruj wg taksonomiiFiltruj wg roliFiltryZnajdź aktualną lokalizacjęElastyczne treśćElastyczne pole wymaga przynajmniej 1 układuAby uzyskać większą kontrolę, można określić zarówno wartość i etykietę w niniejszy sposób:Walidacja pól jest wykonana w PHP + AJAX a nie tylko w JS.FormatFormularzeFresh UIStrona głównaPełny rozmiarGaleriaUtwórz PHPDo widzenia Dodatki. Dzień dobry PROMapa GoogleGrupaGrupuj (wyświetla wybrane pola w grupie)Pole grupyMa dowolną wartośćNie ma wartościWysokośćUkryj na stronie edycjiWysoka (pod tytułem)PoziomyJeśli na stronie edycji znajduje się kilka grup pól, zostaną zastosowane ustawienia pierwszej z nich. (pierwsza grupa pól to ta, która ma najniższy numer w kolejności)ObrazTablica obrazów (Array)ID obrazuAdres URL obrazuWysokość obrazu musi mieć co najmniej %dpx.Wysokość obrazu nie może przekraczać %dpx.Szerokość obrazu musi mieć co najmniej %dpx.Szerokość obrazu nie może przekraczać %dpx.Importuj grupy pólPlik importuImportowany plik jest pustyZaimportowano 1 grupę pólZaimportowano %s grupy pólZaimportowano %s grup pólUlepszona struktura danychUlepszony wyglądZwiększona użytecznośćNieaktywneNieaktywne <span class="count">(%s)</span>Nieaktywne <span class="count">(%s)</span>Nieaktywnych <span class="count">(%s)</span>Użycie popularnej biblioteki Select2 poprawiło zarówno użyteczność jak i szybkość wielu typów pól wliczając obiekty wpisów, odnośniki stron, taksonomie i pola wyboru.Błędny typ plikuInformacjaWstawZainstalowanoUmieszczenie instrukcjiInstrukcjeInstrukcje dla autorów. Będą widoczne w trakcie wprowadzania danychPrzedstawiamy ACF PROZdecydowanie zaleca się wykonanie kopii zapasowej bazy danych przed kontynuowaniem. Czy na pewno chcesz uruchomić aktualizacje teraz?KluczEtykietaUmieszczenie etykietEtykiety będą wyświetlane jako %sDużyNajnowsza wersjaUkładPozostaw puste w przypadku braku limituWyrównanie do lewejDługośćBibliotekaInformacje o licencjiKlucz licencyjnyOgraniczenie wyborów z bibliotekiLinkTablica linków (Array)Pole linkuAdres URL linkuWczytaj terminy taksonomiiWczytaj wartości z terminów taksonomii z wpisuŁadowanieLokalny JSONLokacjaZalogowanyWiele pól przeszło graficzne odświeżenie, aby ACF wyglądał lepiej niż kiedykolwiek! Zmiany warte uwagi są widoczne w galerii, polach relacji i polach oEmbed (nowość)!MaxMaksimumMaksymalna liczba układówMaksymalna liczba wierszyMaksymalna liczba wybranych elementówMaksymalna wartośćMaksimum wpisówOsiągnięto maksimum liczby wierszy ( {max} wierszy )Maksimum ilości wyborów osiągnięteMaksymalna liczba wartości została przekroczona ( {max} wartości )ŚredniMenuElement menuPozycje menuWiele menuWiadomośćMinMinimumMinimalna liczba układówMinimalna liczba wierszyMinimalna liczba wybranych elementówMinimalna wartośćMinimum wpisówOsiągnięto minimum liczby wierszy ( {min} wierszy )Więcej technologii AJAXWięcej dostosowywaniaWięcej pól korzysta z AJAX, aby przyspieszyć ładowanie stron.PrzenieśPrzenoszenie zakończone.Przenieś polePrzenieś polePrzenieś pole do innej grupyPrzenieś do kosza. Jesteś pewny?Przenoszenie pólWybór wielokrotnyMulti-expandWiele wartościNazwaTekstowyNowe funkcjeNowe poleNowa grupa pólNowe lokalizacje formularzyNowe linieDodano nowe akcje i filtry PHP (i JS), aby poszerzyć zakres personalizacji.Nowe ustawieniaNowy zautomatyzowany eksport do JSON ma poprawioną szybkość i pozwala na synchronizację.Nowa funkcjonalność pozwala na przenoszenie pól pomiędzy grupami i rodzicami.NieŻadna grupa pól nie została dodana do tej strony opcji. <a href="%s">Utwórz grupę własnych pól</a>Nie znaleziono grupy pólBrak grup pól w koszuNie znaleziono pólNie znaleziono pól w koszuBrak formatowaniaNie zaznaczono żadnej grupy pólBrak pól. Kliknij przycisk <strong>+ Dodaj pole</strong> aby utworzyć pierwsze pole.Nie zaznaczono żadnego plikuNie wybrano obrazuNie znaleziono pasujących wynikówStrona opcji nie istniejeBrak %sPola przełączania niedostępneBrak dostępnych aktualizacji.Normalna (pod edytorem)NullLiczbaTekst, gdy wyłączoneTekst, gdy włączoneOtwarteOtwiera się w nowym oknie/karcieOpcjeStrona opcjiUstawienia zostały zaktualizowaneKolejnośćNr w kolejności.InneStronaAtrybuty stronyLink do stronyRodzic stronySzablon stronyTyp stronyRodzicStrona będąca rodzicem (posiada potomne)HasłoOdnośnik bezpośredniPlaceholder (tekst zastępczy)PołożenieUpewnij się także, że wszystkie dodatki premium (%s) zostały wcześniej zaktualizowane do najnowszych wersji.Proszę wpisać swój klucz licencyjny powyżej aby odblokować aktualizacjeProszę wybrać co najmniej jedną witrynę do uaktualnienia.Proszę wybrać miejsce przeznaczenia dla tego polaPozycjaWpisKategoria wpisuFormat wpisuID wpisuObiekt wpisuStatus wpisuTaksonomia wpisuSzablon wpisuTyp wpisuWpis zaktualizowanyStrona wpisówPotężne funkcjePrefiks Etykiet PólPrefiks Nazw PólPrzed polem (prefiks)Dołącz dodatkowe pole wyboru, aby grupowo włączać/wyłączać wszystkie pola wyboruDodaj do początkuRozmiar podgląduProOpublikujPrzycisk opcji (radio)Przycisk opcji (radio)ZakresPrzeczytaj więcej o <a href="%s">możliwościach ACF PRO</a>.Czytam zadania aktualizacji...Przeprojektowanie architektury danych pozwoliła polom podrzędnym być niezależnymi od swoich rodziców. Pozwala to na przeciąganie i upuszczanie pól pomiędzy rodzicami!ZarejestrujRelacyjneRelacjaUsuńUsuń układUsuń wierszZmień kolejnośćZmień kolejność układówPole powtarzalneWymagane?ZasobyOkreśl jakie pliki mogą być przesyłaneOkreśl jakie obrazy mogą być przesyłaneOgraniczoneZwracany formatZwracana wartośćOdwróć aktualną kolejnośćStrona opinii i aktualizacjiWersjeWierszWierszeWarunkiZapisz "niestandardowe" wartości tego pola wyboruDopisz zapisaną wartość pola "inne" do wyborów tego polaZapisz niestandardoweZapisz formatZapisz inneZapisz terminy taksonomiiBezpodziałowy (brak metaboxa)Ujednolicenie (zastępuje to pole wybranymi polami)SzukajSzukaj grup pólSzukaj pólSzukaj adresu...Szukaj...Zobacz co nowego w <a href="%s">wersji %s</a>.Wybierz %sWybierz kolorWybierz grupy pólWybierz plikWybierz obrazWybierz linkWybierz pole podrzędne, które mają być pokazane kiedy wiersz jest zwiniętyMożliwość wyboru wielu wartości?Wybierz jedno lub więcej pól które chcesz sklonowaćWybierz typ wpisuWybierz taksonomięWybierz plik JSON Advanced Custom Fields, który chcesz zaimportować. Gdy klikniesz przycisk importu poniżej, ACF zaimportuje grupy pól.Określ wygląd tego polaWybierz grupy pól, które chcesz wyeksportować, a następnie wybierz metodę eksportu. Użyj przycisku pobierania aby wyeksportować do pliku .json, który można następnie zaimportować do innej instalacji ACF. Użyj przycisku generuj do wyeksportowania ustawień do kodu PHP, który można umieścić w motywie.Wybierz taksonomię do wyświetleniaProszę usunąć 1 znakProszę usunąć %d znaki/ówWpisz 1 lub więcej znakówWpisz %d lub więcej znakówŁadowanie zakończone niepowodzeniemŁaduję więcej wyników&hellip;Nie znaleziono wynikówDostępny jest jeden wynik. Aby go wybrać, wciśnij klawisz enter.Dostępnych wyników - %d. Użyj strzałek w górę i w dół, aby nawigować.Szukam&hellip;Możesz wybrać tylko 1 elementMożesz wybrać tylko %d elementy/ówWybrane elementy będą wyświetlone przy każdym wynikuWybór jest większy niżWybór jest mniejszy niżWyślij trackbackiSeparatorUstaw początkowe zbliżenieOkreśla wysokość obszaru tekstowegoUstawieniaWyświetlić przyciski Dodawania mediów?Pokaż tą grupę pól jeśliPokaż to pole jeśliWyświetlany na liście grupy pólWidoczny podczas wprowadzania danychBocznaPojedyncza wartośćPojedyncze słowo, bez spacji. Dozwolone są myślniki i podkreślnikiWitrynaTa witryna jest aktualnaWitryna wymaga aktualizacji bazy danych z %s na %sSlugPrzepraszamy, ta przeglądarka nie obsługuje geolokalizacjiSortuj po dacie modyfikacjiSortuj po dacie przesłaniaSortuj po tytuleWykryto SpamOkreśl zwracaną wartość na stronie (front-end)Określ styl wykorzystywany do stosowania w klonowanych polachOkreśl style stosowane to renderowania wybranych pólOkreśl zwracaną wartośćOkreśl gdzie są dodawane nowe załącznikiStandardowy (WP metabox)StatusWielkość krokuStylOstylowany interfejs użytkownikaPola podrzędneSuper AdministratorPomocSynchronizacjaSynchronizacja możliwaSynchronizuj grupę pólZakładkaTabelaZakładkiTagiTaksonomiaID terminuObiekt terminu (WP_Term)TekstObszar tekstowyTylko tekstowaTekst wyświetlany, gdy jest aktywneTekst wyświetlany, gdy jest nieaktywneDziękujemy za tworzenie z <a href="%s">ACF</a>.Dziękujemy za aktualizacje do %s v%s!Dziękujemy za aktualizację! ACF %s jest większy i lepszy niż kiedykolwiek wcześniej. Mamy nadzieję, że go polubisz.Pole %s znajduje się teraz w grupie pól %sPole grupy zapewnia prosty sposób tworzenia grupy pól.Pole linku zapewnia prosty sposób wybrać lub określić łącze (adres URL, atrybut 'title', atrybut 'target').Wprowadzone przez Ciebie zmiany przepadną jeśli przejdziesz do innej stronyPole klonowania umożliwia zaznaczanie i wyświetlanie istniejących pól.Cała wtyczka została odświeżone, dodano nowe typy pól, ustawienia i wygląd!Poniższy kod może być użyty do rejestracji lokalnej wersji wybranej grupy lub grup pól. Lokalna grupa pól może dostarczyć wiele korzyści takich jak szybszy czas ładowania, możliwość wersjonowania i dynamiczne pola/ustawienia. Wystarczy skopiować i wkleić poniższy kod do pliku functions.php Twojego motywu lub dołączyć go do zewnętrznego pliku.Następujące witryny wymagają aktualizacji bazy danych. Zaznacz te, które chcesz zaktualizować i kliknij %s.Wyświetlany format przy edycji wpisuWartość zwracana przez funkcje w szablonieFormat używany podczas zapisywania wartościPole oEmbed pozwala w łatwy sposób osadzać filmy, obrazy, tweety, audio i inne treści.Ciąg znaków "field_" nie może zostać użyty na początku nazwy polaTo pole nie może zostać przeniesione zanim zmiany nie zostaną zapisaneTo pole ma ograniczenie {max} {label} {identifier}To pole wymaga przynajmniej {min} {label} {identifier}Ta nazwa będzie widoczna na stronie edycjiTa wersja zawiera ulepszenia bazy danych i wymaga uaktualnienia.MiniaturaWybieranie daty i godzinyTinyMCE nie zostanie zainicjowane do momentu kliknięcia polaTytułŻeby włączyć aktualizacje, proszę podać swój klucz licencyjny na stronie <a href="%s">Aktualizacji</a>. Jeśli nie posiadasz klucza, prosimy zapoznać się ze <a href="%s">szczegółami i cennikiem</a>.Żeby odblokować aktualizacje proszę podać swój klucz licencyjny poniżej. Jeśli nie posiadasz klucza prosimy zapoznać się ze <a href="%s" target="_blank">szczegółami i cennikiem</a>.Przełącznik (Toggle)Przełącz wszystkoPasek narzędziNarzędziaStrona najwyższego poziomu (brak rodzica)Wyrównanie do góryPrawda / FałszTypNieznaneNieznane poleNieznana grupa pólAktualizujDostępna aktualizacjaAktualizuj plikAktualizuj obrazInformacje o aktualizacjiAktualizuj wtyczkęAktualizacjeAktualizuj bazę danychInformacje o aktualizacjiAktualizacja witrynAktualizacja zakończona.Aktualizacja nie powiodła się.Aktualizowanie danych do wersji %sUlepszenie wersji do ACF PRO jest łatwe. Wystarczy zakupić licencję online i pobrać wtyczkę!Przesłane do wpisuPrzesłane do tego wpisuUrlUżyć technologii AJAX do wczytywania wyników?UżytkownikTablica użytkowników (Array)Formularz użytkownikaID użytkownikaObiekt użytkownikaRola użytkownikaUżytkownik nie może dodać nowych %sWaliduj E-mailWalidacja nie powiodła sięWalidacja zakończona sukcesemWartośćWartość zawieraWartość jest równaWartość jest większa niżWartość jest mniejsza niżWartość nie jest równaWartość musi pasować do wzoruWartość musi być liczbąWartość musi być poprawnym adresem URLWartość musi być równa lub wyższa od %dWartość musi być równa lub niższa od %dWartości będą zapisane jako %sPionowyZobacz poleZobacz grupę pólWyświetla kokpit (back-end)Wyświetla stronę (front-end)WizualnyWizualna i TekstowaTylko wizualnaNapisaliśmy również <a href="%s">przewodnik aktualizacji</a> wyjaśniający wiele zagadnień, jednak jeśli masz jakieś pytanie skontaktuj się z nami na stronie <a href="%s">wsparcia technicznego</a>.Uważamy, że pokochasz zmiany wprowadzone w wersji %s.Zmieniliśmy sposób funkcjonowania wersji premium - teraz jest dostarczana w ekscytujący sposób!WitrynaTydzień zaczyna się odWitamy w Advanced Custom FieldsCo nowegoWidżetSzerokośćAtrybuty konteneraEdytor WYSIWYGTakZbliżenieacf_form() może teraz utworzyć nowy wpis po przesłaniu i zawiera wiele nowych ustawień.orazclasskopiahttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idjest równejest inne niżjQueryukładukładyukładówukładyKlonWybóroEmbedPole oEmbedlubczerwony : CzerwonyEdytujWybierzAktualizujszerokość{available} {label} {identifier} dostępne (max {max}){required} {label} {identifier} wymagane (min {min})PK�[���P""lang/acf-hu_HU.ponu�[���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: 2015-08-11 23:26+0200\n"
"PO-Revision-Date: 2018-02-06 10:06+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: hu_HU\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 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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:63
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:205 admin/admin.php:61
msgid "Field Groups"
msgstr ""

#: acf.php:206
msgid "Field Group"
msgstr "Mezőcsoport"

#: acf.php:207 acf.php:239 admin/admin.php:62 pro/fields/flexible-content.php:517
msgid "Add New"
msgstr "Új hozzáadása"

#: acf.php:208
msgid "Add New Field Group"
msgstr "Új mezőcsoport hozzáadása"

#: acf.php:209
msgid "Edit Field Group"
msgstr "Mezőcsoport szerkesztése"

#: acf.php:210
msgid "New Field Group"
msgstr "Új mezőcsoport"

#: acf.php:211
msgid "View Field Group"
msgstr "Mezőcsoport megtekintése"

#: acf.php:212
msgid "Search Field Groups"
msgstr "Mezőcsoportok keresése"

#: acf.php:213
msgid "No Field Groups found"
msgstr "Nincsenek mezőcsoportok"

#: acf.php:214
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
msgid "Fields"
msgstr "Mezők"

#: acf.php:238
msgid "Field"
msgstr "Mező"

#: acf.php:240
msgid "Add New Field"
msgstr "Mező hozzáadása"

#: acf.php:241
msgid "Edit Field"
msgstr "Mező szerkesztése"

#: acf.php:242 admin/views/field-group-fields.php:18 admin/views/settings-info.php:111
msgid "New Field"
msgstr "Új mező"

#: acf.php:243
msgid "View Field"
msgstr "Mező megtekintése"

#: acf.php:244
msgid "Search Fields"
msgstr "Mezők keresése"

#: acf.php:245
msgid "No Fields found"
msgstr "Mezők nem találhatók"

#: acf.php:246
msgid "No Fields found in Trash"
msgstr "Nem található mezőcsoport a lomtárban."

#: acf.php:268 admin/field-group.php:283 admin/field-groups.php:583
#: admin/views/field-group-options.php:18
msgid "Disabled"
msgstr ""

#: acf.php:273
#, php-format
msgid "Disabled <span class=\"count\">(%s)</span>"
msgid_plural "Disabled <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""

#: admin/admin.php:57 admin/views/field-group-options.php:120
msgid "Custom Fields"
msgstr "Egyéni mezők"

#: admin/field-group.php:68 admin/field-group.php:69 admin/field-group.php:71
msgid "Field group updated."
msgstr "Mezőcsoport frissítve."

#: admin/field-group.php:70
msgid "Field group deleted."
msgstr ""

#: admin/field-group.php:73
msgid "Field group published."
msgstr "Mezőcsoport közzétéve."

#: admin/field-group.php:74
msgid "Field group saved."
msgstr "Mezőcsoport elmentve."

#: admin/field-group.php:75
msgid "Field group submitted."
msgstr "Mezőcsoport elküldve."

#: admin/field-group.php:76
msgid "Field group scheduled for."
msgstr "Bejegyzéscsoport előjegyezve."

#: admin/field-group.php:77
msgid "Field group draft updated."
msgstr "Mezőcsoport vázlata frissítve."

#: admin/field-group.php:176
msgid "Move to trash. Are you sure?"
msgstr "Áthelyezés a lomtárba. Biztosak vagyunk benne?"

#: admin/field-group.php:177
msgid "checked"
msgstr "bejelölve"

#: admin/field-group.php:178
msgid "No toggle fields available"
msgstr "Váltómezők nem elérhetők"

#: admin/field-group.php:179
msgid "Field group title is required"
msgstr "A mezőcsoport címét kötelező megadni"

#: admin/field-group.php:180 api/api-field-group.php:607
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/views/field-group-locations.php:131 api/api-helpers.php:3262
msgid "or"
msgstr "vagy"

#: admin/field-group.php:183
msgid "Parent fields"
msgstr "Fölérendelt mezők"

#: admin/field-group.php:184
msgid "Sibling fields"
msgstr "Egyenrangú mezők"

#: admin/field-group.php:185
msgid "Move Custom Field"
msgstr "Egyéni mező áthelyezése"

#: admin/field-group.php:186
msgid "This field cannot be moved until its changes have been saved"
msgstr "A mező nem helyezhető át, amíg a változtatások nincsenek elmentve"

#: admin/field-group.php:187
msgid "Null"
msgstr "Null"

#: 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 ""

#: admin/field-group.php:189
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr ""

#: admin/field-group.php:214
msgid "Location"
msgstr "Megjelenítés helye"

#: admin/field-group.php:215
msgid "Settings"
msgstr ""

#: admin/field-group.php:253
msgid "Field Keys"
msgstr ""

#: admin/field-group.php:283 admin/views/field-group-options.php:17
msgid "Active"
msgstr ""

#: admin/field-group.php:744
msgid "Front Page"
msgstr "Kezdőoldal"

#: admin/field-group.php:745
msgid "Posts Page"
msgstr "Bejegyzések oldala"

#: admin/field-group.php:746
msgid "Top Level Page (no parent)"
msgstr ""

#: admin/field-group.php:747
msgid "Parent Page (has children)"
msgstr "Szülőoldal (vannak gyermekei)"

#: admin/field-group.php:748
msgid "Child Page (has parent)"
msgstr "Gyermekoldal (van szülőoldala)"

#: admin/field-group.php:764
msgid "Default Template"
msgstr "Alapértelmezett sablonminta"

#: admin/field-group.php:786
msgid "Logged in"
msgstr ""

#: admin/field-group.php:787
msgid "Viewing front end"
msgstr ""

#: admin/field-group.php:788
msgid "Viewing back end"
msgstr ""

#: admin/field-group.php:807
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
#: fields/image.php:226 pro/fields/gallery.php:653
msgid "All"
msgstr "Összes"

#: admin/field-group.php:827
msgid "Add / Edit"
msgstr "Hozzáadás / Szerkesztés"

#: admin/field-group.php:828
msgid "Register"
msgstr "Regisztrálás"

#: admin/field-group.php:1059
msgid "Move Complete."
msgstr "Áthelyezés befejeződött."

#: admin/field-group.php:1060
#, fuzzy, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "A(z) %s mező mostantól a %s mezőcsoportban található."

#: admin/field-group.php:1062
msgid "Close Window"
msgstr "Ablak bezárása"

#: admin/field-group.php:1097
#, fuzzy
msgid "Please select the destination for this field"
msgstr "Válasszuk ki a mező áthelyezésének célját"

#: admin/field-group.php:1104
msgid "Move Field"
msgstr "Mező áthelyezése"

#: admin/field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] ""
msgstr[1] ""

#: admin/field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr ""

#: admin/field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] ""
msgstr[1] ""

#: admin/field-groups.php:228
#, php-format
msgid "Field group synchronised. %s"
msgstr ""

#: admin/field-groups.php:232
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] ""
msgstr[1] ""

#: admin/field-groups.php:403 admin/field-groups.php:573
msgid "Sync available"
msgstr ""

#: admin/field-groups.php:516
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
msgid "Description"
msgstr ""

#: admin/field-groups.php:518 admin/views/field-group-options.php:10
msgid "Status"
msgstr ""

#: admin/field-groups.php:616 admin/settings-info.php:76 pro/admin/views/settings-updates.php:111
msgid "Changelog"
msgstr "Változások (changelog)"

#: admin/field-groups.php:617
msgid "See what's new in"
msgstr "Újdonságok áttekintése:"

#: admin/field-groups.php:617
msgid "version"
msgstr "verzió"

#: admin/field-groups.php:619
msgid "Resources"
msgstr "Források"

#: admin/field-groups.php:621
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
msgid "Updates"
msgstr "Frissítések"

#: admin/field-groups.php:623
msgid "Field Types"
msgstr "Mezőtípusok"

#: admin/field-groups.php:624
msgid "Functions"
msgstr "Funkciók (functions)"

#: admin/field-groups.php:625
msgid "Actions"
msgstr "Műveletek (actions)"

#: admin/field-groups.php:626 fields/relationship.php:718
msgid "Filters"
msgstr "Szűrők"

#: admin/field-groups.php:627
msgid "'How to' guides"
msgstr "'Hogyan?' útmutatók"

#: admin/field-groups.php:628
msgid "Tutorials"
msgstr "Oktatóanyagok"

#: admin/field-groups.php:633
msgid "Created by"
msgstr "Szerző"

#: admin/field-groups.php:673
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
msgid "Duplicate"
msgstr "Duplikálás"

#: admin/field-groups.php:724
#, php-format
msgid "Select %s"
msgstr ""

#: admin/field-groups.php:730
msgid "Synchronise field group"
msgstr ""

#: admin/field-groups.php:730 admin/field-groups.php:750
msgid "Sync"
msgstr ""

#: admin/settings-addons.php:51 admin/views/settings-addons.php:9
msgid "Add-ons"
msgstr "Kiegészítő bővítmények"

#: admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Hiba</b>. A bővítmények listáját nem lehet betölteni."

#: admin/settings-info.php:50
msgid "Info"
msgstr "Információ"

#: admin/settings-info.php:75
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
msgid "Tools"
msgstr ""

#: admin/settings-tools.php:151 admin/settings-tools.php:365
msgid "No field groups selected"
msgstr "Nincsenek mezőcsoportok kiválasztva."

#: admin/settings-tools.php:188
msgid "No file selected"
msgstr "Nincs fájl kiválasztva"

#: admin/settings-tools.php:201
msgid "Error uploading file. Please try again"
msgstr "Hiba a fájl feltöltése során. Próbáljuk meg újra."

#: admin/settings-tools.php:210
msgid "Incorrect file type"
msgstr "Érvénytelen fájltípus."

#: admin/settings-tools.php:227
msgid "Import file empty"
msgstr "Az importfájl üres."

#: admin/settings-tools.php:323
#, php-format
msgid "<b>Success</b>. Import tool added %s field groups: %s"
msgstr "<b>Sikeres</b>. Az importáló eszköz %s mezőcsoportot adott hozzá: %s"

#: admin/settings-tools.php:332
#, php-format
msgid "<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %s"
msgstr ""
"<b>Figyelmeztetés</b>. 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"
msgstr ""

#: admin/update.php:143
msgid "Review sites & upgrade"
msgstr ""

#: admin/update.php:298
msgid "Upgrade"
msgstr "Frissítés"

#: admin/update.php:328
msgid "Upgrade Database"
msgstr ""

#: admin/views/field-group-field-conditional-logic.php:29
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
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
#: fields/user.php:458 fields/user.php:472 fields/wysiwyg.php:385
#: pro/admin/views/settings-updates.php:103
msgid "No"
msgstr "Nem"

#: admin/views/field-group-field-conditional-logic.php:65
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
msgid "is equal to"
msgstr "egyenlő"

#: 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
msgid "and"
msgstr "és"

#: 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"

#: admin/views/field-group-field.php:54 admin/views/field-group-field.php:57
msgid "Edit field"
msgstr "Mező szerkesztése"

#: admin/views/field-group-field.php:57 pro/fields/gallery.php:355
msgid "Edit"
msgstr "Szerkesztés"

#: admin/views/field-group-field.php:58
msgid "Duplicate field"
msgstr "Mező duplikálása"

#: admin/views/field-group-field.php:59
msgid "Move field to another group"
msgstr "Mező áthelyezése másik csoportba"

#: admin/views/field-group-field.php:59
msgid "Move"
msgstr "Áthelyezés"

#: admin/views/field-group-field.php:60
msgid "Delete field"
msgstr "Mező törlése"

#: admin/views/field-group-field.php:60 pro/fields/flexible-content.php:515
msgid "Delete"
msgstr "Törlés"

#: admin/views/field-group-field.php:68 fields/oembed.php:212 fields/taxonomy.php:886
msgid "Error"
msgstr "Hiba"

#: fields/oembed.php:220 fields/taxonomy.php:900
msgid "Error."
msgstr "Hiba."

#: admin/views/field-group-field.php:68
msgid "Field type does not exist"
msgstr "Mezőtípus nem létezik"

#: admin/views/field-group-field.php:81
msgid "Field Label"
msgstr "Mezőfelirat"

#: admin/views/field-group-field.php:82
msgid "This is the name which will appear on the EDIT page"
msgstr "Ez a felirat jelenik meg a szerkesztőoldalon"

#: admin/views/field-group-field.php:93
msgid "Field Name"
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"

#: admin/views/field-group-field.php:105
msgid "Field Type"
msgstr "Mezőtípus"

#: admin/views/field-group-field.php:118 fields/tab.php:143
msgid "Instructions"
msgstr "Útmutató"

#: admin/views/field-group-field.php:119
msgid "Instructions for authors. Shown when submitting data"
msgstr "Útmutató a szerzők számára, az adatok bevitelénél jelenik meg"

#: admin/views/field-group-field.php:130
msgid "Required?"
msgstr "Kötelező"

#: admin/views/field-group-field.php:158
msgid "Wrapper Attributes"
msgstr ""

#: admin/views/field-group-field.php:164
msgid "width"
msgstr ""

#: admin/views/field-group-field.php:178
msgid "class"
msgstr ""

#: admin/views/field-group-field.php:191
msgid "id"
msgstr ""

#: admin/views/field-group-field.php:203
msgid "Close Field"
msgstr "Mező bezárása"

#: admin/views/field-group-fields.php:29
msgid "Order"
msgstr "Sorrend"

#: admin/views/field-group-fields.php:30 pro/fields/flexible-content.php:541
msgid "Label"
msgstr "Felirat"

#: admin/views/field-group-fields.php:31 pro/fields/flexible-content.php:554
msgid "Name"
msgstr "Név"

#: admin/views/field-group-fields.php:32
msgid "Type"
msgstr "Típus"

#: admin/views/field-group-fields.php:44
msgid "No fields. Click the <strong>+ Add Field</strong> button to create your first field."
msgstr ""
"Nincsenek mezők. Kattintsunk a <strong>+Mező hozzáadása</strong> gombra az első mező létrehozásához."

#: admin/views/field-group-fields.php:51
msgid "Drag and drop to reorder"
msgstr "Rendezéshez fogjuk meg és húzzuk a mezőt a megfelelő helyre"

#: admin/views/field-group-fields.php:54
msgid "+ Add Field"
msgstr "+ Mező hozzáadása"

#: admin/views/field-group-locations.php:5
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"

#: 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
msgid "Post"
msgstr "Bejegyzés"

#: admin/views/field-group-locations.php:42 fields/relationship.php:724
msgid "Post Type"
msgstr "Bejegyzés típusa"

#: admin/views/field-group-locations.php:43
msgid "Post Status"
msgstr "Bejegyzés-állapot"

#: admin/views/field-group-locations.php:44
msgid "Post Format"
msgstr "Bejegyzés-formátum"

#: admin/views/field-group-locations.php:45
msgid "Post Category"
msgstr "Bejegyzés-kategória"

#: admin/views/field-group-locations.php:46
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
msgid "Page"
msgstr "Oldal"

#: admin/views/field-group-locations.php:50
msgid "Page Template"
msgstr "Oldal-sablonminta"

#: admin/views/field-group-locations.php:51
msgid "Page Type"
msgstr "Oldaltípus"

#: admin/views/field-group-locations.php:52
msgid "Page Parent"
msgstr "Oldal szülő"

#: admin/views/field-group-locations.php:55 fields/user.php:36
msgid "User"
msgstr "Felhasználó (user)"

#: admin/views/field-group-locations.php:56
msgid "Current User"
msgstr ""

#: admin/views/field-group-locations.php:57
msgid "Current User Role"
msgstr ""

#: admin/views/field-group-locations.php:58
msgid "User Form"
msgstr "Felhasználói adatlap"

#: admin/views/field-group-locations.php:59
msgid "User Role"
msgstr "Felhasználói szerepkör"

#: admin/views/field-group-locations.php:61 pro/admin/options-page.php:48
msgid "Forms"
msgstr "Adatlapok"

#: admin/views/field-group-locations.php:62
msgid "Attachment"
msgstr "Csatolmány"

#: admin/views/field-group-locations.php:63
msgid "Taxonomy Term"
msgstr "Osztályozási kifejezés (term)"

#: admin/views/field-group-locations.php:64
msgid "Comment"
msgstr "Hozzászólás"

#: admin/views/field-group-locations.php:65
msgid "Widget"
msgstr "Widget"

#: admin/views/field-group-options.php:25
msgid "Style"
msgstr "Stílus"

#: admin/views/field-group-options.php:32
msgid "Standard (WP metabox)"
msgstr "Hagyományos (WP doboz)"

#: admin/views/field-group-options.php:33
msgid "Seamless (no metabox)"
msgstr "Átmenet nélkül (nincs doboz)"

#: admin/views/field-group-options.php:40
msgid "Position"
msgstr "Pozíció"

#: admin/views/field-group-options.php:47
msgid "High (after title)"
msgstr "Magasan (cím után)"

#: admin/views/field-group-options.php:48
msgid "Normal (after content)"
msgstr "Normál (tartalom után)"

#: admin/views/field-group-options.php:49
msgid "Side"
msgstr "Oldalsáv"

#: admin/views/field-group-options.php:57
msgid "Label placement"
msgstr "Mezőfelirat elhelyezése"

#: admin/views/field-group-options.php:64 fields/tab.php:159
msgid "Top aligned"
msgstr "Fent"

#: admin/views/field-group-options.php:65 fields/tab.php:160
msgid "Left aligned"
msgstr "Balra"

#: admin/views/field-group-options.php:72
msgid "Instruction placement"
msgstr "Útmutató elhelyezése"

#: admin/views/field-group-options.php:79
msgid "Below labels"
msgstr "Mezőfeliratok alatt"

#: admin/views/field-group-options.php:80
msgid "Below fields"
msgstr "Mezők alatt"

#: admin/views/field-group-options.php:87
msgid "Order No."
msgstr "Sorrend"

#: admin/views/field-group-options.php:88
msgid "Field groups with a lower order will appear first"
msgstr ""

#: admin/views/field-group-options.php:99
msgid "Shown in field group list"
msgstr ""

#: admin/views/field-group-options.php:109
msgid "Hide on screen"
msgstr "Ne legyen látható"

#: admin/views/field-group-options.php:110
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
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)"
msgstr ""

#: admin/views/field-group-options.php:117
msgid "Permalink"
msgstr "Közvetlen hivatkozás"

#: admin/views/field-group-options.php:118
msgid "Content Editor"
msgstr "Tartalomszerkesztő"

#: admin/views/field-group-options.php:119
msgid "Excerpt"
msgstr "Kivonat"

#: admin/views/field-group-options.php:121
msgid "Discussion"
msgstr "Interakció"

#: admin/views/field-group-options.php:122
msgid "Comments"
msgstr "Hozzászólások"

#: admin/views/field-group-options.php:123
msgid "Revisions"
msgstr "Változatok"

#: admin/views/field-group-options.php:124
msgid "Slug"
msgstr "Keresőbarát név (slug)"

#: admin/views/field-group-options.php:125
msgid "Author"
msgstr "Szerző"

#: admin/views/field-group-options.php:126
msgid "Format"
msgstr "Formátum"

#: admin/views/field-group-options.php:127
msgid "Page Attributes"
msgstr "Oldal tulajdonságai"

#: admin/views/field-group-options.php:128 fields/relationship.php:737
msgid "Featured Image"
msgstr "Kiemelt kép"

#: admin/views/field-group-options.php:129
msgid "Categories"
msgstr "Kategória"

#: admin/views/field-group-options.php:130
msgid "Tags"
msgstr "Címke"

#: admin/views/field-group-options.php:131
msgid "Send Trackbacks"
msgstr "Visszakövetés (trackback) küldése"

#: admin/views/settings-addons.php:23
msgid "Download & Install"
msgstr "Letöltés és telepítés"

#: admin/views/settings-addons.php:42
msgid "Installed"
msgstr "Telepítve"

#: admin/views/settings-info.php:9
msgid "Welcome to Advanced Custom Fields"
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!"

#: admin/views/settings-info.php:23
msgid "A smoother custom field experience"
msgstr "Az egyéni mezők használatának élménye"

#: admin/views/settings-info.php:28
msgid "Improved Usability"
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."
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."

#: admin/views/settings-info.php:33
msgid "Improved Design"
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!"
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."

#: admin/views/settings-info.php:38
msgid "Improved Data"
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!"
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."

#: admin/views/settings-info.php:45
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Viszlát kiegészítők, helló PRO"

#: admin/views/settings-info.php:50
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!"
msgstr ""

#: admin/views/settings-info.php:52
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro version of ACF</a>. With both "
"personal and developer licenses available, premium functionality is more affordable and accessible than "
"ever before!"
msgstr ""
"Az új <a href=\"%s\">ACF PRO változat</a> 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"
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!"
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!"

#: admin/views/settings-info.php:58
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "További információk az <a href=\"%s\">ACF PRO változatról</a>."

#: admin/views/settings-info.php:62
msgid "Easy Upgrading"
msgstr "Egyszerű frissítés"

#: admin/views/settings-info.php:63
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> and claim a free copy of "
"ACF PRO!"
msgstr ""
"A még könnyebb frissítés érdekében csak <a href=\"%s\">jelenkezzünk be a felhasználói fiókunkba</a> és "
"igényeljünk egy ingyenes ACF PRO változatot!"

#: admin/views/settings-info.php:64
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but if you do have one, "
"please contact our support team via the <a href=\"%s\">help desk</a>"
msgstr ""
"A felmerülő kérdések megválaszolására egy <a href=\"%s\">frissítési útmutató</a> is rendelkezésre áll. "
"Amennyiben az útmutató nem ad választ a kérdésre, vegyük fel a kapcsolatot a <a href=\"%s\">támogató "
"csapattal</a>."

#: admin/views/settings-info.php:72
msgid "Under the Hood"
msgstr "A motorháztető alatt"

#: admin/views/settings-info.php:77
msgid "Smarter field settings"
msgstr "Okosabb mezőbeállítások"

#: admin/views/settings-info.php:78
msgid "ACF now saves its field settings as individual post objects"
msgstr "Az ACF a mezőbeállításokat már külön bejegyzésobjektumokba menti"

#: admin/views/settings-info.php:82
msgid "More AJAX"
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."

#: admin/views/settings-info.php:87
msgid "Local JSON"
msgstr "Helyi JSON"

#: admin/views/settings-info.php:88
msgid "New auto export to JSON feature improves speed"
msgstr "Az új JSON autoexport szolgáltatás javítja a sebességet."

#: admin/views/settings-info.php:94
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."

#: admin/views/settings-info.php:99
msgid "Swapped XML for JSON"
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."

#: admin/views/settings-info.php:104
msgid "New Forms"
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."

#: admin/views/settings-info.php:112
msgid "A new field for embedding content has been added"
msgstr "Új mezőtípus áll rendelkezésre beágyazott tartalmak számára."

#: admin/views/settings-info.php:116
msgid "New Gallery"
msgstr "Új galéria"

#: admin/views/settings-info.php:117
msgid "The gallery field has undergone a much needed facelift"
msgstr "A galéria mezőtípus jelentős és esedékes felfrissítésen esett át."

#: admin/views/settings-info.php:121
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."

#: admin/views/settings-info.php:128
msgid "Better Front End Forms"
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."

#: admin/views/settings-info.php:133
msgid "Better Validation"
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."

#: 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."

#: 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"
msgstr ""
"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"
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."

#: 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"
msgstr ""
"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
msgid "We think you'll love the changes in %s."
msgstr "Úgy gondoljuk, tetszeni fognak a változások a(z) %s verzióban."

#: admin/views/settings-tools-export.php:13
msgid "Export Field Groups to PHP"
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."
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."

#: admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Mezőcsoportok kiválasztása"

#: admin/views/settings-tools.php:35
msgid "Export Field Groups"
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."
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."

#: admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Exportfájl letöltése"

#: admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Kód generálása"

#: admin/views/settings-tools.php:64
msgid "Import Field Groups"
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."
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."

#: admin/views/settings-tools.php:77 fields/file.php:46
msgid "Select File"
msgstr "Fájl kiválasztása"

#: admin/views/settings-tools.php:86
msgid "Import"
msgstr "Importálás"

#: admin/views/update-network.php:8 admin/views/update.php:8
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”."
msgstr ""

#: admin/views/update-network.php:19 admin/views/update-network.php:27
msgid "Site"
msgstr ""

#: admin/views/update-network.php:47
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: admin/views/update-network.php:49
msgid "Site is up to date"
msgstr ""

#: admin/views/update-network.php:62 admin/views/update.php:16
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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 ""
"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"
msgstr ""

#: admin/views/update-network.php:161
msgid "Upgrading data to"
msgstr ""

#: admin/views/update-notice.php:23
#, fuzzy
msgid "Database Upgrade Required"
msgstr "Adatbázis frissítése szükséges"

#: admin/views/update-notice.php:25
#, php-format
msgid "Thank you for updating to %s v%s!"
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."
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."

#: admin/views/update.php:12
msgid "Reading upgrade tasks..."
msgstr "Frissítési feladatok beolvasása..."

#: admin/views/update.php:14
#, php-format
msgid "Upgrading data to version %s"
msgstr "Adatok frissítése %s verzióra"

#: admin/views/update.php:16
msgid "See what's new"
msgstr "Újdonságok áttekintése"

#: admin/views/update.php:110
msgid "No updates available."
msgstr ""

#: api/api-helpers.php:821
msgid "Thumbnail"
msgstr "Bélyegkép"

#: api/api-helpers.php:822
msgid "Medium"
msgstr "Közepes méret"

#: api/api-helpers.php:823
msgid "Large"
msgstr "Nagy méret"

#: api/api-helpers.php:871
#, fuzzy
msgid "Full Size"
msgstr "Fájlméret"

#: api/api-helpers.php:1581
#, fuzzy
msgid "(no title)"
msgstr "Rendezés cím szerint"

#: api/api-helpers.php:3183
#, php-format
msgid "Image width must be at least %dpx."
msgstr ""

#: api/api-helpers.php:3188
#, php-format
msgid "Image width must not exceed %dpx."
msgstr ""

#: api/api-helpers.php:3204
#, php-format
msgid "Image height must be at least %dpx."
msgstr ""

#: api/api-helpers.php:3209
#, php-format
msgid "Image height must not exceed %dpx."
msgstr ""

#: api/api-helpers.php:3227
#, php-format
msgid "File size must be at least %s."
msgstr ""

#: api/api-helpers.php:3232
#, php-format
msgid "File size must must not exceed %s."
msgstr ""

#: api/api-helpers.php:3266
#, php-format
msgid "File type must be %s."
msgstr ""

#: api/api-template.php:1289 pro/fields/gallery.php:564
msgid "Update"
msgstr "Frissítés"

#: api/api-template.php:1290
msgid "Post updated"
msgstr "Bejegyzés frissítve"

#: core/field.php:131
msgid "Basic"
msgstr "Alapvető"

#: core/field.php:132
msgid "Content"
msgstr "Tartalom"

#: core/field.php:133
msgid "Choice"
msgstr "Választás"

#: core/field.php:134
msgid "Relational"
msgstr "Relációs"

#: core/field.php:135
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
msgid "Layout"
msgstr "Tartalom elrendezés"

#: core/input.php:129
msgid "Expand Details"
msgstr "Részletek kibontása"

#: core/input.php:130
msgid "Collapse Details"
msgstr "Részletek bezárása"

#: core/input.php:131
msgid "Validation successful"
msgstr "Érvényesítés sikeres"

#: core/input.php:132
msgid "Validation failed"
msgstr "Érvényesítés sikertelen"

#: core/input.php:133
msgid "1 field requires attention"
msgstr ""

#: core/input.php:134
#, php-format
msgid "%d fields require attention"
msgstr ""

#: core/input.php:135
msgid "Restricted"
msgstr ""

#: core/input.php:533
#, php-format
msgid "%s value is required"
msgstr "%s kitöltése kötelező"

#: fields/checkbox.php:36 fields/taxonomy.php:752
msgid "Checkbox"
msgstr "Jelölődoboz (checkbox)"

#: fields/checkbox.php:144
msgid "Toggle All"
msgstr ""

#: fields/checkbox.php:208 fields/radio.php:193 fields/select.php:388
msgid "Choices"
msgstr "Választási lehetőségek"

#: fields/checkbox.php:209 fields/radio.php:194 fields/select.php:389
msgid "Enter each choice on a new line."
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:"

#: 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
msgid "Default Value"
msgstr "Alapértelmezett érték"

#: fields/checkbox.php:218 fields/select.php:398
msgid "Enter each default value on a new line"
msgstr "Minden alapértelmezett értéket új sorba kell írni"

#: fields/checkbox.php:232 fields/radio.php:237
msgid "Vertical"
msgstr "Függőleges"

#: fields/checkbox.php:233 fields/radio.php:238
msgid "Horizontal"
msgstr "Vízszintes"

#: fields/checkbox.php:240
msgid "Toggle"
msgstr ""

#: fields/checkbox.php:241
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: fields/color_picker.php:36
msgid "Color Picker"
msgstr "Színválasztó"

#: fields/color_picker.php:94
msgid "Clear"
msgstr "Törlés"

#: fields/color_picker.php:95
msgid "Default"
msgstr "Alapértelmezett"

#: fields/color_picker.php:96
msgid "Select Color"
msgstr "Szín kiválasztása"

#: fields/date_picker.php:36
msgid "Date Picker"
msgstr "Dátumválasztó"

#: fields/date_picker.php:72
msgid "Done"
msgstr "Kész"

#: fields/date_picker.php:73
msgid "Today"
msgstr "Ma"

#: fields/date_picker.php:76
msgid "Show a different month"
msgstr "Másik hónap megjelenítése"

#: fields/date_picker.php:149
msgid "Display Format"
msgstr "Megjelenítési formátum"

#: fields/date_picker.php:150
msgid "The format displayed when editing a post"
msgstr "Megjelenítési formátum a bejegyzés szerkesztése során"

#: fields/date_picker.php:164
msgid "Return format"
msgstr "Visszaadott formátum"

#: fields/date_picker.php:165
msgid "The format returned via template functions"
msgstr "A sablonfunkciók által visszaadott formátum"

#: fields/date_picker.php:180
msgid "Week Starts On"
msgstr "Hét kezdőnapja"

#: fields/email.php:36
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
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
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
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
msgid "Prepend"
msgstr "Előtag"

#: 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
msgid "Append"
msgstr "Utótag"

#: 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"

#: fields/file.php:36
msgid "File"
msgstr "Fájl"

#: fields/file.php:47
msgid "Edit File"
msgstr "Fájl szerkesztése"

#: fields/file.php:48
msgid "Update File"
msgstr "Fájl frissítése"

#: fields/file.php:49 pro/fields/gallery.php:55
msgid "uploaded to this post"
msgstr "feltöltve ehhez a bejegyzéshez"

#: fields/file.php:142
msgid "File Name"
msgstr "Fájlnév"

#: fields/file.php:146
msgid "File Size"
msgstr "Fájlméret"

#: fields/file.php:169
msgid "No File selected"
msgstr "Nincs fájl kiválasztva"

#: fields/file.php:169
msgid "Add File"
msgstr "Fájl hozzáadása"

#: fields/file.php:214 fields/image.php:195 fields/taxonomy.php:821
msgid "Return Value"
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"

#: fields/file.php:220
msgid "File Array"
msgstr "Fájl adattömb (array)"

#: fields/file.php:221
msgid "File URL"
msgstr "Fájl URL"

#: fields/file.php:222
msgid "File ID"
msgstr "Fájl azonosító"

#: fields/file.php:229 fields/image.php:220 pro/fields/gallery.php:647
msgid "Library"
msgstr "Médiatár"

#: fields/file.php:230 fields/image.php:221 pro/fields/gallery.php:648
msgid "Limit the media library choice"
msgstr "Kiválasztható médiatár elemek korlátozása"

#: fields/file.php:236 fields/image.php:227 pro/fields/gallery.php:654
msgid "Uploaded to post"
msgstr "Feltöltve a bejegyzéshez"

#: fields/file.php:243 fields/image.php:234 pro/fields/gallery.php:661
msgid "Minimum"
msgstr ""

#: fields/file.php:244 fields/file.php:255
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
msgid "File size"
msgstr ""

#: fields/file.php:254 fields/image.php:267 pro/fields/gallery.php:694
msgid "Maximum"
msgstr ""

#: fields/file.php:265 fields/image.php:300 pro/fields/gallery.php:727
msgid "Allowed file types"
msgstr ""

#: fields/file.php:266 fields/image.php:301 pro/fields/gallery.php:728
msgid "Comma separated list. Leave blank for all types"
msgstr ""

#: fields/google-map.php:36
msgid "Google Map"
msgstr "Google Térkép"

#: fields/google-map.php:51
msgid "Locating"
msgstr "Helymeghatározás"

#: fields/google-map.php:52
msgid "Sorry, this browser does not support geolocation"
msgstr "Ez a böngésző nem támogatja a helymeghatározást"

#: fields/google-map.php:135
msgid "Clear location"
msgstr "Hely törlése"

#: fields/google-map.php:140
msgid "Find current location"
msgstr "Jelenlegi hely meghatározása"

#: fields/google-map.php:141
msgid "Search for address..."
msgstr "Cím keresése..."

#: fields/google-map.php:173 fields/google-map.php:184
msgid "Center"
msgstr "Középpont"

#: fields/google-map.php:174 fields/google-map.php:185
msgid "Center the initial map"
msgstr "Térkép kezdő középpontja"

#: fields/google-map.php:198
msgid "Zoom"
msgstr "Nagyítás"

#: fields/google-map.php:199
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
msgid "Height"
msgstr "Magasság"

#: fields/google-map.php:209
msgid "Customise the map height"
msgstr "Térkép magassága"

#: fields/image.php:36
msgid "Image"
msgstr "Kép"

#: fields/image.php:51
msgid "Select Image"
msgstr "Kép kiválasztása"

#: fields/image.php:52 pro/fields/gallery.php:53
msgid "Edit Image"
msgstr "Kép szerkesztése"

#: fields/image.php:53 pro/fields/gallery.php:54
msgid "Update Image"
msgstr "Kép frissítése"

#: fields/image.php:54
msgid "Uploaded to this post"
msgstr ""

#: fields/image.php:55
msgid "All images"
msgstr ""

#: fields/image.php:147
msgid "No image selected"
msgstr "Kép nincs kiválasztva"

#: fields/image.php:147
msgid "Add Image"
msgstr "Kép hozzáadása"

#: fields/image.php:201
msgid "Image Array"
msgstr "Kép adattömb (array)"

#: fields/image.php:202
msgid "Image URL"
msgstr "Kép URL"

#: fields/image.php:203
msgid "Image ID"
msgstr "Kép azonosító"

#: fields/image.php:210 pro/fields/gallery.php:637
msgid "Preview Size"
msgstr "Előnézeti méret"

#: fields/image.php:211 pro/fields/gallery.php:638
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
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
msgid "Width"
msgstr ""

#: fields/message.php:36 fields/message.php:103 fields/true_false.php:106
msgid "Message"
msgstr "Üzenet"

#: fields/message.php:104
msgid "Please note that all text will first be passed through the wp function "
msgstr "Minden szöveg elsőként áthalad a következő beépített WP funkción: "

#: fields/message.php:112
msgid "Escape HTML"
msgstr ""

#: fields/message.php:113
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""

#: fields/number.php:36
msgid "Number"
msgstr "Szám (number)"

#: fields/number.php:186
msgid "Minimum Value"
msgstr "Minimum érték"

#: fields/number.php:195
msgid "Maximum Value"
msgstr "Maximum érték"

#: fields/number.php:204
msgid "Step Size"
msgstr "Lépésköz"

#: fields/number.php:242
msgid "Value must be a number"
msgstr "Az érték nem szám"

#: fields/number.php:260
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Az értéknek nagyobbnak vagy egyenlőnek kell lennie, mint %d"

#: fields/number.php:268
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Az értéknek kisebbnek vagy egyenlőnek kell lennie, mint %d"

#: fields/oembed.php:36
msgid "oEmbed"
msgstr "Beágyazott objektum (oEmbed)"

#: fields/oembed.php:199
msgid "Enter URL"
msgstr "URL megadása"

#: fields/oembed.php:212
msgid "No embed found for the given URL."
msgstr "Nem található beágyazható elem a megadott URL-en."

#: fields/oembed.php:248 fields/oembed.php:259
msgid "Embed Size"
msgstr "Beágyazási méret"

#: fields/page_link.php:206
msgid "Archives"
msgstr "Archívumok"

#: 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
msgid "All post types"
msgstr "Minden bejegyzéstípus"

#: 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
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
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
msgid "Select multiple values?"
msgstr "Többszörös választás"

#: fields/password.php:36
msgid "Password"
msgstr "Jelszó (password)"

#: fields/post_object.php:36 fields/post_object.php:462 fields/relationship.php:769
msgid "Post Object"
msgstr "Bejegyzés objektum (post object)"

#: fields/post_object.php:457 fields/relationship.php:764
msgid "Return Format"
msgstr "Visszaadott formátum"

#: fields/post_object.php:463 fields/relationship.php:770
msgid "Post ID"
msgstr "Bejegyzés azonosító"

#: fields/radio.php:36
msgid "Radio Button"
msgstr "Választógomb (radio button)"

#: fields/radio.php:202
msgid "Other"
msgstr "Egyéb"

#: fields/radio.php:206
msgid "Add 'other' choice to allow for custom values"
msgstr "'Egyéb' választási lehetőség hozzáadása egyéni érték megadásához"

#: fields/radio.php:212
msgid "Save Other"
msgstr "Sorrend mentése"

#: fields/radio.php:216
msgid "Save 'other' values to the field's choices"
msgstr "Egyéni értékek mentése a mező választási lehetőségeihez"

#: fields/relationship.php:36
msgid "Relationship"
msgstr "Kapcsolat (relationship)"

#: fields/relationship.php:48
msgid "Minimum values reached ( {min} values )"
msgstr ""

#: fields/relationship.php:49
msgid "Maximum values reached ( {max} values )"
msgstr "Elértük a mező maximális értékét (legfeljebb {max})"

#: fields/relationship.php:50
msgid "Loading"
msgstr "Betöltés"

#: fields/relationship.php:51
msgid "No matches found"
msgstr "Nincs egyezés"

#: fields/relationship.php:571
msgid "Search..."
msgstr "Keresés..."

#: fields/relationship.php:580
msgid "Select post type"
msgstr "Bejegyzéstípus kiválasztása"

#: fields/relationship.php:593
msgid "Select taxonomy"
msgstr "Osztályozás kiválasztása"

#: fields/relationship.php:723
msgid "Search"
msgstr "Keresés"

#: fields/relationship.php:725 fields/taxonomy.php:36 fields/taxonomy.php:735
msgid "Taxonomy"
msgstr "Osztályozás (taxonomy)"

#: fields/relationship.php:732
msgid "Elements"
msgstr "Elemek"

#: fields/relationship.php:733
msgid "Selected elements will be displayed in each result"
msgstr "A kiválasztott elemek jelennek meg az eredményekben"

#: fields/relationship.php:744
msgid "Minimum posts"
msgstr ""

#: fields/relationship.php:753
msgid "Maximum posts"
msgstr "Bejegyzések maximális száma"

#: fields/select.php:36 fields/select.php:174 fields/taxonomy.php:757
msgid "Select"
msgstr "Választólista (select)"

#: fields/select.php:434
msgid "Stylised UI"
msgstr "Stílusformázott kezelőfelület"

#: fields/select.php:448
msgid "Use AJAX to lazy load choices?"
msgstr "AJAX használata a lehetőségek halasztott betöltéséhez"

#: fields/tab.php:36
msgid "Tab"
msgstr "Lap (tab)"

#: fields/tab.php:128
msgid "Warning"
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"
msgstr ""
"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."

#: 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."
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."

#: fields/tab.php:155
msgid "Placement"
msgstr ""

#: fields/tab.php:167
msgid "End-point"
msgstr ""

#: fields/tab.php:168
msgid "Use this field as an end-point and start a new group of tabs"
msgstr ""

#: fields/taxonomy.php:565
#, php-format
msgid "Add new %s "
msgstr ""

#: fields/taxonomy.php:704
msgid "None"
msgstr "Nincs"

#: fields/taxonomy.php:736
msgid "Select the taxonomy to be displayed"
msgstr ""

#: fields/taxonomy.php:745
msgid "Appearance"
msgstr ""

#: fields/taxonomy.php:746
msgid "Select the appearance of this field"
msgstr ""

#: fields/taxonomy.php:751
msgid "Multiple Values"
msgstr "Több érték"

#: fields/taxonomy.php:753
msgid "Multi Select"
msgstr "Többszörös választó (multi select)"

#: fields/taxonomy.php:755
msgid "Single Value"
msgstr "Egyetlen érték"

#: fields/taxonomy.php:756
msgid "Radio Buttons"
msgstr "Választógombok (radio buttons)"

#: fields/taxonomy.php:779
msgid "Create Terms"
msgstr ""

#: fields/taxonomy.php:780
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: fields/taxonomy.php:793
msgid "Save Terms"
msgstr ""

#: fields/taxonomy.php:794
msgid "Connect selected terms to the post"
msgstr ""

#: fields/taxonomy.php:807
msgid "Load Terms"
msgstr ""

#: fields/taxonomy.php:808
msgid "Load value from posts terms"
msgstr ""

#: fields/taxonomy.php:826
msgid "Term Object"
msgstr "Kifejezés objektum"

#: fields/taxonomy.php:827
msgid "Term ID"
msgstr "Kifejezés azonosító"

#: fields/taxonomy.php:886
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: fields/taxonomy.php:899
#, php-format
msgid "%s already exists"
msgstr ""

#: fields/taxonomy.php:940
#, php-format
msgid "%s added"
msgstr ""

#: fields/taxonomy.php:985
msgid "Add"
msgstr ""

#: fields/text.php:36
msgid "Text"
msgstr "Szöveg (text)"

#: fields/text.php:184 fields/textarea.php:163
msgid "Character Limit"
msgstr "Karakterkorlát"

#: fields/text.php:185 fields/textarea.php:164
msgid "Leave blank for no limit"
msgstr "Mellőzéséhez hagyjuk üresen "

#: fields/textarea.php:36
msgid "Text Area"
msgstr "Szövegterület (text area)"

#: fields/textarea.php:172
msgid "Rows"
msgstr "Sorok"

#: fields/textarea.php:173
msgid "Sets the textarea height"
msgstr "Szövegterület magassága (sorok)"

#: fields/textarea.php:182
msgid "New Lines"
msgstr "Új sorok"

#: fields/textarea.php:183
msgid "Controls how new lines are rendered"
msgstr "Az új sorok megjelenítésének szabályozása"

#: fields/textarea.php:187
msgid "Automatically add paragraphs"
msgstr "Bekezdések automatikus hozzáadása"

#: fields/textarea.php:188
msgid "Automatically add &lt;br&gt;"
msgstr "&lt;br&gt; címke automatikus hozzáadása"

#: fields/textarea.php:189
#, fuzzy
msgid "No Formatting"
msgstr "Formázás nélkül"

#: fields/true_false.php:36
msgid "True / False"
msgstr "Igaz / Hamis (true/false)"

#: fields/true_false.php:107
msgid "eg. Show extra content"
msgstr "pl. Extra tartalom megjelenítése"

#: fields/url.php:36
msgid "Url"
msgstr ""

#: fields/url.php:160
#, fuzzy
msgid "Value must be a valid URL"
msgstr "Az érték nem szám"

#: fields/user.php:437
msgid "Filter by role"
msgstr "Szűrés szerepkörre"

#: fields/user.php:445
msgid "All user roles"
msgstr "Minden felhasználói szerepkör"

#: fields/wysiwyg.php:37
msgid "Wysiwyg Editor"
msgstr "Wysiwyg szerkesztő"

#: fields/wysiwyg.php:297
msgid "Visual"
msgstr ""

#: fields/wysiwyg.php:298
#, fuzzy
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Szöveg (text)"

#: fields/wysiwyg.php:354
msgid "Tabs"
msgstr ""

#: fields/wysiwyg.php:359
msgid "Visual & Text"
msgstr ""

#: fields/wysiwyg.php:360
msgid "Visual Only"
msgstr ""

#: fields/wysiwyg.php:361
#, fuzzy
msgid "Text Only"
msgstr "Szöveg (text)"

#: fields/wysiwyg.php:368
msgid "Toolbar"
msgstr "Eszközsáv"

#: fields/wysiwyg.php:378
msgid "Show Media Upload Buttons?"
msgstr "'Média hozzáadása' gomb megjelenítése"

#: forms/post.php:297 pro/admin/options-page.php:373
msgid "Edit field group"
msgstr ""

#: pro/acf-pro.php:24
#, fuzzy
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/acf-pro.php:175
msgid "Flexible Content requires at least 1 layout"
msgstr "Rugalmas tartalomnál legalább egy elrendezést definiálni kell."

#: pro/admin/options-page.php:48
msgid "Options Page"
msgstr "Beállítások oldal"

#: pro/admin/options-page.php:83
msgid "No options pages exist"
msgstr "Nincsenek beállítás oldalak"

#: pro/admin/options-page.php:298
msgid "Options Updated"
msgstr "Beállítások elmentve"

#: pro/admin/options-page.php:304
msgid "No Custom Field Groups found for this options page. <a href=\"%s\">Create a Custom Field Group</a>"
msgstr "Nincsenek mezőcsoportok ehhez a beállítás oldalhoz. <a href=\"%s\">Mezőcsoport hozzáadása</a>"

#: pro/admin/settings-updates.php:137
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Hiba</b>. Nem hozható létre kapcsolat a frissítési szerverrel."

#: pro/admin/settings-updates.php:267 pro/admin/settings-updates.php:338
msgid "<b>Connection Error</b>. Sorry, please try again"
msgstr "<b>Kapcsolódási hiba</b>. Elnézést, próbáljuk meg újra."

#: pro/admin/views/options-page.php:48
msgid "Publish"
msgstr "Közzététel"

#: pro/admin/views/options-page.php:54
msgid "Save Options"
msgstr "Beállítások mentése"

#: pro/admin/views/settings-updates.php:11
msgid "Deactivate License"
msgstr "Licenc deaktiválása"

#: pro/admin/views/settings-updates.php:11
msgid "Activate License"
msgstr "Licenc aktiválása"

#: pro/admin/views/settings-updates.php:21
msgid "License"
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"
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:"

#: pro/admin/views/settings-updates.php:24
msgid "details & pricing"
msgstr "részletek és árak"

#: pro/admin/views/settings-updates.php:33
msgid "License Key"
msgstr "Licenckulcs"

#: pro/admin/views/settings-updates.php:65
msgid "Update Information"
msgstr "Frissítési információ"

#: pro/admin/views/settings-updates.php:72
msgid "Current Version"
msgstr "Jelenlegi verzió"

#: pro/admin/views/settings-updates.php:80
msgid "Latest Version"
msgstr "Legújabb verzió"

#: pro/admin/views/settings-updates.php:88
msgid "Update Available"
msgstr "Frissítés elérhető"

#: pro/admin/views/settings-updates.php:96
msgid "Update Plugin"
msgstr "Bővítmény frissítése"

#: pro/admin/views/settings-updates.php:98
msgid "Please enter your license key above to unlock updates"
msgstr "Adjuk meg a licenckulcsot a frissítések engedélyezéséhez"

#: pro/admin/views/settings-updates.php:104
msgid "Check Again"
msgstr "Ismételt ellenőrzés"

#: pro/admin/views/settings-updates.php:121
msgid "Upgrade Notice"
msgstr "Frissítési figyelmeztetés"

#: pro/api/api-options-page.php:22 pro/api/api-options-page.php:23
msgid "Options"
msgstr "Beállítások"

#: pro/core/updates.php:186
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">Updates</a> page. If you don't "
"have a licence key, please see <a href=\"%s\">details & pricing</a>"
msgstr ""
"A frissítések engedélyezéséhez adjuk meg a licenckulcsot a <a href=\"%s\">Frissítések</a> oldalon. Ha "
"még nem rendelkezünk licenckulcsal, tekintsük át a licencek <a href=\"%s\">részleteit és árait</a>."

#: pro/fields/flexible-content.php:36
msgid "Flexible Content"
msgstr "Rugalmas tartalom (flexible content)"

#: pro/fields/flexible-content.php:42 pro/fields/repeater.php:43
msgid "Add Row"
msgstr "Sor hozzáadása"

# Revision suggested
#: pro/fields/flexible-content.php:45
msgid "layout"
msgstr "elrendezés"

# Revision suggested
#: pro/fields/flexible-content.php:46
msgid "layouts"
msgstr "elrendezés"

# Revision suggested
#: pro/fields/flexible-content.php:47
msgid "remove {layout}?"
msgstr "biztosan eltávolítsuk?"

# Revision suggested
#: pro/fields/flexible-content.php:48
msgid "This field requires at least {min} {identifier}"
msgstr "Ennél a mezőnél legalább {min} {identifier} hozzáadása kötelező."

# Revision suggested
#: pro/fields/flexible-content.php:49
msgid "This field has a limit of {max} {identifier}"
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"

# Revision suggested
#: pro/fields/flexible-content.php:51
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "{label} elrendezésből több nem adható hozzá (maximum {max})"

# Revision suggested
#: pro/fields/flexible-content.php:52
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} adható még hozzá (maximum {max})"

# Revision suggested
#: pro/fields/flexible-content.php:53
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} hozzáadása szükséges (minimum {min})"

# Revision suggested
#: pro/fields/flexible-content.php:211
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Kattintsunk lent a \"%s\" gombra egyéni tartalom létrehozásához."

#: pro/fields/flexible-content.php:369
msgid "Add layout"
msgstr "Elrendezés hozzáadása"

#: pro/fields/flexible-content.php:372
msgid "Remove layout"
msgstr "Elrendezés eltávolítása"

#: pro/fields/flexible-content.php:514
msgid "Reorder Layout"
msgstr "Elrendezés sorrendjének módosítása"

#: pro/fields/flexible-content.php:514
msgid "Reorder"
msgstr "Átrendezés"

#: pro/fields/flexible-content.php:515
msgid "Delete Layout"
msgstr "Elrendezés törlése"

#: pro/fields/flexible-content.php:516
msgid "Duplicate Layout"
msgstr "Elrendezés duplikálása"

#: pro/fields/flexible-content.php:517
msgid "Add New Layout"
msgstr "Új elrendezés hozzáadása"

#: pro/fields/flexible-content.php:561
msgid "Display"
msgstr "Megjelenítés"

#: pro/fields/flexible-content.php:572 pro/fields/repeater.php:399
msgid "Table"
msgstr "Táblázat"

#: pro/fields/flexible-content.php:573 pro/fields/repeater.php:400
msgid "Block"
msgstr "Blokk"

#: pro/fields/flexible-content.php:574 pro/fields/repeater.php:401
#, fuzzy
msgid "Row"
msgstr "Sorok"

#: pro/fields/flexible-content.php:589
msgid "Min"
msgstr "Minimum"

#: pro/fields/flexible-content.php:602
msgid "Max"
msgstr "Maximum"

#: pro/fields/flexible-content.php:630 pro/fields/repeater.php:408
msgid "Button Label"
msgstr "Gomb felirata"

#: pro/fields/flexible-content.php:639
msgid "Minimum Layouts"
msgstr "Tartalmak minimális száma"

#: pro/fields/flexible-content.php:648
msgid "Maximum Layouts"
msgstr "Tartalmak maximális száma"

#: pro/fields/gallery.php:36
msgid "Gallery"
msgstr "Galéria"

#: pro/fields/gallery.php:52
msgid "Add Image to Gallery"
msgstr "Kép hozzáadása a galériához"

#: pro/fields/gallery.php:56
msgid "Maximum selection reached"
msgstr "Elértük a kiválasztható elemek maximális számát"

#: pro/fields/gallery.php:335
msgid "Length"
msgstr ""

#: pro/fields/gallery.php:355
msgid "Remove"
msgstr ""

#: pro/fields/gallery.php:535
msgid "Add to gallery"
msgstr "Hozzáadás galériához"

#: pro/fields/gallery.php:539
msgid "Bulk actions"
msgstr "Csoportművelet"

#: pro/fields/gallery.php:540
msgid "Sort by date uploaded"
msgstr "Rendezés feltöltési dátum szerint"

#: pro/fields/gallery.php:541
msgid "Sort by date modified"
msgstr "Rendezés módosítási dátum szerint"

#: pro/fields/gallery.php:542
msgid "Sort by title"
msgstr "Rendezés cím szerint"

#: pro/fields/gallery.php:543
msgid "Reverse current order"
msgstr "Fordított sorrend"

#: pro/fields/gallery.php:561
msgid "Close"
msgstr "Bezárás"

#: pro/fields/gallery.php:619
msgid "Minimum Selection"
msgstr "Minimális választás"

#: pro/fields/gallery.php:628
msgid "Maximum Selection"
msgstr "Maximális választás"

#: pro/fields/gallery.php:809
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s mező esetében legalább %s értéket ki kell választani"
msgstr[1] "%s mező esetében legalább %s értéket ki kell választani"

#: pro/fields/repeater.php:36
msgid "Repeater"
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)"

#: pro/fields/repeater.php:47
msgid "Maximum rows reached ({max} rows)"
msgstr "Elértük a sorok maximális számát (legfeljebb {max} sor adható hozzá)"

#: pro/fields/repeater.php:259
msgid "Drag to reorder"
msgstr "Átrendezéshez húzzuk a megfelelő helyre"

#: pro/fields/repeater.php:301
msgid "Add row"
msgstr "Sor hozzáadása"

#: pro/fields/repeater.php:302
msgid "Remove row"
msgstr "Sor eltávolítása"

#: pro/fields/repeater.php:350
msgid "Sub Fields"
msgstr "Almezők"

#: pro/fields/repeater.php:372
msgid "Minimum Rows"
msgstr "Sorok minimális száma"

#: pro/fields/repeater.php:382
msgid "Maximum Rows"
msgstr "Sorok maximális száma"

#. Plugin Name of the plugin/theme
msgid "Advanced Custom Fields Pro"
msgstr ""

#. Plugin URI of the plugin/theme
msgid "http://www.advancedcustomfields.com/"
msgstr ""

#. Description of the plugin/theme
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""

#. Author of the plugin/theme
msgid "elliot condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#, fuzzy
#~ msgid "Field&nbsp;Groups"
#~ msgstr "Mezőcsoportok"

#~ msgid "Custom field updated."
#~ msgstr "Egyéni mező frissítve."

#~ msgid "Custom field deleted."
#~ msgstr "Egyéni mező törölve."

#~ msgid "Hide / Show All"
#~ msgstr "Minden elrejtése / megjelenítése"

#~ msgid "Show Field Keys"
#~ msgstr "Mezőkulcsok megjelenítése"

#~ msgid "Pending Review"
#~ msgstr "Függőben lévő"

#~ msgid "Draft"
#~ msgstr "Vázlat"

#~ msgid "Future"
#~ msgstr "Ütemezve"

#~ msgid "Private"
#~ msgstr "Magánjellegű"

#~ msgid "Revision"
#~ msgstr "Változat"

#~ msgid "Trash"
#~ msgstr "Lomtár"

#~ msgid "Top Level Page (parent of 0)"
#~ msgstr "Felső szintű oldal (0 szülője)"

#~ msgid "Field group duplicated! Edit the new \"%s\" field group."
#~ msgstr "Mezőcsoport duplikálva. Az új \"%s\" mezőcsoport szerkesztése."

#~ msgid "Import / Export"
#~ msgstr "Importálás / Exportálás"

#~ msgid "Import/Export"
#~ msgstr "Import/export"

#~ msgid "Logged in User Type"
#~ msgstr "Bejelentkezett felhasználó szerepköre"

#~ msgid "Field groups are created in order <br />from lowest to highest"
#~ msgstr "Az egyes mezőcsoportok az alacsonyabbtól a magasabb érték felé haladva jönnek létre"

#~ msgid "<b>Select</b> items to <b>hide</b> them from the edit screen"
#~ msgstr "<b>Válasszuk ki</b> a szerkesztőképernyőn <b>elrejteni</b> 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)"
#~ 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."

#~ 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."
#~ 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."

#~ 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"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Ismerjük meg, miért van szükség az ACF PRO változatra a honlapon"

#~ msgid "Update Database"
#~ msgstr "Adatbázis frissítése"

#~ msgid "Data Upgrade"
#~ msgstr "Adatfrissítés"

#~ msgid "Data upgraded successfully."
#~ msgstr "Adatok sikeresen frissítve."

#~ msgid "Data is at the latest version."
#~ msgstr "Az adatok megfelelnek a legújabb verziónak."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "1 kötelező mező nincs kitöltve"
#~ msgstr[1] "%s kötelező mező nincs kitöltve"

#~ msgid "No taxonomy filter"
#~ msgstr "Nincs szűrés osztályozásra"

#~ 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"
#~ msgstr ""
#~ "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"

#~ msgid "Attachment Details"
#~ msgstr "Csatolmány részletei"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "A mezőcsoport címét kötelező megadni"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "Mező áthelyezése"

#, fuzzy
#~ msgid "image"
#~ msgstr "Kép"

#, fuzzy
#~ msgid "expand_details"
#~ msgstr "Részletek kibontása"

#, fuzzy
#~ msgid "collapse_details"
#~ msgstr "Részletek bezárása"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "Kapcsolat (relationship)"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "Rugalmas tartalom (flexible content)"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "Ismétlő csoportmező (repeater)"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "Galéria"

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "Érvényesítés sikertelen. Az alábbi mező(k) kitöltése kötelező."

#~ msgid "Apply"
#~ msgstr "Alkalmaz"

#, fuzzy
#~ msgid "Run the updater"
#~ msgstr "Ismétlő csoportmező (repeater)"

#, fuzzy
#~ msgid "Full"
#~ msgstr "Teljes méret"

#, fuzzy
#~ msgid "Size"
#~ msgstr "Teljes méret"

#, fuzzy
#~ msgid "Formatting"
#~ msgstr "Formázás nélkül"

#, fuzzy
#~ msgid "Effects value on front end"
#~ msgstr "Határozzuk meg a mező felhasználói oldalon (front end) megjelenő értékét"

#, fuzzy
#~ msgid "No images selected"
#~ msgstr "Kép nincs kiválasztva"

#, fuzzy
#~ msgid "1 image selected"
#~ msgstr "Kép nincs kiválasztva"

#, fuzzy
#~ msgid "%d images selected"
#~ 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!"
#~ 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."
PK�[=Ab��Z�Zlang/acf-ru_RU.ponu�[���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: 2018-08-18 18:25+0300\n"
"PO-Revision-Date: 2019-01-05 10:08+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\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.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"
"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"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:392 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Группы полей"

#: acf.php:393
msgid "Field Group"
msgstr "Группа полей"

#: acf.php:394 acf.php:426 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New"
msgstr "Добавить"

#: acf.php:395
msgid "Add New Field Group"
msgstr "Создание новой группы полей"

#: acf.php:396
msgid "Edit Field Group"
msgstr "Редактирование группы полей"

#: acf.php:397
msgid "New Field Group"
msgstr "Новая группа полей"

#: acf.php:398
msgid "View Field Group"
msgstr "Просмотреть группу полей"

#: acf.php:399
msgid "Search Field Groups"
msgstr "Поиск групп полей"

#: acf.php:400
msgid "No Field Groups found"
msgstr "Группы полей не найдены."

#: acf.php:401
msgid "No Field Groups found in Trash"
msgstr "Группы полей не найдены в корзине."

#: acf.php:424 includes/admin/admin-field-group.php:202
#: includes/admin/admin-field-groups.php:510
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Поля"

#: acf.php:425
msgid "Field"
msgstr "Поле"

#: acf.php:427
msgid "Add New Field"
msgstr "Добавить новое поле"

#: acf.php:428
msgid "Edit Field"
msgstr "Изменить поле"

#: acf.php:429 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Новое поле"

#: acf.php:430
msgid "View Field"
msgstr "Просмотреть поле"

#: acf.php:431
msgid "Search Fields"
msgstr "Поиск полей"

#: acf.php:432
msgid "No Fields found"
msgstr "Поля не найдены"

#: acf.php:433
msgid "No Fields found in Trash"
msgstr "Поля не найдены в Корзине"

#: acf.php:472 includes/admin/admin-field-group.php:384
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Неактивно"

#: acf.php:477
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Неактивен <span class=\"count\">(%s)</span>"
msgstr[1] "Неактивны <span class=\"count\">(%s)</span>"
msgstr[2] "Неактивно <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Группа полей обновлена."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Группа полей удалена."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Группа полей опубликована."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Группа полей сохранена."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Группа полей отправлена."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Группа полей запланирована на"

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Черновик группы полей обновлен."

#: includes/admin/admin-field-group.php:153
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Имя поля не должно начинаться со строки \"field_\""

#: includes/admin/admin-field-group.php:154
msgid "This field cannot be moved until its changes have been saved"
msgstr "Это поле не может быть перемещено до сохранения изменений"

#: includes/admin/admin-field-group.php:155
msgid "Field group title is required"
msgstr "Введите название для группы полей"

#: includes/admin/admin-field-group.php:156
msgid "Move to trash. Are you sure?"
msgstr "Отправить в корзину. Вы уверены?"

#: includes/admin/admin-field-group.php:157
msgid "No toggle fields available"
msgstr "Нет доступных полей с выбором значений."

#: includes/admin/admin-field-group.php:158
msgid "Move Custom Field"
msgstr "Переместить поле"

# Maybe non-translateable too.
#: includes/admin/admin-field-group.php:159
msgid "Checked"
msgstr "Выбрано"

#: includes/admin/admin-field-group.php:160 includes/api/api-field.php:289
msgid "(no label)"
msgstr "(нет заголовка)"

#: includes/admin/admin-field-group.php:161
msgid "(this field)"
msgstr " (текущее поле)"

#: includes/admin/admin-field-group.php:162
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "копия"

#: includes/admin/admin-field-group.php:163
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:4055
msgid "or"
msgstr "или"

#: includes/admin/admin-field-group.php:164
msgid "Null"
msgstr "null"

#: includes/admin/admin-field-group.php:203
msgid "Location"
msgstr "Условия отображения"

#: includes/admin/admin-field-group.php:204
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Настройки"

#: includes/admin/admin-field-group.php:354
msgid "Field Keys"
msgstr "Ключи полей"

#: includes/admin/admin-field-group.php:384
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Активные"

#: includes/admin/admin-field-group.php:750
msgid "Move Complete."
msgstr "Перемещение выполнено."

#: includes/admin/admin-field-group.php:751
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Теперь поле %s может быть найдено в группе полей %s"

#: includes/admin/admin-field-group.php:752
msgid "Close Window"
msgstr "Закрыть окно"

#: includes/admin/admin-field-group.php:793
msgid "Please select the destination for this field"
msgstr "Пожалуйста выберите местоположение для этого поля"

#: includes/admin/admin-field-group.php:800
msgid "Move Field"
msgstr "Переместить поле"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Активна <span class=\"count\">(%s)</span>"
msgstr[1] "Активно <span class=\"count\">(%s)</span>"
msgstr[2] "Активны <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Группа полей была дублирована. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s группа полей дублирована."
msgstr[1] "%s группы полей дублировано."
msgstr[2] "%s групп полей дублировано."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Группу полей было синхронизировано. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s группа полей синхронизирована."
msgstr[1] "%s группы полей синхронизированы."
msgstr[2] "%s групп полей синхронизировано."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Синхронизация доступна"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:370
msgid "Title"
msgstr "Заголовок"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:397
msgid "Description"
msgstr "Описание"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Статус"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Настраивайте WordPress с помощью интуитивно понятных и мощных дополнительных "
"полей."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Журнал изменений"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Что нового в <a href=\"%s\">версии %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Источники"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Сайт"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Документация"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Поддержка"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Спасибо вам за использование <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Дублировать элемент"

#: includes/admin/admin-field-groups.php:667
#: includes/admin/admin-field-groups.php:683
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate"
msgstr "Дублировать"

#: includes/admin/admin-field-groups.php:700
#: includes/fields/class-acf-field-google-map.php:164
#: includes/fields/class-acf-field-relationship.php:674
msgid "Search"
msgstr "Поиск"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Выберите %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Синхронизировать группу полей"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Синхронизация"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Применить"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Массовые операции"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Инструменты"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Группы полей"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Обновить базу данных"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Проверить сайт и обновить"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Возникла ошибка при обработке запроса"

#: includes/admin/install.php:210 includes/admin/views/install.php:104
msgid "No updates available."
msgstr "На данный момент обновлений нет."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Дополнения"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Ошибка</b>. Невозможно загрузить список  дополнений"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Информация"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Что нового"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Экспорт групп полей"

#: 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 "Генерировать PHP"

#: 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 "Группы полей не выбраны"

#: 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] "Импортировано %s группу полей."
msgstr[1] "Импортировано %s группы полей"
msgstr[2] "Импортировано %s групп полей"

#: 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 "Выберите группы полей"

#: 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 ""
"Выберите группы полей, которые вы хотите экспортировать, а также метод "
"экспорта. Используйте кнопку <b>Загрузить файл</b> для загрузки JSON файла "
"или <b>Генерировать код</b> для получения кода, который можно интегрировать "
"в шаблон."

#: 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 ""
"Указанный код может быть использован для регистрации группы полей "
"непосредственно в шаблоне. Локальная группа полей может предоставить много "
"преимуществ в виде большей скорости загрузки, упрощения контроля версий и "
"динамических полей. Просто скопируйте и вставьте указанный ниже код в файл "
"functions.php или подключите его через внешний файл."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Скопировать в буфер обмена"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Скопировано"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
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 для импорта групп полей."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Выбрать файл"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Импортировать файл"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Файл не выбран"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Ошибка при загрузке файла. Попробуйте еще раз"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Неправильный тип файла"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Импортируемый файл пуст"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Импортировано %s группу полей"
msgstr[1] "Импортировано %s группы полей"
msgstr[2] "Импортировано %s групп полей"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Условная логика"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Показывать это поле, если"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "и"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Добавить группу условий"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:424
#: pro/fields/class-acf-field-repeater.php:294
msgid "Drag to reorder"
msgstr "Потяните для изменения порядка"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Редактировать поле"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:357
msgid "Edit"
msgstr "Редактировать"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Дублировать поле"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Переместить поле в другую группу"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Переместить"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Удалить поле"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete"
msgstr "Удалить"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Ярлык поля"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Имя поля на странице редактирования"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Имя поля"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Допускаются буквы, цифры, а также символы _ и -"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Тип поля"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Инструкции"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Инструкции, которые отображаются при редактировании"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Обязательное"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Атрибуты"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "ширина"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "class"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Закрыть поле"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Сортировка"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:428
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Label"
msgstr "Ярлык"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:610
msgid "Name"
msgstr "Имя"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Ключ"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Тип"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Нет полей. Нажмите на кнопку <strong>+ Добавить поле</strong>, чтобы создать "
"свое первое поле."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Добавить поле"

#: includes/admin/views/field-group-locations.php:9
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 ""
"Создайте набор правил для указания страниц, где следует отображать группу "
"полей"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Стиль отображения"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Стандартный"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Минимальный"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Расположение группы полей"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Вверху под заголовком"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Внизу после содержимого"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "На боковой панели"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Расположение меток"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
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 "Расположение подсказок"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Под метками"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Под полями"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Порядковый номер"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""
"Если на одной странице одновременно выводятся несколько групп полей, то они "
"сортируются по порядковому номеру в порядке возрастания"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Отображаемое описание в списке групп"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Ссылка"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Текстовый редактор"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Цитата"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Обсуждение"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Комментарии"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Редакции"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Ярлык"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Автор"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Формат"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Атрибуты страницы"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:688
msgid "Featured Image"
msgstr "Миниатюра записи"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Рубрики"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Метки"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Отправить обратные ссылки"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Скрывание блоков"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"Выберите блоки, которые необходимо <b>скрыть</b> на странице редактирования."

#: includes/admin/views/field-group-options.php:129
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/html-location-group.php:3
msgid "Show this field group if"
msgstr "Отображать группу полей, если"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Обновить сайты"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Обновление базы данных Advanced Custom Fields"

#: 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."
msgstr ""
"Следующие сайты требуют обновления базы данных. Выберите сайты для "
"обновления и нажмите %s."

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Сайт"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Сайт требует обновления базы данных с %s на %s"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Сайт обновлен"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Обновление базы данных закончено. <a href=\"%s\">Вернуться к панели "
"управления сетью</a>"

#: 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 ""
"Мы настоятельно рекомендуем сделать резервную копию базы данных перед "
"началом работы. Вы уверены, что хотите запустить обновление сейчас?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Обновление завершено"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Обновление данных до версии %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Повторитель"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Гибкое содержание"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Галерея"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Страница с опциями"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Необходимо обновление базы данных"

#: includes/admin/views/install-notice.php:28
#, php-format
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 ""
"Прежде чем вы начнете использовать классные новые функции, обновите "
"пожалуйста базу данных до последней версии."

#: 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 ""
"Пожалуйста, убедитесь, что любые премиум-дополнения (%s) были предварительно "
"обновлены до последней версии."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Чтения задач обновления..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Обновление базы данных завершено. Ознакомьтесь со <a href=\"%s\">списком "
"изменений</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Загрузить и установить"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Установлено"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Добро пожаловать в Advanced Custom Fields"

#: 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 ""
"Спасибо за обновление! ACF %s стал больше и лучше. Надеемся, что вам "
"понравится."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Максимум удобства и возможностей"

#: includes/admin/views/settings-info.php:22
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 мы повысили удобство и скорость "
"работы многих типов полей, таких как Объект записи, Ссылка на страницу, "
"Таксономия и Выбор."

#: 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 ""
"Многие поля поменяли свой внешний вид, чтобы сделать ACF действительно "
"красивым. Значительные изменения коснулись полей Галерея, Взаимоотношение и "
"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 ""
"Новая архитектура позволяет вложенным полям существовать независимо от "
"родительских. Просто перетаскивайте их из одного родительского поля в другое."

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Забудьте про дополнения. Встречайте PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Знакомство с ACF PRO"

#: includes/admin/views/settings-info.php:45
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 <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Все 4 дополнения Premium включены в новой <a href=\"%s\">Pro-версии ACF</a> "
"и в лицензии разработчика, и в персональной лицензии. Еще никогда функционал "
"Premium не был так доступен!"

#: 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 ""
"ACF PRO содержит ряд мощных инструментов, таких как Повторяющиеся данные, "
"Гибкое содержание и Галерея. Также есть возможность создавать дополнительные "
"страницы настроек в панели администратора."

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Узнайте больше о <a href=\"%s\">возможностях ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Простое обновление"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Для перехода на ACF PRO просто <a href=\"%s\">авторизуйтесь личном кабинете</"
"a> и получите бесплатную лицензию!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Мы также подготовили <a href=\"%s\">руководство по переходу</a>, чтобы "
"ответить на все ваши вопросы. Но если все же они появятся, свяжитесь с нашей "
"командой поддержки через <a href=\"%s\">систему помощи</a>."

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Что под капотом"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Умные настройки полей"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF теперь сохраняет настройки поля как отдельный объект записи"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Больше AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr "Поиск на AJAX в полях значительно ускоряет загрузку страниц"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Локальный JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Новый автоматический экспорт в JSON повышает скорость работы"

#: includes/admin/views/settings-info.php:88
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"
msgstr ""
"Новый автоматический экспорт в JSON позволяет контролировать версию настроек "
"полей"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Swapped XML для JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Импорт / Экспорт теперь использует JSON вместо XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Новые формы"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Поля теперь могут быть отображены в комментариях, виджетах и "
"пользовательских формах!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Добавлено новое поле для встраиваемого контента"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Новая галерея"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Поле галереи претерпело столь необходимое визуальное преображение"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Новые настройки"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"В настройках группы полей теперь можно изменять расположение меток и "
"подсказок"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Улучшенные формы"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() теперь может создавать новую запись о представлении"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Улучшенное подтверждение"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Подтверждение форм теперь происходит через 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)"
msgstr ""
"Новая настройка поля Взаимоотношения для Фильтров (Поиск, Тип записи, "
"Таксономия)"

#: includes/admin/views/settings-info.php:139
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 ""
"Новый функционал групп полей позволяет перемещать поля между группами и "
"родительскими полями"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Ссылка на страницу"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Новая группа архивов в выборе поля page_link"

#: includes/admin/views/settings-info.php:149
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 ""
"Новые функции для страницы настроек позволяют создавать и родительские, и "
"дочерние меню"

#: includes/admin/views/settings-info.php:157
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Думаем, вам понравятся изменения в %s."

#: includes/api/api-helpers.php:1028
msgid "Thumbnail"
msgstr "Миниатюра"

#: includes/api/api-helpers.php:1029
msgid "Medium"
msgstr "Средний"

#: includes/api/api-helpers.php:1030
msgid "Large"
msgstr "Большой"

#: includes/api/api-helpers.php:1079
msgid "Full Size"
msgstr "Полный"

#: includes/api/api-helpers.php:1321 includes/api/api-helpers.php:1894
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(нет заголовка)"

#: includes/api/api-helpers.php:3976
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Изображение не должно быть уже чем %d пикселей."

#: includes/api/api-helpers.php:3981
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Изображение не должно быть шире чем %d пикселей."

#: includes/api/api-helpers.php:3997
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Изображение должно иметь высоту как минимум %d пикселей."

#: includes/api/api-helpers.php:4002
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Изображение должно иметь высоту не более чем %d пикселей."

#: includes/api/api-helpers.php:4020
#, php-format
msgid "File size must be at least %s."
msgstr "Размер файла должен быть не менее чем %s."

#: includes/api/api-helpers.php:4025
#, php-format
msgid "File size must must not exceed %s."
msgstr "Размер файла должен быть не более чем %s."

#: includes/api/api-helpers.php:4059
#, php-format
msgid "File type must be %s."
msgstr "Файл должен иметь тип: %s."

#: includes/assets.php:172
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Внесенные вами изменения будут утеряны, если вы покинете эту страницу"

#: includes/assets.php:175 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Выбрать"

#: includes/assets.php:176
msgctxt "verb"
msgid "Edit"
msgstr "Изменить"

#: includes/assets.php:177
msgctxt "verb"
msgid "Update"
msgstr "Обновить"

#: includes/assets.php:178
msgid "Uploaded to this post"
msgstr "Загружено для этой записи"

#: includes/assets.php:179
msgid "Expand Details"
msgstr "Показать детали"

#: includes/assets.php:180
msgid "Collapse Details"
msgstr "Скрыть детали"

#: includes/assets.php:181
msgid "Restricted"
msgstr "Ограничено"

#: includes/assets.php:182 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Все изображения"

#: includes/assets.php:185
msgid "Validation successful"
msgstr "Проверка успешно выполнена"

#: includes/assets.php:186 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Проверка не пройдена"

#: includes/assets.php:187
msgid "1 field requires attention"
msgstr "1 поле требует вашего внимания"

#: includes/assets.php:188
#, php-format
msgid "%d fields require attention"
msgstr "%d полей требуют вашего внимания"

#: includes/assets.php:191
msgid "Are you sure?"
msgstr "Вы уверены?"

#: includes/assets.php:192 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Да"

#: includes/assets.php:193 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Нет"

#: includes/assets.php:194 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:358
#: pro/fields/class-acf-field-gallery.php:546
msgid "Remove"
msgstr "Убрать"

#: includes/assets.php:195
msgid "Cancel"
msgstr "Отмена"

#: includes/assets.php:198
msgid "Has any value"
msgstr "заполнено"

#: includes/assets.php:199
msgid "Has no value"
msgstr "пустое"

#: includes/assets.php:200
msgid "Value is equal to"
msgstr "равно"

#: includes/assets.php:201
msgid "Value is not equal to"
msgstr "не равно"

#: includes/assets.php:202
msgid "Value matches pattern"
msgstr "соответствует выражению"

#: includes/assets.php:203
msgid "Value contains"
msgstr "содержит"

#: includes/assets.php:204
msgid "Value is greater than"
msgstr "больше чем"

#: includes/assets.php:205
msgid "Value is less than"
msgstr "меньше чем"

#: includes/assets.php:206
msgid "Selection is greater than"
msgstr "выбрано больше чем"

#: includes/assets.php:207
msgid "Selection is less than"
msgstr "выбрано меньше чем"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Тип поля не существует"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Неизвестно"

#: includes/fields.php:349
msgid "Basic"
msgstr "Основное"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Содержание"

#: includes/fields.php:351
msgid "Choice"
msgstr "Выбор"

#: includes/fields.php:352
msgid "Relational"
msgstr "Отношение"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354
#: includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:567
#: pro/fields/class-acf-field-flexible-content.php:616
#: pro/fields/class-acf-field-repeater.php:443
msgid "Layout"
msgstr "Блок"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Аккордеон"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Развернуто"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Отображать в развернутом виде при загрузке страницы"

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Разворачивание нескольких секций"

#: includes/fields/class-acf-field-accordion.php:110
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
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 ""
"Определяет конечную точку предыдущего аккордеона. Данный аккордеон будет "
"невидим."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Группа кнопок"

#: 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:359
msgid "Choices"
msgstr "Варианты"

#: 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:360
msgid "Enter each choice on a new line."
msgstr "Введите каждый вариант выбора на новую строку."

#: 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:360
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Для большего контроля, вы можете ввести значение и ярлык по следующему "
"формату:"

#: 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:360
msgid "red : Red"
msgstr "red : Красный"

#: 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:377
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:409
msgid "Allow Null?"
msgstr "Разрешить пустое значение?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:146
#: includes/fields/class-acf-field-select.php:368
#: 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:397
msgid "Default Value"
msgstr "Значение по умолчанию"

#: 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:282
#: includes/fields/class-acf-field-range.php:147
#: 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:398
msgid "Appears when creating a new post"
msgstr "Заполняется при создании новой записи"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Горизонтальная"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Вертикальная"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Возвращаемое значение"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Укажите возвращаемое значение для поля"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:427
msgid "Value"
msgstr "Значение"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:429
msgid "Both (Array)"
msgstr "Оба (массив)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Флажок (checkbox)"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Выбрать все"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Добавить новый вариант"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Разрешить пользовательские"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Разрешить добавление пользовательских вариантов"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Сохранить пользовательские"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Сохранить пользовательские варианты в настройках поля"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:369
msgid "Enter each default value on a new line"
msgstr "Введите каждое значение на новую строку."

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Переключить"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Добавить чекбокс для переключения всех чекбоксов"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Цвет"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Очистить"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "По умолчанию"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Выберите цвет"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Текущий цвет"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Дата"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Сегодня"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Дальше"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Назад"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Неделя"

#: includes/fields/class-acf-field-date_picker.php:180
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Отображаемый формат"

#: includes/fields/class-acf-field-date_picker.php:181
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Формат во время редактирования поля"

#: includes/fields/class-acf-field-date_picker.php:189
#: includes/fields/class-acf-field-date_picker.php:220
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Пользовательский:"

#: includes/fields/class-acf-field-date_picker.php:199
msgid "Save Format"
msgstr "Формат сохраняемого значения"

#: includes/fields/class-acf-field-date_picker.php:200
msgid "The format used when saving a value"
msgstr "Формат для сохранения в базе данных"

#: includes/fields/class-acf-field-date_picker.php:210
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:715
#: includes/fields/class-acf-field-select.php:422
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:428
msgid "Return Format"
msgstr "Возвращаемый формат"

#: includes/fields/class-acf-field-date_picker.php:211
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Формат возвращаемого значения"

#: includes/fields/class-acf-field-date_picker.php:229
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "День начала недели"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Дата и время"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Выберите время"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Время"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Час"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Минута"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Секунда"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Миллисекунда"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Микросекунда"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Часовой пояс"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Сейчас"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Готово"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Выбрать"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "ДП"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "Д"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "ПП"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "П"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-mail"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Текст заглушки"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Появляется перед полем ввода"

#: 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:185
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Текст перед полем"

#: 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:186
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Текст перед полем ввода"

#: 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:194
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Текст после поля"

#: 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:195
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Текст после поля ввода"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Файл"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Изменить файл"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Обновить файл"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Имя файла"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:705
#: pro/fields/class-acf-field-gallery.php:734
msgid "File size"
msgstr "Размер файла"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Добавить файл"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Массив"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Ссылка на файл"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID файла"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:670
msgid "Library"
msgstr "Библиотека"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:671
msgid "Limit the media library choice"
msgstr "Ограничение количества выбранных элементов"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:676
msgid "All"
msgstr "Все"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:677
msgid "Uploaded to post"
msgstr "Загружено в запись"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:684
msgid "Minimum"
msgstr "Минимум"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Ограничить файлы, которые могут быть загружены"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:713
msgid "Maximum"
msgstr "Максимум"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:742
msgid "Allowed file types"
msgstr "Допустимые типы файлов"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:743
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Для разделения типов файлов используйте запятые. Оставьте поле пустым для "
"разрешения загрузки всех файлов"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Расположение на карте"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Извините, но ваш браузер не поддерживает определение местоположения"

#: includes/fields/class-acf-field-google-map.php:165
msgid "Clear location"
msgstr "Очистить местоположение"

#: includes/fields/class-acf-field-google-map.php:166
msgid "Find current location"
msgstr "Определить текущее местоположение"

#: includes/fields/class-acf-field-google-map.php:169
msgid "Search for address..."
msgstr "Поиск по адресу..."

#: includes/fields/class-acf-field-google-map.php:199
#: includes/fields/class-acf-field-google-map.php:210
msgid "Center"
msgstr "Центрировать"

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center the initial map"
msgstr "Центрировать изначальную карту"

#: includes/fields/class-acf-field-google-map.php:222
msgid "Zoom"
msgstr "Масштаб"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Set the initial zoom level"
msgstr "Укажите начальный масштаб"

#: includes/fields/class-acf-field-google-map.php:232
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:696
#: pro/fields/class-acf-field-gallery.php:725
msgid "Height"
msgstr "Высота"

#: includes/fields/class-acf-field-google-map.php:233
msgid "Customise the map height"
msgstr "Настройка высоты карты"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Группа"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:379
msgid "Sub Fields"
msgstr "Вложенные поля"

#: 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 "Укажите способ отображения клонированных полей"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:627
#: pro/fields/class-acf-field-repeater.php:451
msgid "Block"
msgstr "Блок"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:626
#: pro/fields/class-acf-field-repeater.php:450
msgid "Table"
msgstr "Таблица"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:628
#: pro/fields/class-acf-field-repeater.php:452
msgid "Row"
msgstr "Строка"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Изображение"

#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Выбрать изображение"

#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Редактировать изображение"

#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Обновить изображение"

#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Изображение не выбрано"

#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Добавить изображение"

#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Массив изображения"

#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Ссылка на изображение"

#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "ID изображения"

#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Размер изображения"

#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Размер отображаемого изображения при редактировании"

#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:685
#: pro/fields/class-acf-field-gallery.php:714
msgid "Restrict which images can be uploaded"
msgstr "Ограничить изображения, которые могут быть загружены"

#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Width"
msgstr "Ширина"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Ссылка"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Выберите ссылку"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Откроется на новой вкладке"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Массив ссылок"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL ссылки"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Сообщение"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Перевод строк"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Способ перевода строк"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Автоматически добавлять параграфы"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Автоматически добавлять &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Без форматирования"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Очистка HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Преобразовывать HTML-теги в соответствующие комбинации символов для "
"отображения в виде текста"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Число"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:155
msgid "Minimum Value"
msgstr "Минимальное значение"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:165
msgid "Maximum Value"
msgstr "Максимальное значение"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:175
msgid "Step Size"
msgstr "Шаг изменения"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Значение должно быть числом"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Значение должно быть равным или больше чем %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Значение должно быть равным или меньшим чем %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "Медиа"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Введите адрес ссылки"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Размер медиа"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Архивы"

#: 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:961
msgid "Parent"
msgstr "Родитель"

#: 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:641
msgid "Filter by Post Type"
msgstr "Фильтрация по типу записей"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:649
msgid "All post types"
msgstr "Все типы записей"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:655
msgid "Filter by Taxonomy"
msgstr "Фильтрация по таксономии"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:663
msgid "All taxonomies"
msgstr "Все таксономии"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Разрешить ссылки на архивы"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:387
#: includes/fields/class-acf-field-user.php:419
msgid "Select multiple values?"
msgstr "Выбрать несколько значений?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Пароль"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:720
msgid "Post Object"
msgstr "Объект записи"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:721
msgid "Post ID"
msgstr "ID записи"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Переключатель (radio)"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Другое"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Выберите значение \"Другое\", чтобы разрешить настраиваемые значения"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Сохранить значения"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Сохранить настраиваемые значения для поля выбора"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Диапазон"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Записи"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Максимальное количество значений достигнуто ({max} значений)"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Загрузка"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Совпадения не найдены"

#: includes/fields/class-acf-field-relationship.php:441
msgid "Select post type"
msgstr "Выберите тип записи"

#: includes/fields/class-acf-field-relationship.php:467
msgid "Select taxonomy"
msgstr "Выберите таксономию"

#: includes/fields/class-acf-field-relationship.php:557
msgid "Search..."
msgstr "Поиск..."

#: includes/fields/class-acf-field-relationship.php:669
msgid "Filters"
msgstr "Фильтры"

#: includes/fields/class-acf-field-relationship.php:675
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Тип записи"

#: includes/fields/class-acf-field-relationship.php:676
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Таксономия"

#: includes/fields/class-acf-field-relationship.php:683
msgid "Elements"
msgstr "Элементы"

#: includes/fields/class-acf-field-relationship.php:684
msgid "Selected elements will be displayed in each result"
msgstr "Выбранные элементы будут отображены в каждом результате"

#: includes/fields/class-acf-field-relationship.php:695
msgid "Minimum posts"
msgstr "Минимум записей"

#: includes/fields/class-acf-field-relationship.php:704
msgid "Maximum posts"
msgstr "Максимум записей"

#: includes/fields/class-acf-field-relationship.php:808
#: pro/fields/class-acf-field-gallery.php:815
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s требует выбрать как минимум %s значение"
msgstr[1] "%s требует выбрать как минимум %s значения"
msgstr[2] "%s требует выбрать как минимум %s значений"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Выбор (select)"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Доступно одно значение, нажмите Enter для его выбора."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d значений доступно, используйте клавиши вверх и вниз для навигации."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Подходящие значения не найдены"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Пожалуйста, введите 1 символ или больше"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Пожалуйста, введите %d или больше символов"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Пожалуйста, удалите 1 символ"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Пожалуйста, удалите %d символов"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Вы можете выбрать только одно значение"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Вы можете выбрать только %d значений"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Загрузка других значений&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Поиск&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Не получилось загрузить"

#: includes/fields/class-acf-field-select.php:397
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Стилизованный интерфейс"

#: includes/fields/class-acf-field-select.php:407
msgid "Use AJAX to lazy load choices?"
msgstr "Использовать AJAX для загрузки вариантов выбора?"

#: includes/fields/class-acf-field-select.php:423
msgid "Specify the value returned"
msgstr "Укажите возвращаемое значение"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Разделитель"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Вкладка"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
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 "Используйте это поле в качестве разделителя между группами вкладок"

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Нет %s [нет терминов]"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Выберите таксономию для отображения"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Отображение"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Выберите способ отображения поля"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Несколько значений"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Множественный выбор"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Одно значение"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Радио-кнопки"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Создание терминов"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Разрешнить создавать новые термины во время редактирования"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Сохранение терминов"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Связать выбранные термины с записью"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Загрузить термины"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Загрузить значения из терминов записей"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Объект термина"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID термина"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "У пользователя нет возможности добавить новый %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s уже существует"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s добавлен"

#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Добавить"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Текст"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Ограничение количества символов"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Оставьте пустым для снятия ограничений"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Область текста"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Строки"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Укажите высоту поля ввода"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Время"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Да / Нет"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Отображать текст рядом с переключателем"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Включено"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Текст в активном состоянии"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Выключено"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Текст в выключенном состоянии"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Ссылка"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Значение должно быть корректной ссылкой"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Пользователь"

#: includes/fields/class-acf-field-user.php:394
msgid "Filter by role"
msgstr "Фильтровать по группе"

#: includes/fields/class-acf-field-user.php:402
msgid "All user roles"
msgstr "Все группы пользователей"

#: includes/fields/class-acf-field-user.php:433
msgid "User Array"
msgstr "Массив с данными"

#: includes/fields/class-acf-field-user.php:434
msgid "User Object"
msgstr "Объект пользователя"

#: includes/fields/class-acf-field-user.php:435
msgid "User ID"
msgstr "ID пользователя"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Редактор WordPress"

#: includes/fields/class-acf-field-wysiwyg.php:346
msgid "Visual"
msgstr "Визуально"

#: includes/fields/class-acf-field-wysiwyg.php:347
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Текст"

#: includes/fields/class-acf-field-wysiwyg.php:353
msgid "Click to initialize TinyMCE"
msgstr "Нажмите для запуска TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:406
msgid "Tabs"
msgstr "Вкладки"

#: includes/fields/class-acf-field-wysiwyg.php:411
msgid "Visual & Text"
msgstr "Визуально и текст"

#: includes/fields/class-acf-field-wysiwyg.php:412
msgid "Visual Only"
msgstr "Только визуальный редактор"

#: includes/fields/class-acf-field-wysiwyg.php:413
msgid "Text Only"
msgstr "Только текстовый редактор"

#: includes/fields/class-acf-field-wysiwyg.php:420
msgid "Toolbar"
msgstr "Панель инструментов"

#: includes/fields/class-acf-field-wysiwyg.php:435
msgid "Show Media Upload Buttons?"
msgstr "Кнопки загрузки медиа"

#: includes/fields/class-acf-field-wysiwyg.php:445
msgid "Delay initialization?"
msgstr "Отложенная инициализация"

#: includes/fields/class-acf-field-wysiwyg.php:446
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE не будет инициализирован до клика по полю"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:301
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Редактировать группу полей"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Проверка Email"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:588 pro/options-page.php:81
msgid "Update"
msgstr "Обновить"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Запись обновлена"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Обнаружен спам"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Запись"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Страница"

#: includes/locations.php:96
msgid "Forms"
msgstr "Формы"

#: includes/locations.php:247
msgid "is equal to"
msgstr "равно"

#: includes/locations.php:248
msgid "is not equal to"
msgstr "не равно"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Медиафайл"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Все %s форматы"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Комментарий"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Группа текущего пользователя"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Администратор"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Текущий пользователь"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Авторизирован"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Просматривает лицевую часть сайта"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Просматривает административную панель"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Пункт меню"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Меню"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Расположение меню"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Меню"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Родитель страницы"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Шаблон страницы"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Шаблон по умолчанию"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Тип страницы"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Главная страница"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Страница записей"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Страница верхнего уровня (без родителя)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Родительская страница (есть дочерние страницы)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Дочерняя страница (есть родительские страницы)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Рубрика записи"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Формат записи"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Статус записи"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Таксономия записи"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Шаблон записи"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Пользователь"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Администратор или редактор"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Обычный пользователь"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Группа пользователя"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Виджет"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s значение требуется"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Опубликовано"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"С этой страницей настроек не связаны группы полей. <a href=\"%s\">Создать "
"группу полей</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Ошибка</b>. Не удалось подключиться к серверу обновлений"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Обновление"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Деактивировать лицензию"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Активировать лицензию"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Для разблокирования обновлений введите лицензионный ключ ниже. Если у вас "
"его нет, то ознакомьтесь с <a href=\"%s\" target=\"_blank\">деталями</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Номер лицензии"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Обновления"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Текущая версия"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Последняя версия"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Обновления доступны"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Обновить плагин"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Пожалуйста введите ваш номер лицензии для разблокировки обновлений"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Проверить еще раз"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Замечания по обновлению"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Клон"

#: 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:829
msgid "Display"
msgstr "Способ отображения"

#: 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:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Группа (сгруппировать выбранные поля в одно и выводить вместо текущего)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Отдельно (выбранные поля выводятся отдельно вместо текущего)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Ярлыки будут отображаться как %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Префикс для ярлыков полей"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Значения будут сохранены как %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Префикс для названий полей"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Неизвестное поле"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Неизвестная группа полей"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Все поля группы %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:463
msgid "Add Row"
msgstr "Добавить"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:938
#: pro/fields/class-acf-field-flexible-content.php:1020
msgid "layout"
msgid_plural "layouts"
msgstr[0] "макет"
msgstr[1] "макета"
msgstr[2] "макетов"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "макеты"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:937
#: pro/fields/class-acf-field-flexible-content.php:1019
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Это поле требует как минимум {min} {label}  {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Это поле ограничено {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} доступно (максимум {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} требуется (минимум {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Для гибкого содержания требуется как минимум один макет"

#: pro/fields/class-acf-field-flexible-content.php:302
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Нажмите на кнопку \"%s\" ниже для начала создания собственного макета"

#: pro/fields/class-acf-field-flexible-content.php:427
msgid "Add layout"
msgstr "Добавить макет"

#: pro/fields/class-acf-field-flexible-content.php:428
msgid "Remove layout"
msgstr "Удалить макет"

#: pro/fields/class-acf-field-flexible-content.php:429
#: pro/fields/class-acf-field-repeater.php:296
msgid "Click to toggle"
msgstr "Нажмите для переключения"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder Layout"
msgstr "Переместить макет"

#: pro/fields/class-acf-field-flexible-content.php:569
msgid "Reorder"
msgstr "Переместить"

#: pro/fields/class-acf-field-flexible-content.php:570
msgid "Delete Layout"
msgstr "Удалить макет"

#: pro/fields/class-acf-field-flexible-content.php:571
msgid "Duplicate Layout"
msgstr "Дублировать макет"

#: pro/fields/class-acf-field-flexible-content.php:572
msgid "Add New Layout"
msgstr "Добавить новый макет"

#: pro/fields/class-acf-field-flexible-content.php:643
msgid "Min"
msgstr "Минимум"

#: pro/fields/class-acf-field-flexible-content.php:656
msgid "Max"
msgstr "Максимум"

#: pro/fields/class-acf-field-flexible-content.php:683
#: pro/fields/class-acf-field-repeater.php:459
msgid "Button Label"
msgstr "Текст кнопки добавления"

#: pro/fields/class-acf-field-flexible-content.php:692
msgid "Minimum Layouts"
msgstr "Мин. количество блоков"

#: pro/fields/class-acf-field-flexible-content.php:701
msgid "Maximum Layouts"
msgstr "Макс. количество блоков"

#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Добавление изображений в галерею"

#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Выбрано максимальное количество изображений"

#: pro/fields/class-acf-field-gallery.php:336
msgid "Length"
msgstr "Длина"

#: pro/fields/class-acf-field-gallery.php:379
msgid "Caption"
msgstr "Подпись"

#: pro/fields/class-acf-field-gallery.php:388
msgid "Alt Text"
msgstr "Текст в ALT"

#: pro/fields/class-acf-field-gallery.php:559
msgid "Add to gallery"
msgstr "Добавить изображения"

#: pro/fields/class-acf-field-gallery.php:563
msgid "Bulk actions"
msgstr "Сортировка"

#: pro/fields/class-acf-field-gallery.php:564
msgid "Sort by date uploaded"
msgstr "По дате загрузки"

#: pro/fields/class-acf-field-gallery.php:565
msgid "Sort by date modified"
msgstr "По дате изменения"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Sort by title"
msgstr "По названию"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Reverse current order"
msgstr "Инвертировать"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Close"
msgstr "Закрыть"

#: pro/fields/class-acf-field-gallery.php:639
msgid "Minimum Selection"
msgstr "Мин. количество изображений"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Maximum Selection"
msgstr "Макс. количество изображений"

#: pro/fields/class-acf-field-gallery.php:657
msgid "Insert"
msgstr "Добавить"

#: pro/fields/class-acf-field-gallery.php:658
msgid "Specify where new attachments are added"
msgstr "Укажите куда добавлять новые вложения"

#: pro/fields/class-acf-field-gallery.php:662
msgid "Append to the end"
msgstr "Добавлять в конец"

#: pro/fields/class-acf-field-gallery.php:663
msgid "Prepend to the beginning"
msgstr "Добавлять в начало"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:656
msgid "Minimum rows reached ({min} rows)"
msgstr "Достигнуто минимальное количество ({min} элементов)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Достигнуто максимальное количество ({max} элементов)"

#: pro/fields/class-acf-field-repeater.php:333
msgid "Add row"
msgstr "Добавить"

#: pro/fields/class-acf-field-repeater.php:334
msgid "Remove row"
msgstr "Удалить"

#: pro/fields/class-acf-field-repeater.php:412
msgid "Collapsed"
msgstr "Сокращенный заголовок"

#: pro/fields/class-acf-field-repeater.php:413
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Выберите поле, которое будет отображаться в качестве заголовка при "
"сворачивании блока"

#: pro/fields/class-acf-field-repeater.php:423
msgid "Minimum Rows"
msgstr "Мин. количество элементов"

#: pro/fields/class-acf-field-repeater.php:433
msgid "Maximum Rows"
msgstr "Макс. количество элементов"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Страницы с настройками отсуствуют"

#: pro/options-page.php:51
msgid "Options"
msgstr "Опции"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Настройки были обновлены"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Для разблокировки обновлений введите ваш лицензионный ключ на странице <a "
"href=\"%s\">Обновление</a>. Если у вас его нет, то ознакомьтесь с <a href="
"\"%s\" target=\"_blank\">деталями</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Эллиот Кондон"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Parent fields"
#~ msgstr "Родительские поля"

#~ msgid "Sibling fields"
#~ msgstr "Поля одного уровня вложенности"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Экспортировать группы полей в PHP"

#~ msgid "Download export file"
#~ msgstr "Загрузить файл"

#~ msgid "Generate export code"
#~ msgstr "Генерировать код"

#~ msgid "Import"
#~ msgstr "Импорт"

#~ msgid "Locating"
#~ msgstr "Определение местоположение"

#~ msgid "Error."
#~ msgstr "Ошибка."

#~ msgid "No embed found for the given URL."
#~ msgstr "По указанной вами ссылке медиаконтент не обнаружен."

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Минимальное количество значений достигнуто ({min} значений)"

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ 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 "None"
#~ msgstr "Ничего"

#~ msgid "Taxonomy Term"
#~ msgstr "Таксономия"

#~ msgid "remove {layout}?"
#~ msgstr "удалить {layout}?"

#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Это поле требует как минимум {min} {identifier}"

#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Максимальное ограничение {label} достигнуто ({max} {identifier})"

#~ msgid "Getting Started"
#~ msgstr "Приступаем к работе"

#~ msgid "Field Types"
#~ msgstr "Типы полей"

#~ msgid "Functions"
#~ msgstr "Функции"

#~ msgid "Actions"
#~ msgstr "Действия"

#~ msgid "Features"
#~ msgstr "Возможности"

#~ msgid "How to"
#~ msgstr "Гайды"

#~ msgid "Tutorials"
#~ msgstr "Уроки и туториалы"

#~ msgid "FAQ"
#~ msgstr "Вопросы и ответы"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Метаданные для терминов не удалось обновить (таблица termmeta не "
#~ "существует)"

#~ msgid "Error"
#~ msgstr "Ошибка"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "%d поле требует внимания."
#~ msgstr[1] "%d поля требует внимания."
#~ msgstr[2] "%d полей требует внимания."

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Ошибка при проверке лицензии ACF PRO (адрес сайта не совпадает). "
#~ "Пожалуйста, переактивируйте лицензию"

#~ msgid "Customise WordPress with powerful, professional and intuitive fields"
#~ msgstr ""
#~ "Плагин для упрощения настройки и взаимодействия с дополнительными полями "
#~ "для содержимого"

#~ msgid "Disabled"
#~ msgstr "Отключено"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Отключено <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Отключено <span class=\"count\">(%s)</span>"
#~ msgstr[2] "Отключено <span class=\"count\">(%s)</span>"

#~ msgid "'How to' guides"
#~ msgstr "Руководства \"Как...\""

#~ msgid "Created by"
#~ msgstr "Создано"

#~ msgid "Error loading update"
#~ msgstr "Возникла ошибка при загрузке обновления"

#~ msgid "See what's new"
#~ msgstr "Посмотрите, что изменилось"

#~ msgid "eg. Show extra content"
#~ msgstr "Пример: Отображать дополнительное содержание"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Во время проверки лицензии, которая связана с адресом сайта, возникла "
#~ "ошибка. Пожалуйста, выполните активацию снова"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Импорт успешно завершен</b>. Было добавлено %s групп  полей: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Предупреждение</b>. Было обнаружено %s групп полей, которые уже "
#~ "существуют и были пропущены: %s"

#~ msgid "Upgrade ACF"
#~ msgstr "Обновить ACF"

#~ msgid "Upgrade"
#~ msgstr "Обновить"

#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Следующие сайты требуют обновления базы данных. Выберите необходимые и "
#~ "нажмите на кнопку \"Обновить базу данных\""

#~ msgid "Select"
#~ msgstr "Выбор"

#~ msgid "Done"
#~ msgstr "Готово"

#~ msgid "Today"
#~ msgstr "Сегодня"

#~ msgid "Show a different month"
#~ msgstr "Показать другой месяц"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Ошибка подключения</b>. Извините, попробуйте еще раз"

#~ msgid "See what's new in"
#~ msgstr "Узнайте, что нового в"

#~ msgid "version"
#~ msgstr "версии"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Перетащите поле для смены очередности"

#~ msgid "Return format"
#~ msgstr "Возвращаемый формат"

#~ msgid "uploaded to this post"
#~ msgstr "загружено для этой записи"

#~ msgid "File Name"
#~ msgstr "Имя файла"

#~ msgid "File Size"
#~ msgstr "Размер файла"

#~ msgid "No File selected"
#~ msgstr "Файл не выбран"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr "Пожалуйста, заметьте, что весь текст пройдет через WP функцию"

#~ msgid "Warning"
#~ msgstr "Предупреждение"

#~ msgid "Save Options"
#~ msgstr "Сохранить настройки"

#~ 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 "details & pricing"
#~ msgstr "детали и цены"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Для получения обновлений введите номер лицензии на странице <a href=\"%s"
#~ "\">Обновление</a>. Вы можете его или приобрести на <a href=\"%s\">сайте "
#~ "автора плагина</a>."

#~ msgid "Field&nbsp;Groups"
#~ msgstr "Группы полей"

#~ msgid "Hide / Show All"
#~ msgstr "Скрыть / Показать все"

#~ msgid "Show Field Keys"
#~ msgstr "Показать ключи полей"

#~ msgid "Pending Review"
#~ msgstr "На утверждении"

#~ msgid "Draft"
#~ msgstr "Черновик"

#~ msgid "Future"
#~ msgstr "Отложенная публикация"

#~ msgid "Private"
#~ msgstr "Частная"

#~ msgid "Revision"
#~ msgstr "Редакция"

#~ msgid "Trash"
#~ msgstr "Корзина"

#~ msgid "Top Level Page (parent of 0)"
#~ msgstr "Самая верхняя страница (родитель 0)"

#~ msgid "Import / Export"
#~ msgstr "Импорт и экспорт"

#~ msgid "Logged in User Type"
#~ msgstr "Тип пользователя"

#~ msgid "Field groups are created in order <br />from lowest to highest"
#~ msgstr ""
#~ "Порядок отображения полей, начиная с самого меньшего значения и "
#~ "заканчивая самым большим"

#~ msgid "<b>Select</b> items to <b>hide</b> them from the edit screen"
#~ msgstr ""
#~ "<b>Выберите</b> элементы, которые необходимо <b>скрыть</b> на экране "
#~ "редактирования."

#~ 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 ""
#~ "Если на экране редактирования выводятся несколько групп полей, то группа "
#~ "c меньшим значением порядка очередности будет отображаться выше"

#~ msgid ""
#~ "We're changing the way premium functionality is delivered in an exiting "
#~ "way!"
#~ msgstr "Мы поменяли способ представления возможностей Premium!"

#~ 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."
#~ msgstr ""
#~ "Мы обнаружили ситуацию, требующую вашего внимания: Этот сайт использует "
#~ "дополнения Premium (%s), которые больше не поддерживаются ACF."

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "Не волнуйтесь, вы можете просто откатить плагин и продолжить использовать "
#~ "знакомый вам ACF."

#~ msgid "Roll back to ACF v%s"
#~ msgstr "Вернуться к ACF  v%s"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Узнать, почему ACF PRO необходим моему сайту"

#~ msgid "Update Database"
#~ msgstr "Обновление базы данных"

#~ msgid "Data Upgrade"
#~ msgstr "Обновление данных"

#~ msgid "Data upgraded successfully."
#~ msgstr "Данные успешно обновлены."

#~ msgid "Data is at the latest version."
#~ msgstr "Версия данных является последней."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "%s обязательное поле не заполнено"
#~ msgstr[1] "%s обязательных поля не заполнено"
#~ msgstr[2] "%s обязательных полей не заполнено"

#~ msgid "No taxonomy filter"
#~ 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"
#~ msgstr ""
#~ "Загрузить значение основываясь на терминах записи и обновить термины "
#~ "записи при сохранении."

#~ msgid "Attachment Details"
#~ msgstr "Информация о вложении"

#~ msgid "Custom field updated."
#~ msgstr "Произвольное поле обновлено."

#~ msgid "Custom field deleted."
#~ msgstr "Произвольное поле удалено."

#~ msgid "Field group restored to revision from %s"
#~ msgstr "Группа полей восстановлена из редакции %s"

#~ msgid "Full"
#~ msgstr "Полный"

#~ msgid "No ACF groups selected"
#~ msgstr "Группы ACF не выбраны"

#~ msgid "Repeater Field"
#~ msgstr "Повторающееся поле"

#~ msgid ""
#~ "Create infinite rows of repeatable data with this versatile interface!"
#~ msgstr "Создавайте повторающиеся поля с этим многофунциональным аддоном!"

#~ msgid "Gallery Field"
#~ msgstr "Поле галереи"

#~ msgid "Create image galleries in a simple and intuitive interface!"
#~ msgstr "Создавайте галереи с этим простым и интуитивным интерфейсом!"

#~ msgid "Create global data to use throughout your website!"
#~ msgstr ""
#~ "Создайте глобальные данные, которые можно будет использовать по всему "
#~ "сайту."

#~ msgid "Flexible Content Field"
#~ msgstr "Гибкое содержание"

#~ msgid "Create unique designs with a flexible content layout manager!"
#~ msgstr "Создавайте уникальные дизайны с настраиваемым гибким макетом."

#~ msgid "Gravity Forms Field"
#~ msgstr "Поле \"Gravity Forms\""

#~ msgid "Creates a select field populated with Gravity Forms!"
#~ msgstr "Создает поля использующие Gravity Forms."

#~ msgid "Date & Time Picker"
#~ msgstr "Выбор даты и времени"

#~ msgid "jQuery date & time picker"
#~ msgstr "jQuery плагин выбора даты и времени"

#~ msgid "Location Field"
#~ msgstr "Поле местоположения"

#~ msgid "Find addresses and coordinates of a desired location"
#~ msgstr "Найдите адреса и координаты выбраного места."

#~ msgid "Contact Form 7 Field"
#~ msgstr "Поле \"Contact Form 7\""

#~ msgid "Assign one or more contact form 7 forms to a post"
#~ msgstr "Добавьте одно или больше форм \"Contact Form 7\" в запись."

#~ 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 ""
#~ "Следующие аддоны могут увеличить функционал плагина \"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)."
#~ msgstr ""
#~ "Каждый аддон может быть установлен, как отдельный плагин (который "
#~ "обновляется), или же может быть включен в вашу тему (обновляться не "
#~ "будет)."

#~ msgid "Purchase & Install"
#~ msgstr "Купить и установить"

#~ msgid "Download"
#~ msgstr "Скачать"

#~ msgid "Select the field groups to be exported"
#~ msgstr "Выберите группы полей, которые надо экспортировать."

#~ msgid "Export to XML"
#~ msgstr "Экспортировать в XML файл"

#~ msgid "Export to PHP"
#~ msgstr "Экспортировать в PHP файл"

#~ msgid ""
#~ "ACF will create a .xml export file which is compatible with the native WP "
#~ "import plugin."
#~ msgstr "ACF создат .xml файл, который совместим с WP Import плагином."

#~ msgid ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "Импортированные группы полей <strong>появятся</strong> в списке "
#~ "редактируемых групп полей. Эта функция очень полезна в случае переезда с "
#~ "одного WP сайта на другой."

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr ""
#~ "Выберите группу(-ы) полей из списка и нажмите на кнопку \"Экспортировать "
#~ "в XML файл\"."

#~ msgid "Save the .xml file when prompted"
#~ msgstr "Сохраните .xml файл при запросе сохранить файл."

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr ""
#~ "Зайдите во \"Инструменты\" &raquo; \"Импорт\", и выберите \"WordPress\"."

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "Установите WP Import плагин."

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "Загрузите и импортируйте ваш экспортированный .xml файл."

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "Выберите вашего пользователя и не импортируйте вложенные файлы."

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "Вот и все. Удачной работы с WordPress!"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr "ACF создат код PHP, который можно будет включить в вашу тему."

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable "
#~ "field groups. This is useful for including fields in themes."
#~ msgstr ""
#~ "Импортированные группы полей <strong>не появятся</strong> в списке  "
#~ "редактируемых групп полей. Данный способ удобен при необходимости "
#~ "включить поля в темы."

#~ 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 ""
#~ "Пожалуйста, заметьте, если вы экспортируете а затем импортируете группы "
#~ "полей в один и тот же сайт WP, вы увидите дублированные поля на экране "
#~ "редактирования. Чтобы исправить это, перенесите оригинальную группы полей "
#~ "в корзину или удалите код из вашего \"<em>functions.php</em>\" файла."

#~ msgid "Select field group(s) from the list and click \"Create PHP\""
#~ msgstr ""
#~ "Выберите группу(-ы) полей из списка, затем нажмите на кнопку "
#~ "\"Экспортировать в PHP файл\"."

#~ msgid "Copy the PHP code generated"
#~ msgstr "Скопируйте сгенерированный PHP код."

#~ msgid "Paste into your functions.php file"
#~ msgstr "Вставьте его в ваш \"<em>functions.php</em>\" файл."

#~ msgid ""
#~ "To activate any Add-ons, edit and use the code in the first few lines."
#~ msgstr ""
#~ "Чтобы активировать аддоны, отредактируйте и вставьте код в первые "
#~ "несколько строк."

#~ msgid "Notes"
#~ msgstr "Заметки"

#~ 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 ""
#~ "Плагин \"Advanced Custom Fields\" может быть включен в тему. Для этого, "
#~ "переместите плагин ACF в папку вашей темы, и добавьте следующий код в ваш "
#~ "\"<em>functions.php</em>\" файл:"

#~ msgid ""
#~ "To remove all visual interfaces from the ACF plugin, you can use a "
#~ "constant to enable lite mode. Add the following code to you functions.php "
#~ "file <b>before</b> the include_once code:"
#~ msgstr ""
#~ "Чтобы убрать весь визуальный интерфейс из плагина ACF, вы можете "
#~ "использовать константу, чтобы включить \"Режим Lite\". Добавьте следующий "
#~ "код в ваш \"<em>functions.php</em>\" файл <strong>перед</strong> "
#~ "<em>include_once</em>:"

#~ msgid "Back to export"
#~ msgstr "Вернуться к экспорту"

#~ msgid ""
#~ "/**\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"
#~ " *  \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"
#~ " *  \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"
#~ " *  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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " *  Установка аддонов\n"
#~ " *  \n"
#~ " *  Следующий код включит все 4 премиум аддона в вашу тему.\n"
#~ " *  Пожалуйста, не пытайтесь включить файл, который не существует. Это "
#~ "вызовет ошибку.\n"
#~ " *  \n"
#~ " *  Все поля должны быть включены во время 'acf/register_fields' "
#~ "действия.\n"
#~ " *  Другие типы аддонов (такие, как страница с опциями) могут быть "
#~ "включены вне этого действия.\n"
#~ " *  \n"
#~ " *  Следующий код предполагает, что у вас есть папка 'add-ons' в вашей "
#~ "теме.\n"
#~ " *\n"
#~ " *  ВАЖНО\n"
#~ " *  Аддоны могут быть включены в премиум темы, как указано в Правилах и "
#~ "условиях.\n"
#~ " *  Тем не менее, они не будут включены в бесплатный или премиум плагин.\n"
#~ " *  Для большей информации, пожалуйста, прочтите http://www."
#~ "advancedcustomfields.com/terms-conditions/\n"
#~ " */"

#~ msgid ""
#~ "/**\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"
#~ " */"
#~ msgstr ""
#~ "/**\n"
#~ " *  Регистрация группы полей\n"
#~ " *\n"
#~ " *  Функция 'register_field_group' принимает один массив, который держит "
#~ "соответственные данные, чтобы зарегистрировать группу полей.\n"
#~ " *  Вы можете редактировать этот массив, как посчитаете нужным. Однако, "
#~ "это может вызвать ошибки, если массив не совмествим с ACF.\n"
#~ " */"

#~ msgid "No field groups were selected"
#~ msgstr "Группы полей не выбраны"

#~ msgid "Show Field Key:"
#~ msgstr "Отображать ключ поля:"

#~ msgid "Vote"
#~ msgstr "Оценить"

#~ msgid "Follow"
#~ 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 "What’s New"
#~ msgstr "Что нового"

#~ msgid "Download Add-ons"
#~ msgstr "Скачать аддоны"

#~ 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 ""
#~ "Аддоны теперь активируются скачивая и устанавливая индивидуальные "
#~ "плагины. Не смотря на то, что эти плагины не будут загружены на 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 "Этот сайт использует премиум аддоны, которые должны быть скачаны."

#~ 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 "Easier Development"
#~ msgstr "Упрощенная разработка"

#~ msgid "New Field Types"
#~ msgstr "Новые типы полей"

#~ msgid "Taxonomy Field"
#~ msgstr "Поле таксономии"

#~ msgid "User Field"
#~ msgstr "Поле пользователя"

#~ msgid "Email Field"
#~ msgstr "Поле email"

#~ msgid "Password Field"
#~ msgstr "Поле пароля"

#~ msgid "Custom Field Types"
#~ 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 "Migrating your field types is easy, please"
#~ msgstr "Миграция ваших типов полей очень проста, пожалуйста,"

#~ msgid "follow this tutorial"
#~ msgstr "следуйте этому уроку,"

#~ msgid "to learn more."
#~ msgstr "чтобы узнать больше."

#~ msgid "Actions &amp; Filters"
#~ msgstr "Действия и фильтры"

#~ msgid ""
#~ "All actions & filters have recieved a major facelift to make customizing "
#~ "ACF even easier! Please"
#~ msgstr ""
#~ "Все действия и фильтры получили крупное внешне обновление, чтобы сделать "
#~ "настраивание ACF еще более простым! Пожалуйста, "

#~ msgid "read this guide"
#~ msgstr "прочитайте этот гид,"

#~ msgid "to find the updated naming convention."
#~ msgstr "чтобы найти обновленное собрание названий."

#~ msgid "Preview draft is now working!"
#~ msgstr "Предпросмотр черновика теперь работает!"

#~ msgid "This bug has been squashed along with many other little critters!"
#~ msgstr ""
#~ "Эта ошибка была раздавленна наряду со многими другими мелкими тварями!"

#~ msgid "See the full changelog"
#~ msgstr "Посмотреть весь журнал изменений"

#~ msgid "Important"
#~ msgstr "Важно"

#~ msgid "Database Changes"
#~ msgstr "Изменения в базе данных"

#~ msgid ""
#~ "Absolutely <strong>no</strong> 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 ""
#~ "Не было абсолютно <strong>никаких</strong> изменений в базе данных между "
#~ "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 "Migrating from v3 to v4"
#~ msgstr "Переезд с версии 3 до версии 4"

#~ msgid "guide to view the full list of changes."
#~ msgstr "для полного списка изменений."

#~ msgid "Really Important!"
#~ msgstr "Очень важно!"

#~ msgid ""
#~ "If you updated the ACF plugin without prior knowledge of such changes, "
#~ "Please roll back to the latest"
#~ msgstr ""
#~ "Если вы обновили плагин ACF без предварительных знаний об изменениях, "
#~ "пожалуйста, откатитесь до последней"

#~ msgid "version 3"
#~ msgstr "версиай 3"

#~ msgid "of this plugin."
#~ msgstr "этого плагина."

#~ msgid "Thank You"
#~ msgstr "Благодарим вас"

#~ msgid ""
#~ "A <strong>BIG</strong> thank you to everyone who has helped test the "
#~ "version 4 beta and for all the support I have received."
#~ msgstr ""
#~ "<strong>БОЛЬШОЕ</strong> спасибо всем, кто помог протестировать версию 4 "
#~ "бета и за всю поддержку, которую мне оказали."

#~ msgid "Without you all, this release would not have been possible!"
#~ msgstr "Без вас всех, этот релиз был бы невозможен!"

#~ msgid "Changelog for"
#~ msgstr "Журнал изменений по"

#~ msgid "Learn more"
#~ msgstr "Узнать больше"

#~ 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 ""
#~ "Раньше, все аддоны разблокировались с помощью когда активации (купленные "
#~ "в магазине аддонов ACF). Новинка в версии 4, все аддоны работают, как "
#~ "отдельные плагины, которые должны быть скачаны, установлены и обновлены "
#~ "отдельно."

#~ 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."
#~ msgstr "Следующие аддоны были обнаружены активированными на этом сайте."

#~ msgid "Activation Code"
#~ msgstr "Код активации"

#~ msgid "Installation"
#~ msgstr "Установка"

#~ msgid "For each Add-on available, please perform the following:"
#~ msgstr "Для каждого доступно аддона, выполните, пожалуйста, следующее:"

#~ msgid "Download the Add-on plugin (.zip file) to your desktop"
#~ msgstr "Скачайте плагин аддона (.zip файл) на ваш компьютер."

#~ msgid "Navigate to"
#~ msgstr "Перейти в"

#~ msgid "Plugins > Add New > Upload"
#~ msgstr ""
#~ "Откройте \"Плагины\" &raquo; \"Добавить новый\" &raquo; \"Загрузить\"."

#~ 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 "The Add-on is now installed and activated!"
#~ msgstr "Аддон теперь установлен и активирован!"

#~ msgid "Awesome. Let's get to work"
#~ msgstr "Превосходно! Приступим к работе."

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr ""
#~ "Проверка не удалась. Один или больше полей ниже обязательны к заполнению."

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "Изменение опций \"отображать на странице\" группы полей"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "Изменение опции \"таксономия\" поля"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr ""
#~ "Перенос пользовательских произвольных полей из \"wp_options\" в "
#~ "\"wp_usermeta\""

#~ msgid "blue : Blue"
#~ msgstr "blue : Blue"

#~ msgid "eg: #ffffff"
#~ msgstr "Пример: #ffffff"

#~ msgid "Save format"
#~ msgstr "Сохранить формат"

#~ 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\" самоый практичный формат. Прочитать больше о"

#~ msgid "jQuery date formats"
#~ msgstr "jQuery форматах дат"

#~ 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 "Dummy"
#~ msgstr "Макет"

#~ msgid "No File Selected"
#~ msgstr "Файл не выбран"

#~ msgid "File Object"
#~ msgstr "Файловый объект"

#~ msgid "File Updated."
#~ msgstr "Файл обновлен."

#~ msgid "Media attachment updated."
#~ msgstr "Вложение медиа обновлено."

#~ msgid "No files selected"
#~ msgstr "Файлы не выбраны"

#~ msgid "Add Selected Files"
#~ msgstr "Добавить выбранные файлы"

#~ msgid "Image Object"
#~ msgstr "Изображаемый объект"

#~ msgid "Image Updated."
#~ msgstr "Изображение обновлено."

#~ msgid "No images selected"
#~ msgstr "Изображение не выбраны"

#~ msgid "Add Selected Images"
#~ msgstr "Добавить выбранные изображения"

#~ msgid "Text &amp; HTML entered here will appear inline with the fields"
#~ msgstr "Текст и HTML введенный сюда появится на одной строке с полями."

#~ msgid "Filter from Taxonomy"
#~ msgstr "Фильтровать по таксономии"

#~ msgid "Enter your choices one per line"
#~ msgstr "Введите каждый вариант выбора на новую строку."

#~ msgid "Red"
#~ msgstr "Red"

#~ msgid "Blue"
#~ msgstr "Blue"

#~ msgid "Post Type Select"
#~ msgstr "Выбор типа записи"

#~ msgid "Post Title"
#~ msgstr "Заголовок записи"

#~ msgid ""
#~ "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."
#~ msgstr ""
#~ "Вы можете использовать несколько вкладок, чтобы разделить свои поля на "
#~ "разделы."

#~ msgid "Formatting"
#~ msgstr "Форматирование"

#~ msgid "Define how to render html tags"
#~ msgstr "Определите, как отображать HTML теги."

#~ msgid "HTML"
#~ msgstr "HTML"

#~ msgid "Define how to render html tags / new lines"
#~ msgstr "Определите, как отображать HTML теги и новые строки."

#~ msgid "auto &lt;br /&gt;"
#~ msgstr "автоматические &lt;br /&gt;"

# Must be non-translateable.
#~ msgid "new_field"
#~ msgstr "new_field"

#~ msgid "Field Order"
#~ msgstr "Очередность поля"

#~ msgid "Field Key"
#~ msgstr "Ключ поля"

#~ msgid "Edit this Field"
#~ msgstr "Редактировать это поле."

#~ msgid "Read documentation for this field"
#~ msgstr "Прочитайте документацию по этому полю."

#~ msgid "Docs"
#~ msgstr "Документация"

#~ msgid "Duplicate this Field"
#~ msgstr "Копировать это поле"

#~ msgid "Delete this Field"
#~ msgstr "Удалить это поле"

#~ msgid "Field Instructions"
#~ msgstr "Инструкции по полю"

#~ msgid "Show this field when"
#~ msgstr "Отображать это поле, когда"

#~ msgid "all"
#~ msgstr "все"

#~ msgid "any"
#~ msgstr "любое"

#~ msgid "these rules are met"
#~ msgstr "из этих условий придерживаются"

#~ msgid "Taxonomy Term (Add / Edit)"
#~ msgstr "Термин таксономии (Добавить / Редактировать)"

#~ msgid "User (Add / Edit)"
#~ msgstr "Пользователь (Добавить / Редактировать)"

#~ msgid "Media Attachment (Edit)"
#~ msgstr "Вложение медиа (Редактировать)"

#~ msgid "Unlock options add-on with an activation code"
#~ msgstr "Разблокировать опции аддона с помощью кода активации."

#~ msgid "Normal"
#~ msgstr "Обычно"

#~ msgid "No Metabox"
#~ msgstr "Без метабокса"

#~ msgid "Standard Metabox"
#~ msgstr "Стандартный метабокс"
PK�[͓�0��lang/acf-fi.monu�[�������w�)h7i7�7�76�7:�7D8W8
l8w8�80�8)�8=�8079"h9��9;0:l:}:M�:�:-�:
;;	;";7;
?;M;a;p;
x;�;�;�;�;�;�;'�;�;<<�-<�=�=
�=�=�=�=!�=>(>A5>w>,�>�>�>
�>�>�> ?)?B?I?[?a?
j?
x?�?�?�?�?c�?.@;@H@_@t@�@�@�@�@�@�@�@�@�@
�@�@A	A&A6ABAKAcAjArAxA9�A�A�A�A�A�AB	B'B/4BdBlBuB"�B�B�B#�B�B[�B
NC\CiC{C
�C�CE�C�CDGD:bD�D�D �D�DE"E?EPE!nE"�E#�E!�E,�E,&F%SFyF!�F%�F%�F-G!3G*UG�G�G�G
�G�G�G
�G�G�G
�G	HH$ H
EHSHfH{H	�H�H�H�H�H�H
�H�H	�H
I
II+I
4IBI
HI	SI	]I gI&�I&�I�I�I�IJ
JJ-JHJWJ]JiJ
vJ�J
�J
�J�J�J�J�JKKR3K�K�K�K�K1�KL9LA@L�L
�L�L�L	�L	�L�L"�L�LM#M6MEMMMcM+tMC�M?�M$N+N
1N	<NFNNNcN
~N�N=�N�N�N�N
�N�O�O�O�O	�O#�O"�O"�O!P9P.@PoP�P/�P
�P�P�P�PQ�P�QQ�QRR	RR3R4@RuRy�RSS
SS<SBSQSXSqS~S�S�S�S�S�S
�S�S
�S�ST
TT(T	1T�;T�T�T�T�TU
U
%U!3UUU'oU2�U�U�U	�U�U�U�U�UV	VV&V
8V
FV!TV'vV	�V<�V�V�V�V
WW2W
OW]WjWzW1W	�W�W	�W�W	�WJ�W6X/CXNsX.�XQ�XQCY�Y`�Y�YZ.Z>Z
WZ!eZ�ZT�Z�Z[[)[@[O[j[�[�[�[�[�[�[�[�[�[�[�[	�[\\\	#\-\
9\	G\Q\X\
s\�\	�\�\	�\Z�\5
],@]m]v]
{]�]�]�]�]
�]
�]	�]�]
�]�]^^,^/4^d^}^�^�^�^
�^�^2�^�^�_�_
�_�_�_�_
�_
�_�_``	`	)`$3`%X`
~`
�`�`�`�`	�`�`�`�`+�`*aAaMa
Ya
daoa3�a�a�a
�a�a	�a.b	1b;bHb\bhbub0�b�b+�b�bc�c#�c�c#�d5�d74e>le?�e#�e1f%AfGgfV�f&g:-g<hg2�g�g	�g�g
h&h/hJhchvh�h�h�h�h6�hii,iFiKi0bi�i�i
�i
�i'�i0j44jij'�j�j�j	�j�j�j
�j�j�jkkk-kEkIkOkTkYk
bkpkxk�k	�k	�k�k�k1�k!�kZ!l3|lE�lA�l^8n(�n*�n#�n6o@For�o<�o,7p/dp7�p3�p	q
q5qLq�Rqk�q�er�r
ssss8sDsQsVses
ms{s�s�s�s�s�s
�s�s�s�s
	tt(tEtVtltQpt�t<�tu	#u	-u7uQu`uru�u�u�u(�u'�uv+v
4v?vPvavsv
zv�v��v'8wM`w�w�w!�w
�w�w�w�wx!x%x2*x]xaxixoxtx%�x�x�x�x�x�x�x
�x�xy
y	
yy	(y2y>yJy6Py4�y�y�|
�|}:}<N}E�}�}
�}�}~6$~0[~F�~/�~#�'A�(�9�WE���8��ހ���&�3�H�c�y���������с	��*�%0�V�]�n��~�#A�e�r�����+����4�
G�3U���������݅��
�
,�7�
G�R�
[�i�o�"{�����qĆ6�P�j�������͇.Ӈ��
 �.�@�
H�
S�^�g�
}�������$��܈�	����6�1L�~���
������
‰͉G܉	$�	.�8�"L�	o�y�,����Yϊ)�8�M�g�w���O�����T�Fk���ʌ	Ќڌ	��&����"�&�,�9�	F�P�S�U�]�e�r�w�������
��č؍ߍ���
���%0�V�g�w�0����Ŏ֎�����&�>�
P�^�p�	��
��������֏)�,�;9�u�����������Ӑ
���
��!�0�?�
L�Z�%r�����͑�R�S�m�$����Pʒ�9�_A�������
��Γݓ,�#�=�]�s�������ǔ$ڔH��eH���	����ƕՕޕ"�
�#�P*�{����������I�N�S�	\�-f�$��,��#�
�%�4�G�.`�������
И[ޘ�:��
��	�$�4�8;�t�y���	��5!�W�[�h�(q���������
қ!��	� �2�>�]�f�	w��������n�s�������ǝӝ1��+6�/b�
��������ƞΞ՞
ٞ���
.� 9�1Z�/����W̟$�,�;�W�!g�(����Ƞ!נ������-�
=�K�aW���/ɡG��0A�br�dբ:�h=���(£�"�$�31�e�e������(�H�N� l���������ƥݥ!�	��*�
@�K�\�`�e�	w���	������(��٦�����\�.m�����	��ȧݧ
�
��
��	0�:�J�`�q�������1�����	�%�2�
?�7M������d�p���������ʪ֪�	��	$�.�)H�
r�
}�������Ыܫ�
�K�0>�o���������<ʬ��
 �.�=�5E�
{�
��������ɭ=ح�(-�V�n�_��!��%�1�A� T� u�����ʰCްu"�
����ű4��.�;�O�	g�q�!����(ϲ!��
�(�".�HQ�����8��� �3$�;X�+����ٴ'�<�BS�!��+�������
:�E�\�d�{�����
��ö̶
ض
�����
�
��3+�7_�9��ѷi�+[�B��,ʸd��G\�[��!�E"�:h�{��D�.d�5��=ɼ*�2�>�>Q������je��о������	��-������
*�5�H�	a�k��������������� � @�&a���h��7��B-�p�|���$����$��"�#�(�B�,`�,�����������'�	?�I�]��l�1-�S_�����.����!�(�>�N�U�8]�����������$���������	"�,�3�@�G�K�e�v�~�	����7��4��}O��ex$21������
�y�����#}�Lrl� rWqFB�����J)f5dDafQ>!9vM�Z�VE����;~��3]w/����_��H�mB|����5ARI�t����[)��n���K���8I�NC��\z(7g{
B�����Y����=|'o�c��c�-D\h��_y�5U��,X��j���N`w�N��^���������P	�t���u��^8�wA��l����!L��z����sX��(=�Z@p���VP��o��Ep:�+�n
{V�m9Z>���1�Ma[^��4����#3���o`�mI�E��,q4�!c�fl���O�%�U-�?h��K�u�D�<�&x���@����W����Q�+�a?��r��H��8� ��-p�?����j�1zGi�
s�|22�.����ug]�n�*U��0��H<G"�s�*%G��3@�:[Tt�C���;�.YK����:����v��q�����S�7L��>x�"/F��k')h�T��	�6~J������06#]+d�b/���Cey�*A�Q �M'�g��O_���T�<W`7�S%
�	�d��b(,eii�bv��
RS��X��P0��;Y��6R$���&\F{�&~���$�jk.=�k���"J�9}�4%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-09-22 14:17+0300
PO-Revision-Date: 2018-02-06 10:05+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: 
Language: fi
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d kenttää vaativat huomiota%s lisättiin%s on jo olemassa%s kenttäryhmä monistettu.%s kenttäryhmät monistettu.%s kenttäryhmä synkronoitu.%s kenttäryhmät synkronoitu.%s vaatii vähintään %s valinnan%s vaatii vähintään %s valintaa%s arvo on pakollinen(ei otsikkoa)+ Lisää kenttäYksi kenttä vaatii huomiota<b>Virhe</b>. Ei voitu yhdistää päivityspalvelimeen<b>Virhe</b>. Lisäosa luetteloa ei voitu ladata<b>Valitse</b> kohteita <b>piilottaaksesi</b> ne muokkausnäkymästä.Lisättiin uusi kenttä sisällön upottamiseenSujuvampi kenttien muokkaus kokemusACF PRO sisältää tehokkaita ominaisuuksia, kuten toistuva data, joustavat sisältö layoutit, kaunis galleriakenttä sekä mahdollisuus luoda ylimääräisiä ylläpitäjän asetussivuja!ACF tallentaa nyt kenttäasetukset yksittäisenä artikkeliolionaAktivoi lisenssiKäytössäKäytössä <span class="count">(%s)</span>Käytössä <span class="count">(%s)</span>LisääLisää 'Muu' vaihtoehto salliaksesi mukautettuja arvojaLisää / MuokkaaLisää tiedostoLisää kuvaLisää kuva galleriaanLisää uusiLisää uusi kenttäLisää uusi kenttäryhmäLisää uusi asetteluLisää riviLisää asetteluLisää uusi valintaLisää riviLisää sääntöryhmäLisää galleriaanLisäosatAdvanced Custom FieldsAdvanced Custom Fields tietokantapäivitysAdvanced Custom Fields PRO -lisäosanKaikkiKaikki %s muodotKaikki 4 premium lisäosaa on yhdistetty uuteen <a href="%s">ACF:n PRO versioon</a>. Lisensseistä saatavilla on sekä henkilökohtaisia että kehittäjien lisenssejä, joten korkealuokkaiset toiminnallisuudet ovat nyt edullisimpia ja saavutettavampia kuin koskaan ennen!Kaikki kentät, jotka seuraavat tätä "välilehtikenttää" (tai kunnes toinen "välilehtikenttä" määritellään) ryhmitellään yhteen ja välilehden otsikoksi tulee tämän kentän nimiö.Kaikki kentät kenttäryhmästä %sKaikki kuvatKaikki artikkelityypitKaikki taksonomiatKaikki käyttäjäroolitSalli käyttäjän syöttää omia arvojaanSalli arkistojen URL-osoitteitaSalli mukautettuHaluatko, että HTML-merkinnät näkyvät tekstinä?Salli tyhjä?Salli uusien ehtojen luominen samalla kun muokataanSallitut tiedostotyypitVaihtoehtoinen tekstiUlkoasuNäkyy input-kentän jälkeenNäkyy ennen input-kenttääKentän oletusarvoNäkyy input-kentän sisälläLoppuliiteLisää loppuunKäytäArkistotOletko varma?LiiteKirjoittajaLisää automaattisesti &lt;br&gt;Lisää automaattisesti kappalePerusEnnen kuin alat käyttämään uusia mahtavia ominaisuuksia, ole hyvä ja päivitä tietokantasi uuteen versioon.Tasaa kentän alapuolelleTasaa nimiön alapuolelleParemmat Front Endin lomakkeetParemmat asetukset sivutParempi validointiParempi versionhallintaLohkoMolemmat (palautusmuoto on tällöin taulukko)MassatoiminnotMassatoiminnotPainikeryhmäPainikkeen tekstiPeruutaKuvatekstiKategoriatSijaintiKartan oletussijaintiMuutoslokiMerkkirajoitusTarkista uudelleenValintaruutuLapsi sivu (sivu, jolla on vanhempi)Valinta-kentätValinnatTyhjennäTyhjennä paikkatietoKlikkaa ”%s” -painiketta luodaksesi oman asettelunKlikkaa ottaaksesi käyttöön graafisen editorinPiilota/NäytäSuljeSulje kenttäSulje ikkunaVähemmän tietojaPiilotettuVärinvalitsinErota pilkulla. Jätä tyhjäksi, jos haluat sallia kaikki tiedostyypitKommenttiKommentitEhdollinen logiikkaYhdistä valitut ehdot artikkeliinSisältöSisältöeditoriMäärittää kuinka uudet rivit muotoillaanUusien ehtojen luominenTästä voit määrittää, missä muokkausnäkymässä tämä kenttäryhmä näytetäänNykyinen väriNykyinen käyttäjäNykyinen käyttäjärooliNykyinen versioLisäkentätMukautettu:Muokkaa WordPressiä tehokkailla, ammattimaisilla ja intuitiivisilla kentillä.Muotoile kartan korkeusTietokanta on päivitettäväTietokanta on päivitetty. <a href="%s">Palaa verkon hallinnan ohjausnäkymään</a>Tietokannan päivitys on valmis. <a href="%s">Katso mitä on uutta</a>PäivämäärävalitsinSuljeTänäänSeuraavaEdellinenVkPäivämäärä- ja kellonaikavalitsinAMASuljeNytTuntimikrosekuntimillisekuntiminuuttiaPMPSekuntiValitseValitse aikaAikaAikavyöhykePoista lisenssi käytöstä OletusOletus sivupohjaOletusarvoViivytä alustusta?PoistaPoista asetteluPoista kenttäKuvausKeskusteluNäytäMuokkausnäkymän muotoNäytä teksti valintaruudun rinnallaDokumentaatioLataa ja asennaLataa vientitiedostoMuuta järjestystä vetämällä ja pudottamallaMonistaMonista asetteluMonista kenttäMonista tämä kohdeHelppo päivitysMuokkaaMuokkaa kenttääMuokkaa kenttäryhmääMuokkaa tiedostoaMuokkaa kuvaaMuokkaa kenttääMuokkaa kenttäryhmääElementitElliot CondonSähköpostiUpotuksen kokoVälilehtiryhmän aloitusSyötä URLSyötä jokainen valinta uudelle riville.Syötä jokainen oletusarvo uudelle riville.Virhe ladattaessa tiedostoa. Ole hyvä ja yritä uudelleen.Virhe pyynnön käsittelyssäVirhe.Escape HTMLKatkelmaEnemmän tietojaVie kenttäryhmiäVie kenttäryhmä PHP:lläArtikkelikuvaKenttäKenttäryhmäKenttäryhmätKenttäavaimetKentän nimiöKentän nimiKenttätyyppiKenttäryhmä poistettuLuonnos kenttäryhmästä päivitettyKenttäryhmä monistettu. %sKenttäryhmä julkaistuKenttäryhmä tallennettuKenttäryhmä ajoitettu.Kenttäryhmien asetuksiin lisättiin määritykset nimiön ja ohjeiden sijainnilleKenttäryhmä lähetetty.Kenttäryhmä synkronoitu. %sKenttäryhmän otsikko on pakollinenKenttäryhmä päivitettyKenttäryhmät, joilla on pienempi järjestysnumero, tulostetaan ensimmäisenä.Kenttätyyppi ei ole olemassaKentätKentät voidaan nyt linkittää kommentteihin, vimpaimiin ja kaikkiin käyttäjä lomakkeisiin!TiedostoTiedostoTiedoston IDTiedoston URLTiedoston nimiTiedoston kokoTiedoston koko täytyy olla vähintään %s.Tiedoston koko ei saa ylittää %s:Tiedoston koko täytyy olla %s.Suodata tyypin mukaanSuodata taksonomian mukaanSuodata roolin mukaanSuodattimetEtsi nykyinen sijaintiJoustava sisältöVaaditaan vähintään yksi asetteluHalutessasi voit määrittää sekä arvon että nimiön tähän tapaan:Lomakkeen validointi tehdään nyt PHP + AJAX sen sijaan, että käytettäisiin pelkästään JS:ääMuotoLomakkeetEtusivuTäysikokoinenGalleriaGeneroi vientikoodiHyvästi lisäosat. Tervetuloa PROGoogle KarttaRyhmäRyhmä (valitut kentät näytetään ryhmänä tämän klooni-kentän sisällä)KorkeusPiilota näytöltäKorkea (otsikon jälkeen)VaakasuuntainenJos muokkausnäkymässä on useita kenttäryhmiä, ensimmäisen (pienin järjestysnumero) kenttäryhmän piilotusasetuksia käytetäänKuvaKuvaKuvan IDKuvan URLKuvan korkeus täytyy olla vähintään %dpx.Kuvan korkeus ei saa ylittää %dpx.Kuvan leveys täytyy olla vähintään %dpx.Kuvan leveys ei saa ylittää %dpx.TuoTuonti / Vienti käyttää nyt JSONiaTuo kenttäryhmiäTuotu tiedosto on tyhjäTuotu 1 kenttäryhmäTuotu %s kenttäryhmääParannetut dataParantunut muotoiluKäytettävyyttä parannettuEi-aktiivinenEi-aktiivinen <span class="count">(%s)</span>Ei-aktiivisia <span class="count">(%s)</span>Mukaan otettu Select2-kirjasto on parantanut sekä käytettävyyttä että nopeutta erilaisissa kenttätyypeissä kuten artikkelioliossa, sivun linkissä, taksonomiassa ja valinnassa.Virheellinen tiedostomuotoInfoLisääAsennettuOhjeen sijaintiOhjeetOhjeet kirjoittajille. Näytetään muokkausnäkymässäEsittelyssä ACF PROTietokannan varmuuskopio on erittäin suositeltavaa ennen kuin jatkat. Oletko varma, että halua jatkaa päivitystä nyt?AvainNimiöNimiön sijaintiKenttän nimiö näytetään seuraavassa muodossa: %sIsoUusin versioAsetteluJos et halua rajoittaa, jätä tyhjäksiTasaa vasemmallePituusKirjastoNäytä lisenssitiedotLisenssiavainRajoita valintaa mediakirjastostaLinkkiLinkkitaulukko (array)Linkin URL-osoiteLataa ehdotLataa arvo artikkelin ehdoistaLadataanPaikallinen JSONPaikannusSijaintiKirjautunut sisäänMonet kentät ovat käyneet läpi visuaalisen uudistuksen ja ACF näyttää paremmalta kuin koskaan ennen! Huomattavat muutokset ovat nähtävissä Galleria, Suodata artikkeleita ja oEmbed (uusi) kentissä!MaksMaksimiarvo(t)Asetteluita enintäänSuurin määrä rivejäSuurin määrä kuviaMaksimiarvoMaksimi artikkelitSuurin määrä rivejä saavutettu ({max} riviä)Et voi valita enempää kuviaMaksimiarvo saavutettu ( {max} artikkelia )Maksimi {label} saavutettu ({max} {identifier})KeskikokoinenValikkoValikkokohdeValikkosijainnitValikotViestiMinMinimiarvo(t)Asetteluita vähintäänPienin määrä rivejäPienin määrä kuviaMinimiarvoVähimmäismäärä artikkeleitaPienin määrä rivejä saavutettu ({min} riviä)Pienin määrä arvoja saavutettu ({min} arvoa)Enemmän AJAXiaUseammat kentät käyttävät AJAX käyttöistä hakua ja näin sivujen lataus nopeutuuSiirräSiirto valmis.Siirrä muokattua kenttääSiirrä kenttäSiirrä kenttä toiseen ryhmäänHaluatko varmasti siirtää roskakoriin?Kenttien siirtäminenValitse useitaMahdollisuus valita useita arvojaNimiTekstiUusi kenttäLisää uusi kenttäryhmäUudet lomakkeetUusi galleriaUudet rivitUudet Suodata artikkeleita -kentän asetukset 'Suodattamille' (Etsi, Artikkelityyppi, Taksonomia)Uudet asetuksetUusi arkistoryhmä page_link -kentän valintanaUusi automaattinen JSON-vienti sallii kenttäasetuksia versionhallinnanUusi automaattinen JSON-vienti parantaa nopeuttaUusi kenttäryhmien toiminnallisuus sallii sinun siirtää kenttiä ryhmien & vanhempien välilläUusi toiminnallisuus asetukset-sivulle, joka sallii sekä vanhempi että lapsi menu-sivujen luomisenEiYhtään lisäkenttäryhmää ei löytynyt tälle asetussivulle. <a href="%s">Luo lisäkenttäryhmä</a>Kenttäryhmiä ei löytynytKenttäryhmiä ei löytynyt roskakoristaKenttiä ei löytynytKenttiä ei löytynyt roskakoristaEi muotoiluaUpotettavaa ei löytynyt annetusta URL-osoitteesta.Ei kenttäryhmää valittuEi kenttiä. Klikkaa <strong>+ Lisää kenttä</strong> painiketta luodaksesi ensimmäisen kenttäsi.Ei tiedostoa valittuEi kuvia valittuEi yhtään osumaaYhtään Asetukset-sivua ei ole olemassaEi %sEi toggle kenttiä saatavillaPäivityksiä ei ole saatavilla.Ei mitäänNormaali (sisällön jälkeen)TyhjäNumeroPois päältä -tekstiPäällä -tekstiAvaa uuteen ikkunaan/välilehteenAsetuksetAsetukset-sivuAsetukset päivitettyJärjestysJärjestysnumeroMuuSivuSivun attribuutitSivun URLSivun vanhempiSivupohjaSivun tyyppiVanhempiVanhempi sivu (sivu, jolla on alasivuja)YläkentätSalasanaKestolinkkiTäytetekstiSijaintiVarmista myös, että kaikki premium lisäosat (%s) on ensin päivitetty uusimpaan versioon.Syötä lisenssiavain saadaksesi päivityksiäValitse kohde kenttälleSijaintiArtikkeliArtikkelin kategoriaArtikkelin muotoArtikkelin IDArtikkeliolioArtikkelin tilaArtikkelin taksonomiaSivupohjaArtikkelityyppiArtikkeli päivitettyArtikkelit -sivuTehokkaat ominaisuudetKentän nimiön etuliiteKentän nimen etuliiteEtuliiteNäytetäänkö ”Valitse kaikki” valintaruutuLisää alkuunEsikatselukuvan kokoProJulkaistuValintanappiValintanappiLiukusäädinLue lisää <a href="%s">ACF PRO:n ominaisuuksista</a>.Luetaan päivitys tehtäviä...Data arkkitehtuurin uudelleen suunnittelu mahdollisti alakenttien riippumattomuuden vanhemmistaan. Tämän muutoksen myötä voit vetää ja tiputtaa kenttiä riippumatta kenttähierarkiastaRekisteröiRelationaalinenSuodata artikkeleitaSuodata artikkeleita -kenttäPoistaPoista asetteluPoista riviJärjestä uudelleenJärjestä asettelu uudelleenToista rivejäPakollinen?ResurssitMääritä tiedoston kokoMääritä millaisia kuvia voidaan ladataRajoitettuPalautusmuotoPalauta arvoKäännän nykyinen järjestysKatso sivuja & päivitäTarkastettuRiviRivitSäännötTallenna 'Muu’-kentän arvo kentän valinta vaihtoehdoksi tulevaisuudessaTallenna 'Muu’-kentän arvo kentän valinnaksiTallenna mukautettuTallennusmuotoTallenna MuuTallenna ehdotSaumaton (ei metalaatikkoa)Saumaton (korvaa tämä klooni-kenttä valituilla kentillä)EtsiEtsi kenttäryhmiäEtsi kenttiäEtsi osoite...Etsi...Katso mitä uutta <a href=”%s”>versiossa %s</a> .Valitse %sValitse väriValitse kenttäryhmätValitse tiedostoValitse kuvaValitse linkkiValitse alakenttä, joka näytetään, kun rivi on piilotettuValitse useita arvoja?Valitse kentä(t), jotka haluat kopioidaValitse artikkelityyppiValitse taksonomiaValitse JSON-tiedosto, jonka haluat tuoda. Kenttäryhmät tuodaan, kun klikkaat Tuo-painiketta.Valitse ulkoasu tälle kenttälleValitse kenttäryhmät, jotka haluat viedä ja valitse sitten vientimetodisi. Käytä Lataa-painiketta viedäksesi .json-tiedoston, jonka voit sitten tuoda toisessa ACF asennuksessa. Käytä Generoi-painiketta luodaksesi PHP koodia, jonka voit sijoittaa teemaasi.Valitse taksonomia, joka näytetäänPoista 1 merkkiPoista %d merkkiäKirjoita yksi tai useampi merkkiKirjoita %d tai useampi merkkiäLataus epäonnistuiLataa lisää tuloksia &hellip;Osumia ei löytynytYksi tulos on saatavilla. Valitse se painamalla enter-näppäintä.%d tulosta on saatavilla. Voit navigoida tuloksian välillä käyttämällä ”ylös” ja ”alas” -näppäimiä.Etsii&hellip;Voit valita vain yhden kohteenVoit valita vain %d kohdettaValitut elementit näytetään jokaisessa tuloksessaLähetä paluuviitteetErotusmerkkiAseta oletuszoomausAseta tekstialueen kokoAsetuksetNäytä Lisää media -painike?Näytä tämä kenttäryhmä, josNäytä tämä kenttä, josNäytetään kenttäryhmien listauksessaNäytetään muokkausnäkymässäSerkkukentätReunaMahdollisuus valita vain yksi arvoYksi sana, ei välilyöntejä. Alaviivat ja viivamerkit ovat sallittuja.SivuSivusto on ajan tasallaSivusto edellyttää tietokannan päivityksen (%s -> %s)Polkutunnus (slug)Älykkäämmät kenttäasetuksetPahoittelut, mutta tämä selain ei tuo paikannustaLajittele viimeisimmän muokkauksen päivämäärän mukaanLajittele latauksen päivämäärän mukaanLajittele otsikon mukaanRoskapostia havaittuMääritä palautettu arvo front endiinMääritä tyyli, jota käytetään kloonikentän luomisessaMääritä tyyli, jota käytetään valittujen kenttien luomisessaMääritä palautetun arvon muotoMääritä mihin uudet liitteet lisätäänStandardi (WP metalaatikko)StatusAskelluksen kokoTyyliTyylikäs käyttöliittymäAlakentätSuper pääkäyttäjäTukiXML vaihdettu JSON:iinSynkronointiSynkronointi saatavissaSynkronoi kenttäryhmäVälilehtiTaulukkoVälilehdetAvainsanatTaksonomiaTaksonomian ehtoEhdon IDEhtoTekstiTekstialueVain tekstiTeksti, joka näytetään kun valinta on aktiivinenTeksti, joka näytetään kun valinta ei ole aktiivinenKiitos, että luot sisältöä <a href="%s">ACF:llä</a>.Kiitos, että päivitit %s v%s!Kiitos, että päivitit! ACF %s on suurempi ja parempi kuin koskaan ennen. Toivomme, että pidät siitä.Kenttä %s löytyy nyt %s-kenttäryhmästäTekemäsi muutokset menetetään, jos siirryt pois tältä sivultaTällä koodilla voit rekisteröidä valitut kenttäryhmät paikallisesti. Paikallinen kenttäryhmä tarjoaa monia etuja, kuten nopeammat latausajat, versionhallinnan & dynaamiset kentät/asetukset. Kopioi ja liitä koodi teemasi functions.php tiedostoon tai sisällytä se ulkoisen tiedoston avulla.Seuraavat sivut vaativat tietokantapäivityksen. Valitse ne, jotka haluat päivittää ja klikkaa %sMissä muodossa haluat päivämäärän näkyvän muokkausnäkymässä?Missä muodossa haluat päivämäärän näkyvän, kun sivupohjan funktiot palauttavat sen?Arvo tallennetaan tähän muotoonGalleriakenttä on käynyt läpi suuresti tarvitun kasvojenkohotuksenMerkkijonoa "field_" ei saa käyttää kenttänimen alussaVälilehtikentän ulkoasu rikkoutuu, jos lisätään taulukko-tyyli toistin kenttä tai joustava sisältö kenttä asetteluTätä kenttää ei voi siirtää ennen kuin muutokset on talletettuTämän kentän yläraja on {max} {identifier}Tämä kenttä vaatii vähintään {min} {identifier}Tämä kenttä vaatii vähintään {min} {label} {identifier}Tätä nimeä käytetään Muokkaa-sivullaPienoiskuvaKellonaikavalitsinGraafista editoria ei käytetä ennen kuin kenttää klikataanOtsikkoOttaaksesi käyttöön päivitykset, ole hyvä ja syötä lisenssiavaimesi <a href="%s">Päivitykset</a> -sivulle. jos sinulla ei ole lisenssiavainta, katso <a href="%s">tarkemmat tiedot & hinnoittelu</a>Tehdäksesi päivityksen helpoksi, <a href="%s">Kirjaudu kauppaan</a> ja lataa ilmainen kopio ACF PRO:sta!Ottaaksesi käyttöön päivitykset, syötä lisenssiavaimesi alle. Jos sinulla ei ole lisenssiavainta, katso <a href="%s" target=”_blank”>tarkemmat tiedot & hinnoittelu</a>Valitse kaikki?Valitse kaikkiTyökalupalkkiTyökalutYlätason sivu (sivu, jolla ei ole vanhempia)Tasaa ylös”Tosi / Epätosi” -valintaTyyppiKonepellin allaTuntematonTuntematon kenttäTuntematon kenttäryhmäPäivitäPäivitys saatavilla?Päivitä tiedostoPäivitä kuvaPäivitä tiedotPäivitä lisäosaPäivityksetPäivitä tietokantaPäivitys IlmoitusPäivitä sivustotPäivitys valmisPäivitetään data versioon %sVain tähän artikkeliin ladatutTähän kenttäryhmään ladatut kuvatUrlRyhmittele kenttiä käyttämällä ”välilehtikenttiä”. Näin saat selkeämmän muokkausnäkymän.Haluatko ladata valinnat laiskasti (käyttää AJAXia)?Valitse ”kyllä”, jos haluat aloittaa uuden välilehtiryhmän.KäyttäjäKäyttäjälomakeKäyttäjän rooliKäyttäjä ei voi lisätä uutta %sValidoi sähköpostiLisäkentän validointi epäonnistuiKenttäryhmän validointi onnistuiArvoArvon täytyy olla numeroArvon täytyy olla validi URLArvon täytyy olla sama tai suurempi kuin %dArvon täytyy olla sama tai pienempi kuin %dArvot tallennetaan muodossa: %sPystysuuntainenNäytä kenttäKatso kenttäryhmääKäyttää back endiäKäyttää front endiäGraafinenGraafinen ja tekstiVain graafinenKirjoitimme myös <a href="%s">päivitysoppaan</a> vastataksemme kysymyksiin. Jos jokin asia vielä vaivaa mieltäsi, ota yhteyttä asiakaspalveluumme <a href="%s">neuvontapalvelun</a> kautta.Uskomme, että tulet rakastamaan muutoksia %s:ssaMuutamme erinomaisesti tapaa, jolla korkealuokkaiset toiminnallisuudet toimitetaan!KotisivuViikon ensimmäinen päiväTervetuloa Advanced Custom Fields -lisäosaan!Katso mitä uuttaVimpainLeveysKääreen attribuutitWysiwyg-editoriKylläZoomausacf_form() voi nyt luoda uuden artikkelin pyydettäessäjavalittuluokkakopioihttp://www.elliotcondon.com/http://www.advancedcustomfields.com/idon sama kuinei ole sama kuinjQueryasetteluasetteluaKlooniValintalistaoEmbedtaikoira_istuu : Koira istuupoista {layout}?MuokkaaValitsePäivitäleveys{available} {label} {identifier} saatavilla (max {max}){required} {label} {identifier} vaadittu (min {min})PK�[�*�'����lang/acf-ro_RO.ponu�[���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: 2018-04-16 17:11+1000\n"
"PO-Revision-Date: 2019-11-12 08:00+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Elliot Condon <e@elliotcondon.com>\n"
"Language: ro_RO\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"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 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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:81
msgid "Advanced Custom Fields"
msgstr "Câmpuri Personalizate Avansate"

#: acf.php:388 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Grupuri de câmpuri"

#: acf.php:389
msgid "Field Group"
msgstr "Grup de câmp"

#: acf.php:390 acf.php:422 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:551
msgid "Add New"
msgstr "Adaugă"

#: acf.php:391
msgid "Add New Field Group"
msgstr "Adaugă un nou grup de câmpuri"

#: acf.php:392
msgid "Edit Field Group"
msgstr "Editează grupul"

#: acf.php:393
msgid "New Field Group"
msgstr "Grup de câmp nou"

#: acf.php:394
msgid "View Field Group"
msgstr "Vizulaizează grupul de câmp"

#: acf.php:395
msgid "Search Field Groups"
msgstr "Caută în grupurile de câmp"

#: acf.php:396
msgid "No Field Groups found"
msgstr "Nu s-a găsit nici un câmp de grupuri"

#: acf.php:397
msgid "No Field Groups found in Trash"
msgstr "Nu s-a găsit nici un câmp de grupuri în coșul de gunoi"

#: acf.php:420 includes/admin/admin-field-group.php:196
#: includes/admin/admin-field-groups.php:510
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Câmpuri"

#: acf.php:421
msgid "Field"
msgstr "Câmp"

#: acf.php:423
msgid "Add New Field"
msgstr "Adaugă un nou câmp"

#: acf.php:424
msgid "Edit Field"
msgstr "Editează câmpul"

#: acf.php:425 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Câmp nou"

#: acf.php:426
msgid "View Field"
msgstr "Vizualizează câmpul"

#: acf.php:427
msgid "Search Fields"
msgstr "Caută câmpuri"

#: acf.php:428
msgid "No Fields found"
msgstr "Nu s-au găsit câmpuri"

#: acf.php:429
msgid "No Fields found in Trash"
msgstr "Nu s-a găsit nici un câmp în coșul de gunoi"

#: acf.php:468 includes/admin/admin-field-group.php:377
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Inactiv"

#: acf.php:473
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inactive <span class=\"count\">(%s)</span>"
msgstr[2] "Inactivs <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Grup actualizat."

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Grup șters."

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Grup publicat."

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Grup salvat."

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Grup trimis."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Grup programat pentru."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Ciorna grup actualizat."

#: includes/admin/admin-field-group.php:154
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Textul \"field_\" nu poate fi folosit la începutul denumirii unui câmp"

#: includes/admin/admin-field-group.php:155
msgid "This field cannot be moved until its changes have been saved"
msgstr "Acest câmp nu poate fi mutat decât după salvarea modificărilor"

#: includes/admin/admin-field-group.php:156
msgid "Field group title is required"
msgstr "Titlul grupului este obligatoriu"

#: includes/admin/admin-field-group.php:157
msgid "Move to trash. Are you sure?"
msgstr "Mută în coșul de gunoi. Ești sigur?"

#: includes/admin/admin-field-group.php:158
msgid "Move Custom Field"
msgstr "Mută câmpul personalizat"

#: includes/admin/admin-field-group.php:159
msgid "checked"
msgstr "marcat"

#: includes/admin/admin-field-group.php:160
msgid "(no label)"
msgstr "(fără etichetă)"

#: includes/admin/admin-field-group.php:161
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "copie"

#: includes/admin/admin-field-group.php:162
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:139
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:4158
msgid "or"
msgstr "sau"

#: includes/admin/admin-field-group.php:163
msgid "Null"
msgstr "Gol"

#: includes/admin/admin-field-group.php:197
msgid "Location"
msgstr "Locația"

#: includes/admin/admin-field-group.php:198
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Setări"

#: includes/admin/admin-field-group.php:347
msgid "Field Keys"
msgstr "Cheile câmpulurilor"

#: includes/admin/admin-field-group.php:377
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Activ"

#: includes/admin/admin-field-group.php:753
msgid "Move Complete."
msgstr "Mutare Completă."

#: includes/admin/admin-field-group.php:754
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Acest %s câmp acum poate fi găsit în %s grupul de câmpuri"

#: includes/admin/admin-field-group.php:755
msgid "Close Window"
msgstr "Închide Fereastra"

#: includes/admin/admin-field-group.php:796
msgid "Please select the destination for this field"
msgstr "Selectează destinația pentru acest câmp"

#: includes/admin/admin-field-group.php:803
msgid "Move Field"
msgstr "Mută Câmpul"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "<span class=\"count\">(%s)</span> Activ"
msgstr[1] "<span class=\"count\">(%s)</span> Active"
msgstr[2] "<span class=\"count\">(%s)</span> Active"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Grupul de câmpuri a fost duplicat. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s grupul de câmpuri a fost duplicat."
msgstr[1] "%s grupurile de câmpuri au fost duplicate."
msgstr[2] "%s grupurile de câmpuri au fost duplicate."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Grupul de câmpuri a fost sincronizat. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s grupul de câmpuri a fost sincronizat."
msgstr[1] "%s grupurile de câmpuri au fost sincronizate."
msgstr[2] "%s grupurile de câmpuri au fost sincronizate."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Sincronizare disponibilă"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Titlu"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Descriere"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Stare"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr "Adaugă câmpuri puternice și intuitive pentru a personaliza WordPress."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Catalog schimbări"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Vezi ce este nou în <a href=\"%s\">versiunea %s</a>."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Resurse"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr ""

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Documentație"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Suport Tehnic"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr ""

#: includes/admin/admin-field-groups.php:667
msgid "Duplicate this item"
msgstr "Copiază acest item"

#: includes/admin/admin-field-groups.php:667
#: includes/admin/admin-field-groups.php:683
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:550
msgid "Duplicate"
msgstr "Copiază"

#: includes/admin/admin-field-groups.php:700
#: includes/fields/class-acf-field-google-map.php:113
#: includes/fields/class-acf-field-relationship.php:657
msgid "Search"
msgstr "Caută"

#: includes/admin/admin-field-groups.php:759
#, php-format
msgid "Select %s"
msgstr "Selectează %s"

#: includes/admin/admin-field-groups.php:767
msgid "Synchronise field group"
msgstr "Sincronizare grup de câmpuri"

#: includes/admin/admin-field-groups.php:767
#: includes/admin/admin-field-groups.php:797
msgid "Sync"
msgstr "Sincronizare"

#: includes/admin/admin-field-groups.php:779
msgid "Apply"
msgstr "Salvează"

#: includes/admin/admin-field-groups.php:797
msgid "Bulk Actions"
msgstr "Acțiuni în masă"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Unelte"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Câmpuri Personalizate"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Actualizează baza de date"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr ""

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr ""

#: includes/admin/install.php:210 includes/admin/views/install.php:104
msgid "No updates available."
msgstr ""

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Suplimente"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Eroare</b>. Lista de suplimente nu poate fi încărcată"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informații"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Ce este nou"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Exportați Grupurile de Câmputri"

#: 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 "Generează PHP"

#: 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 "Nu a fost selectat nici un grup de câmpuri"

#: 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] "Un grup exportat."
msgstr[1] "%s grupuri exportate."
msgstr[2] "%s de grupuri exportate."

#: 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 "Selectați Grupurile de Câmpuri"

#: 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 ""
"Selectați grupurile de câmpuri pe care doriți să le exportați și apoi "
"selectați metoda de export. Folosiți butonul de descărcare pentru a exporta "
"într-un fișier .json pe care apoi îl puteți folosi pentru a importa într-o "
"altă instalare a ACF. Folosiți butonul Generare pentru a exporta totul în "
"cod PHP, pe care îl puteți pune apoi in tema voastră."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Exportă fișierul"

#: 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 ""
"Următorul bloc de cod poate fi folosit pentru a înregistra o copie locală a "
"grupului(lor) de câmpuri selectat(e). Un grup de câmpuri local poate "
"facilita multe beneficii cum ar fi un timp de încărcare mai mic, control al "
"versiunii și câmpuri / setări dinamice. Pentru a beneficia de toate acestea "
"nu trebuie decât să copiați și să inserați următorul bloc de cod în fișierul "
"functions.php al temei sau să-l includeți într-un fișier extern."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Copiază în clipboar"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Copiat"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importă Grupurile de câmpuri"

#: 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 ""
"Alege fișierul JSON ACF pe care dorești să-l imporți. Când vei apăsa butonul "
"import de mai jos, ACF v-a importa toate grupurile de câmpuri."

#: includes/admin/tools/class-acf-admin-tool-import.php:66
#: includes/fields/class-acf-field-file.php:37
msgid "Select File"
msgstr "Selectează fișierul"

#: includes/admin/tools/class-acf-admin-tool-import.php:76
msgid "Import File"
msgstr "Importă fișier"

#: includes/admin/tools/class-acf-admin-tool-import.php:100
#: includes/fields/class-acf-field-file.php:154
msgid "No file selected"
msgstr "Nu a fost selectat nici un fișier"

#: includes/admin/tools/class-acf-admin-tool-import.php:113
msgid "Error uploading file. Please try again"
msgstr "Eroare la încărcarea fișierului. Încearcă din nou"

#: includes/admin/tools/class-acf-admin-tool-import.php:122
msgid "Incorrect file type"
msgstr "Tipul fișierului este incorect"

#: includes/admin/tools/class-acf-admin-tool-import.php:139
msgid "Import file empty"
msgstr "Fișierul import este gol"

#: includes/admin/tools/class-acf-admin-tool-import.php:247
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Un grup importat"
msgstr[1] "%s grupuri importate"
msgstr[2] "%s de grupuri importate"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Condiție Logică"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Arată acest câmp dacă"

#: includes/admin/views/field-group-field-conditional-logic.php:126
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "și"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Adaugă grup de reguli"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Trage pentru a reordona"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Editează câmp"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:136
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "Editeză"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Copiază câmp"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Mută acest câmp în alt grup"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Mută"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Șterge câmp"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:549
msgid "Delete"
msgstr "Șterge"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Etichetă Câmp"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Acesta este numele care va apărea în pagina de editare"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nume Câmp"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Un singur cuvânt, fără spații. Caracterele _ (underscore) și - (minus) sunt "
"permise"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Tipul Câmpului"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instrucțiuni"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instrucțiuni pentru autor. Sunt afișate când se adaugă valori"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Obligatoriu?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Atributele Wrapper-ului"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "lățime"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "clasă"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Închide Câmpul"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordine"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:418
#: pro/fields/class-acf-field-flexible-content.php:576
msgid "Label"
msgstr "Etichetă"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:964
#: pro/fields/class-acf-field-flexible-content.php:589
msgid "Name"
msgstr "Nume"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr ""

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tip"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Nici un câmp. Click pe butonul <strong>+ Adaugă Câmp</strong> pentru a crea "
"primul câmp."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Adaugă Câmp"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Reguli"

#: 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 ""
"Crează un set de reguli pentru a determina unde vor fi afișate aceste "
"câmpuri avansate personalizate"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standard (asemănător WP, folosește metabox-uri)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Seamless (fără metabox-uri)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Poziție"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Mare (după titlul aricolului / paginii)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (dupa conținutul articolului / paginii)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Lateral"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Poziționarea etichetei"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Aliniere Sus"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Aliniere Stanga"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Plasamentul instrucțiunilor"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Sub etichete"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Sub câmpuri"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Nr. crt."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr ""

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Ascunde pe ecran"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<b>Selectează</b> ce opțiuni să fie <b>ascune</b> din ecranul de editare al "
"articolului sau al paginii."

#: 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 ""
"Daca în ecranul de editare al articolului / paginii apar mai multiple "
"grupuri de câmpuri, atunci opțiunile primul grup de câmpuri vor fi folosite "
"(cel cu numărul de ordine cel mai mic)"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Legătură permanentă"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Editorul de conținut"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Descriere scurtă"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Discuții"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Comentarii"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Revizii"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Slug"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Atributele Paginii"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:671
msgid "Featured Image"
msgstr "Imagine Reprezentativă"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Categorii"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Etichete"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Trackback-uri"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Arată acest grup de câmpuri dacă"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr ""

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
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."
msgstr ""

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr ""

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr ""

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr ""

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
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 ""
"Este puternic recomandat să faceți o copie de siguranța a bazei de date "
"înainte de a începe procesul de actualizare. Ești sigur că vrei să începi "
"actualizarea acum?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr ""

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Actualizarea datelor la versiunea %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Repeater"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Conținut Flexibil"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Pagina de Opțiuni"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Actualizare bazei de date este necesară"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Îți mulțumim pentru actualizarea făcută la %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 ""
"Înainte de a începe să folosești uimitoarele funcții noi, te rungăm să "
"actualizezi baza de date la o versiune mai recentă."

#: 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 ""

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Citirea sarcinilor necesare pentru actualizare..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Descarcă & Instalează"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instalat"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Bine ai venit la Câmpuri Personalizate Avansate"

#: 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 ""
"Iți mulțumim pentru actualizare! ACF %s  a devenit mai mare și mai bun. "
"Sperăm să-ți placă."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "O folosire mai ușoara a câmpurilor personalizate"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Folosire Facilă"

#: 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 ""
"Includerea popularei librării Select2 a îmbunătățit folosirea dar și viteaza "
"pentru un număr ridicat de tipuri de câmpuri care includ, obiectele articol, "
"legătura paginii, taxonomia și selecția."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Design îmbunătățit"

#: 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 ""
"Multe câmpuri au dobândit un nou design vizual pentru a face ACF un produs "
"mai ușor de folosit! Schimbările pot fi văzute în special, la câmpurile "
"Galerie, Relații și oEmbed(nou)!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Tipuri de Date imbunătățite"

#: 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 ""
"Refacerea arhitecturii tipurilor de date a permis ca sub câmpurile să fie "
"independente de câmpurile părinte. Acest lucru vă permite să trageți și să "
"eliberați câmpurile în și în afara câmpurilor părinte!"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "La revedere Add-onuri. Salut PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Introducere în ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Am schimbat modul în care funcționalitatea premium este transmisă!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Toate cele 4 add-onuri premium au fost combinate într-o nouă <a href=\"%s"
"\">Versiune PRO a ACF</a>. Putând alege licența personală sau licența de "
"developer, funcționalitatea premium este acum mai accesibilă ca niciodată!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Caracteristici puternice"

#: 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 ""
"ACF PRO conține caracteristici puternice cum ar fi date repetabile, machete "
"de conținut flexibil, un frumos câmp pentru galerie și puterea de a crea "
"pagini administrative de opțiuni!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Citește mai mult despre <a href=\"%s\">Caracteristicile ACF PRO</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Actualizare ușoară"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Pentru a facilita actualizarea într-un mod ușor, <a href=\"%s\">intră în "
"contul tău</a> și obține o copie gratis a ACF PRO!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"De asemenea am pus la dispoziția ta <a href=\"%s\">un ghid de actualizare</"
"a> pentru a răspunde tuturor întrebărilor, dar dacă totuși ai o întrebare, "
"te rog sa contactezi echipa noastră de suport, folosind <a href=\"%s\">help "
"desk</a>"

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Sub capată"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Setări deștepte ale câmpurilor"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr ""
"ACF salvează acum setările câmpurilor ca fiind obiecte de tip articol "
"individuale"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Mai mult AJAX"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Mai multe câmpuri folosesc puterea de căutare AJAX pentru a micșora timpul "
"de încărcare al paginii"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "JSON local"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Noua funcționalitate de auto import în JSON îmbunătățește viteza"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Un control mai bun al versiunii"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr ""
"Noua funcționalitate de auto export în JSON permite ca setările câmpurilor "
"să fie versionabile"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "Am schimbat XML în favoarea JSON"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Importul / Exportul folosește acum JSON în defavoarea XML"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Noi formulare"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Câmpurile pot fi acum mapate la comentarii, widget-uri sau orice alt "
"formular creat de user!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Un nou câmp pentru încorporarea conținutului a fost adaugat"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Galerie Nouă"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Câmpul Galierie a suferit un facelift bine meritat"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Configurări noi"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Setările grupului de câmpuri a fost adăugat pentru poziționarea etichitelor "
"și a instrucțiunilor"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Formulare Front End mai bune"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr ""
"acf_form() poate crea acum un nou articol odată ce cererea a fost trimisă"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "O validare mai bună"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Validarea formularelor se face acum via PHP + AJAX în defavoarea numai JS"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Câmp de realționare"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Setările noului câmp de relaționare pentru Filtre (Caută, Tipul Articolului, "
"Taxonomie)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Câmpuri care pot fi mutate"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Noua funcționalitate a grupului de câmpuri îți permite acum să muți "
"câmpurile între grupuri"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Legătura Paginii"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Noua arhivă de grup în selecția page_link"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Opțiuni mai bune pentru Pagini"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Noile funcții pentru opțiunile pagini îți permite acum create de pagini "
"meniu și submeniuri"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Credem că vei îndrăgi shimbările în %s."

#: includes/api/api-helpers.php:1039
msgid "Thumbnail"
msgstr "Miniatură"

#: includes/api/api-helpers.php:1040
msgid "Medium"
msgstr "Mediu"

#: includes/api/api-helpers.php:1041
msgid "Large"
msgstr "Mare"

#: includes/api/api-helpers.php:1090
msgid "Full Size"
msgstr "Marime completă"

#: includes/api/api-helpers.php:1431 includes/api/api-helpers.php:2004
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(fără titlu)"

#: includes/api/api-helpers.php:4079
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Lățimea imaginii trebuie să fie cel puțin %dpx."

#: includes/api/api-helpers.php:4084
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Lățimea imaginii nu trebuie să depășească %dpx."

#: includes/api/api-helpers.php:4100
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Înălțimea imaginii trebuie să fie cel puțin %dpx."

#: includes/api/api-helpers.php:4105
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Înălțimea imaginii nu trebuie să depășească %dpx."

#: includes/api/api-helpers.php:4123
#, php-format
msgid "File size must be at least %s."
msgstr "Mărimea fișierului trebuie să fie cel puțin %s."

#: includes/api/api-helpers.php:4128
#, php-format
msgid "File size must must not exceed %s."
msgstr "Mărimea fișierului nu trebuie să depășească %s."

#: includes/api/api-helpers.php:4162
#, php-format
msgid "File type must be %s."
msgstr "Tipul fișierului trebuie să fie %s."

#: includes/assets.php:164
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Modificările făcute vor fi pierdute dacă nu salvați"

#: includes/assets.php:167 includes/fields/class-acf-field-select.php:257
msgctxt "verb"
msgid "Select"
msgstr "Selectează"

#: includes/assets.php:168
msgctxt "verb"
msgid "Edit"
msgstr "Editeză"

#: includes/assets.php:169
msgctxt "verb"
msgid "Update"
msgstr "Actualizează"

#: includes/assets.php:170 pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Încărcate pentru acest articol"

#: includes/assets.php:171
msgid "Expand Details"
msgstr "Extinde Detaliile"

#: includes/assets.php:172
msgid "Collapse Details"
msgstr "Închide Detaliile"

#: includes/assets.php:173
msgid "Restricted"
msgstr ""

#: includes/assets.php:174
msgid "All images"
msgstr "Toate imaginiile"

#: includes/assets.php:177
msgid "Validation successful"
msgstr "Validare a fost făcută cu succes"

#: includes/assets.php:178 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Validarea a eșuat"

#: includes/assets.php:179
msgid "1 field requires attention"
msgstr ""

#: includes/assets.php:180
#, php-format
msgid "%d fields require attention"
msgstr ""

#: includes/assets.php:183
msgid "Are you sure?"
msgstr ""

#: includes/assets.php:184 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Da"

#: includes/assets.php:185 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Nu"

#: includes/assets.php:186 includes/fields/class-acf-field-file.php:138
#: includes/fields/class-acf-field-image.php:124
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:343
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Înlătură"

#: includes/assets.php:187
msgid "Cancel"
msgstr ""

#: includes/assets.php:190
msgid "Has any value"
msgstr ""

#: includes/assets.php:191
msgid "Has no value"
msgstr ""

#: includes/assets.php:192
msgid "Value is equal to"
msgstr ""

#: includes/assets.php:193
msgid "Value is not equal to"
msgstr ""

#: includes/assets.php:194
msgid "Value matches pattern"
msgstr ""

#: includes/assets.php:195
msgid "Value contains"
msgstr ""

#: includes/assets.php:196
msgid "Value is greater than"
msgstr ""

#: includes/assets.php:197
msgid "Value is less than"
msgstr ""

#: includes/assets.php:198
msgid "Selection is greater than"
msgstr ""

#: includes/assets.php:199
msgid "Selection is less than"
msgstr ""

#: includes/fields.php:144
msgid "Basic"
msgstr "De bază"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Conținut"

#: includes/fields.php:146
msgid "Choice"
msgstr "Alegere"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relațional"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:149
#: includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:546
#: pro/fields/class-acf-field-flexible-content.php:595
#: pro/fields/class-acf-field-repeater.php:442
msgid "Layout"
msgstr "Schemă"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Tipul câmpului nu există"

#: includes/fields.php:326
msgid "Unknown"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr ""

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr ""

#: includes/fields/class-acf-field-accordion.php:110
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
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 ""

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr ""

#: 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:349
msgid "Choices"
msgstr "Alegere"

#: 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:350
msgid "Enter each choice on a new line."
msgstr "Pune fiecare alegere pe o linie nouă."

#: 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:350
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Pentru un mai bun control, poți specifica o valoare și o etichetă ca de "
"exemplu:"

#: 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:350
msgid "red : Red"
msgstr "roșu : Roșu"

#: 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:367
#: includes/fields/class-acf-field-taxonomy.php:793
#: includes/fields/class-acf-field-user.php:409
msgid "Allow Null?"
msgstr "Permite valori nule?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:146
#: includes/fields/class-acf-field-select.php:358
#: 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 "Valoare implicită"

#: 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:282
#: includes/fields/class-acf-field-range.php:147
#: 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 "Apare cănd creați un articol nou"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Orizontal"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertical"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:199
#: includes/fields/class-acf-field-image.php:188
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:833
msgid "Return Value"
msgstr "Valoarea returnată"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:200
#: includes/fields/class-acf-field-image.php:189
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Specificați valoarea returnată în front end"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:417
msgid "Value"
msgstr ""

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:419
msgid "Both (Array)"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Checkbox"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Comută tot"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:359
msgid "Enter each default value on a new line"
msgstr "Introdu fiecare valoare implicită pe o linie nouă"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr ""

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Alege Culoarea"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Curăță"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Implicit"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Alege Culoarea"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Alege data calendaristică"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Astăzi"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Următor"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Anterior"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Săpt"

#: includes/fields/class-acf-field-date_picker.php:180
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Formatul de Afișare"

#: includes/fields/class-acf-field-date_picker.php:181
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Formatul afișat în momentul editării unui articol"

#: includes/fields/class-acf-field-date_picker.php:189
#: includes/fields/class-acf-field-date_picker.php:220
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:199
msgid "Save Format"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:200
msgid "The format used when saving a value"
msgstr ""

#: includes/fields/class-acf-field-date_picker.php:210
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:698
#: includes/fields/class-acf-field-select.php:412
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:428
msgid "Return Format"
msgstr "Formatul Returnat"

#: includes/fields/class-acf-field-date_picker.php:211
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Formatul rezultat via funcțiilor șablon"

#: includes/fields/class-acf-field-date_picker.php:229
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Săptămâna începe în ziua de"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Alege ora"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Ora"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Oră"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minut"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Secundă"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Milisecundă"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microsecundă"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fus Orar"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Acum"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Gata"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Selectează"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr ""

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr ""

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Adresă de email"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Textul afișat ca placeholder"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Apare în intrare"

#: 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:185
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Prefixează"

#: 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:186
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Apare înainte de intrare"

#: 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:194
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Adaugă"

#: 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:195
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Apare după intrare"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Fișier"

#: includes/fields/class-acf-field-file.php:38
msgid "Edit File"
msgstr "Editează fișierul"

#: includes/fields/class-acf-field-file.php:39
msgid "Update File"
msgstr "Actualizează fișierul"

#: includes/fields/class-acf-field-file.php:125
msgid "File name"
msgstr ""

#: includes/fields/class-acf-field-file.php:129
#: includes/fields/class-acf-field-file.php:232
#: includes/fields/class-acf-field-file.php:243
#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Mărime fișier"

#: includes/fields/class-acf-field-file.php:154
msgid "Add File"
msgstr "Adaugă fișier"

#: includes/fields/class-acf-field-file.php:205
msgid "File Array"
msgstr "Mulțime de fișier"

#: includes/fields/class-acf-field-file.php:206
msgid "File URL"
msgstr "Cale Fișier"

#: includes/fields/class-acf-field-file.php:207
msgid "File ID"
msgstr "ID Fișier"

#: includes/fields/class-acf-field-file.php:214
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "Librărie"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr "Limitați alegerea librăriei media"

#: includes/fields/class-acf-field-file.php:220
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Toate"

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "Încărcate pentru acest articol"

#: includes/fields/class-acf-field-file.php:228
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr "Minim"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-file.php:240
msgid "Restrict which files can be uploaded"
msgstr "Restricționați ce tipuri de fișiere pot fi încărcate"

#: includes/fields/class-acf-field-file.php:239
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr "Maxim"

#: includes/fields/class-acf-field-file.php:250
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr "Tipuri de fișiere permise"

#: includes/fields/class-acf-field-file.php:251
#: 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"
msgstr "Listă separată prin virgulă. Lăsați liber pentru toate tipurile"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Hartă Google"

#: includes/fields/class-acf-field-google-map.php:43
msgid "Sorry, this browser does not support geolocation"
msgstr "Ne pare rău, acest broswer nu suportă geo locația"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Clear location"
msgstr "Sterge Locația"

#: includes/fields/class-acf-field-google-map.php:115
msgid "Find current location"
msgstr "Găsește locația curentă"

#: includes/fields/class-acf-field-google-map.php:118
msgid "Search for address..."
msgstr "Caută adresa..."

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center"
msgstr "Centru"

#: includes/fields/class-acf-field-google-map.php:149
#: includes/fields/class-acf-field-google-map.php:160
msgid "Center the initial map"
msgstr "Centrează harta inițială"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:172
msgid "Set the initial zoom level"
msgstr "Setează nivelul de zoom inițial"

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Înălțime"

#: includes/fields/class-acf-field-google-map.php:182
msgid "Customise the map height"
msgstr "Personalizați înălțimea hărții"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr ""

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:381
msgid "Sub Fields"
msgstr "Sub câmpuri"

#: 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 ""

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:606
#: pro/fields/class-acf-field-repeater.php:450
msgid "Block"
msgstr "Bloc"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:605
#: pro/fields/class-acf-field-repeater.php:449
msgid "Table"
msgstr "Tabel"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:607
#: pro/fields/class-acf-field-repeater.php:451
msgid "Row"
msgstr "Linie"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Imagine"

#: includes/fields/class-acf-field-image.php:42
msgid "Select Image"
msgstr "Alege imaginea"

#: includes/fields/class-acf-field-image.php:43
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Editează imaginea"

#: includes/fields/class-acf-field-image.php:44
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Actualizează imaginea"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Nu ai selectat nici o imagine"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Adaugă o imagine"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Mulțime de imagini"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "URL-ul imaginii"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "ID-ul imaginii"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Dimensiunea previzualizării"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Afișat la introducerea datelor"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Restricționează care imagini pot fi încărcate"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Lățime"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr ""

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr ""

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr ""

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr ""

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mesaj"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Linii Noi"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Controlează cum sunt redate noile linii"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Adaugă automat paragrafe"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Adaugă automat &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Nici o Formater"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Scăpare HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Permite markup-ului HTML să fie afișat că text vizibil în loc să fie "
"interpretat"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Număr"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:155
msgid "Minimum Value"
msgstr "Valoare minimă"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:165
msgid "Maximum Value"
msgstr "Valoare maximă"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:175
msgid "Step Size"
msgstr "Mărime pas"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Valoarea trebuie să fie un număr"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Valoarea trebuie să fie egală sau mai mare decât %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Valoarea trebuie să fie egală sau mai mică decât %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Introduceți URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Marimea Embed"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arhive"

#: 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 ""

#: 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:624
msgid "Filter by Post Type"
msgstr "Filtur dupa Tipul Articolului"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:632
msgid "All post types"
msgstr "Toate Tipurile Articolului"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:638
msgid "Filter by Taxonomy"
msgstr "Filtru după Taxonomie"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:646
msgid "All taxonomies"
msgstr "Toate Taxonomiile"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr ""

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:377
#: includes/fields/class-acf-field-user.php:419
msgid "Select multiple values?"
msgstr "Permite selecția de valori multiple?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Parolă"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post Object"
msgstr "Obiect Articol"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:704
msgid "Post ID"
msgstr "ID-ul Articolului"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Buton Radio"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Altceva"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Adaugă 'Altceva' pentru a permite o valoare personalizată"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Salvează Altceva"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Salvează valoarea 'Altceva' la opțiunile câmpului"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relație"

#: includes/fields/class-acf-field-relationship.php:40
msgid "Maximum values reached ( {max} values )"
msgstr "Valorile maxime atinse  ( {max} valori )"

#: includes/fields/class-acf-field-relationship.php:41
msgid "Loading"
msgstr "Se încarcă"

#: includes/fields/class-acf-field-relationship.php:42
msgid "No matches found"
msgstr "Nici un rezultat"

#: includes/fields/class-acf-field-relationship.php:424
msgid "Select post type"
msgstr "Alegeți tipul articolului"

#: includes/fields/class-acf-field-relationship.php:450
msgid "Select taxonomy"
msgstr "Alegeți taxonomia"

#: includes/fields/class-acf-field-relationship.php:540
msgid "Search..."
msgstr "Caută..."

#: includes/fields/class-acf-field-relationship.php:652
msgid "Filters"
msgstr "Filtre"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tipul Articolului"

#: includes/fields/class-acf-field-relationship.php:659
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Elements"
msgstr "Elemente"

#: includes/fields/class-acf-field-relationship.php:667
msgid "Selected elements will be displayed in each result"
msgstr "Elementele selectate vor apărea în fiecare rezultat"

#: includes/fields/class-acf-field-relationship.php:678
msgid "Minimum posts"
msgstr ""

#: includes/fields/class-acf-field-relationship.php:687
msgid "Maximum posts"
msgstr "Numărul maxim de articole"

#: includes/fields/class-acf-field-relationship.php:791
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s necesită cel puțin %s selectie"
msgstr[1] "%s necesită cel puțin %s selecții"
msgstr[2] "%s necesită cel puțin %s selecții"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Selectează"

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Un rezultat disponibil, apasă enter pentru a-l selecta."

#: includes/fields/class-acf-field-select.php:41
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "%d rezultate disponibile, apasă tastele sus/jos pentru a naviga."

#: includes/fields/class-acf-field-select.php:42
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Nici un rezultat"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Te rog să introduci cel puțin un caracter"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Te rog să introduci %d sau mai multe caractere"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Te rog să ștergi un caracter"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Te rog să ștergi %d caractere"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Poți selecta un singur element"

#: includes/fields/class-acf-field-select.php:48
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Poți selecta %d elemente"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Se încarcă mai multe rezultate&hellip;"

#: includes/fields/class-acf-field-select.php:50
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Se caută&hellip;"

#: includes/fields/class-acf-field-select.php:51
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Încărcarea a eșuat"

#: includes/fields/class-acf-field-select.php:387
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "UI stilizat"

#: includes/fields/class-acf-field-select.php:397
msgid "Use AJAX to lazy load choices?"
msgstr "Folosiți AJAX pentru a încărca alegerile în modul ”Lazy Load”?"

#: includes/fields/class-acf-field-select.php:413
msgid "Specify the value returned"
msgstr ""

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr ""

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Tab"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Plasament"

#: 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 ""

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Fără %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Nici unul"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Valori multiple"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Selectie multiplă"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "O singură valoare"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Butoane radio"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Obiectul Termen"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "ID-ul Termenului"

#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Eroare."

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr ""

#: includes/fields/class-acf-field-taxonomy.php:998
msgid "Add"
msgstr ""

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Limită de caractere"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Lasă gol pentru a nu a avea o limită"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Zonă de Text"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Linii"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Setează înălțimea zonei de text"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Adevărat / False"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr ""

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr ""

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Valoarea trebuie să fie un URL valid"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Utilizatorul"

#: includes/fields/class-acf-field-user.php:394
msgid "Filter by role"
msgstr "Filtrează după rol"

#: includes/fields/class-acf-field-user.php:402
msgid "All user roles"
msgstr "Toate rolurile de utilizator"

#: includes/fields/class-acf-field-user.php:433
msgid "User Array"
msgstr ""

#: includes/fields/class-acf-field-user.php:434
msgid "User Object"
msgstr ""

#: includes/fields/class-acf-field-user.php:435
msgid "User ID"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Editor Vizual"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Visual"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Taburi"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Vizual & Text"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Doar Vizual"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Doar Text"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Bară de instrumente"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Arată Butoanele de Încărcare a fișierelor Media?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr ""

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr ""

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Editează Grupul de Câmpuri"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr ""

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81
msgid "Update"
msgstr "Actualizează"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Articol Actualizat"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr ""

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Articol"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Pagina"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formulare"

#: includes/locations.php:247
msgid "is equal to"
msgstr "este egal cu"

#: includes/locations.php:248
msgid "is not equal to"
msgstr "nu este egal cu"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Atașament"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr ""

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Comentariu"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rolul Utilizatorului Curent"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super Admin"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Utilizatorul Curent"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Autentifiat"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Vezi front-end"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Vezi back-end"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr ""

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr ""

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Pagina Părinte"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Macheta Pagini"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Format Implicit"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipul Pagini"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Pagina principală"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Pagina Articolelor"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Pagina primului nivel (fără părinte)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Pagina părinte (are succesori)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Pagina Succesor (are părinte)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoria Articolului"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Formatul Articolului"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Starea Articolui"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomia Articolului"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr ""

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Formularul Utilizatorului"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Adaugă / Editează"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Înregistrează"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Rolul Utilizatorului"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Piesă"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s valoarea este obligatorie"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Câmpuri Avansate Personalizate PRO"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Publică"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Nu a fost găsit nici un grup de câmpuri personalizate. <a href=\"%s"
"\">Creează un Grup de Câmpuri Personalizat</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Eroare</b>. Conexiunea cu servărul a fost pierdută"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Actualizări"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Dezactivează Licența"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activează Licența"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Cod de activare"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Actualizează infromațiile"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Versiunea curentă"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Ultima versiune"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Sunt disponibile actualizări"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Actualizează Modulul"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Te rog sa introduci codul de activare în câmpul de mai sus pentru a permite "
"actualizări"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Verifică din nou"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Anunț Actualizări"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clonează"

#: 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:829
msgid "Display"
msgstr "Arată"

#: 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:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr ""

#: 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:860
msgid "Prefix Field Labels"
msgstr ""

#: 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:874
msgid "Prefix Field Names"
msgstr ""

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Câmp necunoscut"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Grup de câmpuri necunoscut"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:462
msgid "Add Row"
msgstr "Adaugă o linie nouă"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "schemă"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "scheme"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "înlătură {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Acest câmp necesită cel puțin {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Acest câmp are o limită de {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Acest câmp necesită cel puțin {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Numărul maxim de {label} a fost atins ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} disponibile (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} obligatoriu (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "Conținutul Flexibil necesită cel puțin 1 schemă"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Apasă butonul  \"%s\" de mai jos pentru a începe să îți creezi schema"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Adaugă Schema"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Înlătură Schema"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr ""

#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Reorder Layout"
msgstr "Reordonează Schema"

#: pro/fields/class-acf-field-flexible-content.php:548
msgid "Reorder"
msgstr "Reordonează"

#: pro/fields/class-acf-field-flexible-content.php:549
msgid "Delete Layout"
msgstr "Șterge Schema"

#: pro/fields/class-acf-field-flexible-content.php:550
msgid "Duplicate Layout"
msgstr "Copiază Schema"

#: pro/fields/class-acf-field-flexible-content.php:551
msgid "Add New Layout"
msgstr "Adaugă o Nouă Schemă"

#: pro/fields/class-acf-field-flexible-content.php:622
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:635
msgid "Max"
msgstr "Max"

#: pro/fields/class-acf-field-flexible-content.php:662
#: pro/fields/class-acf-field-repeater.php:458
msgid "Button Label"
msgstr "Buton Etichetă"

#: pro/fields/class-acf-field-flexible-content.php:671
msgid "Minimum Layouts"
msgstr "Scheme Minime"

#: pro/fields/class-acf-field-flexible-content.php:680
msgid "Maximum Layouts"
msgstr "Scheme Maxime"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Adaugă imagini în Galerie"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "Selecția maximă atinsă"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Lungime"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Text alternativ"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Adaugă în galerie"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Acțiuni în masă"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Sortează după data încărcării"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Sortează după data modficării"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Sortează după titlu"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Inversează ordinea curentă"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Închide"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Selecție minimă"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Selecție maximă"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr ""

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Adaugă la sfârșit"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Adaugă la început"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Numărul minim de linii a fost atins ({min} rows)"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Numărul maxim de linii a fost atins ({max} rows)"

#: pro/fields/class-acf-field-repeater.php:335
msgid "Add row"
msgstr "Adaugă linie"

#: pro/fields/class-acf-field-repeater.php:336
msgid "Remove row"
msgstr "Înlătură linie"

#: pro/fields/class-acf-field-repeater.php:411
msgid "Collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:412
msgid "Select a sub field to show when row is collapsed"
msgstr ""

#: pro/fields/class-acf-field-repeater.php:422
msgid "Minimum Rows"
msgstr "Numărul minim de Linii"

#: pro/fields/class-acf-field-repeater.php:432
msgid "Maximum Rows"
msgstr "Numărul maxim de Linii"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Nu există nicio pagină de opțiuni"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opțiuni"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Opțiunile au fost actualizate"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Pentru a activa actualizările, este nevoie să introduci licența în pagina <a "
"href=\"%s\">de actualizări</a>. Dacă nu ai o licență, verifică aici <a href="
"\"%s\">detaliile și prețul</a>."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr ""

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr ""

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr ""

#~ msgid "No toggle fields available"
#~ msgstr "Nu sunt câmpuri de comutare disponibile"

#~ msgid "Parent fields"
#~ msgstr "Câpuri parinte"

#~ msgid "Sibling fields"
#~ msgstr "Câmpuri copil"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportă Grupurile de Câmpuri în PHP"

#~ msgid "Download export file"
#~ msgstr "Descarcă fișierul de export"

#~ msgid "Generate export code"
#~ msgstr "Generează codul de export"

#~ msgid "Import"
#~ msgstr "Importă"

#~ msgid "Locating"
#~ msgstr "Localizare"

#~ msgid "No embed found for the given URL."
#~ msgstr "Nu a fost găsit nici un oembed pentru URL introdus."

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Câmpul Tab nu va fi afișat corect când vei adauga un Câmp de tipul Tabel "
#~ "de stiluri repetitiv sau un Câmp de tipul Schemă de Conținut Flexibil"

#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Folosește  \"Tab Fields\" pentru o mai ușoară organizare și grupare a "
#~ "câmpurilor."

#~ 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 ""
#~ "Toate câmpurile care urmează după acest  \"tab field\" (sau până când un "
#~ "alt  \"tab field\" este definit) vor fi grupate împreună folosind "
#~ "eticheta acestui câmp ca fiind Titlul Tabului."

#~ msgid "Taxonomy Term"
#~ msgstr "Termenul Taxonomiei"

#~ msgid "See what's new in"
#~ msgstr "Vezi ce este nou în"

#~ msgid "version"
#~ msgstr "versiunea"

#~ msgid "Getting Started"
#~ msgstr "Pentru început"

#~ msgid "Field Types"
#~ msgstr "Tiurile Câmpului"

#~ msgid "Functions"
#~ msgstr "Funcții"

#~ msgid "Actions"
#~ msgstr "Acțiuni"

#~ msgid "'How to' guides"
#~ msgstr "Ghiduri 'Cum să...'"

#~ msgid "Tutorials"
#~ msgstr "Tutoriale"

#~ msgid "Created by"
#~ msgstr "Creat de"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Suces</b>. Unealta import a adaugat %s grupuri de câmpuri: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Atenție</b>. Unealta import a detectat %s grupuri de câmpuri care "
#~ "exista deja și a ignorat: %s"

#~ msgid "Upgrade"
#~ msgstr "Îmbunătățire"

#~ msgid "Error"
#~ msgstr "Eroare"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Trage și eliberează pentru a ordona"

#~ msgid "See what's new"
#~ msgstr "Află ce este nou"

#~ msgid "Done"
#~ msgstr "Terminare"

#~ msgid "Today"
#~ msgstr "Azi"

#~ msgid "Show a different month"
#~ msgstr "Arată o altă lună"

#~ msgid "Return format"
#~ msgstr "Fromatul rezultat"

#~ msgid "uploaded to this post"
#~ msgstr "încărcate la acest articol"

#~ msgid "File Name"
#~ msgstr "Numele fișierului"

#~ msgid "File Size"
#~ msgstr "Mărimea fișierului"

#~ msgid "No File selected"
#~ msgstr "Nu a fost selectat nici un fișier"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Vă rugăm să rețineți că toate textele vor fi mai întâi trecute prin "
#~ "funcția wp"

#~ msgid "Select"
#~ msgstr "Selectează"

#~ msgid "Warning"
#~ msgstr "Atenție"

#~ msgid "eg. Show extra content"
#~ msgstr "ex. Arată extra conținut"

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "<b>Eroare de conexiune</b>. Îmi pare rău, încearcă mai târziu"

#~ msgid "Save Options"
#~ msgstr "Salvează Opțiuni"

#~ msgid "License"
#~ msgstr "Licență"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Pentru a permite actualizări, te rog să introduci codul de activare în "
#~ "câmpul de mai jos. Dacă nu deții un cod de activare, te rog vizitează"

#~ msgid "details & pricing"
#~ msgstr "detalii & prețuri"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Pentru a activa  actualizările, te rog să introduci codul de activare pe "
#~ "pagina <a href=\"%s\">Actualizări</a>. Dacă nu ai un cod de activare, te "
#~ "rog sa vizitezi pagina <a href=\"%s\">detalii & prețuri</a>"

#~ msgid "Hide / Show All"
#~ msgstr "Selectează / Deselectează tot"

#~ msgid "Show Field Keys"
#~ msgstr "Arată Cheile Câmpului"

#~ msgid "Pending Review"
#~ msgstr "Așteaptă Revizuirea"

#~ msgid "Draft"
#~ msgstr "Ciornă"

#~ msgid "Future"
#~ msgstr "Viitor"

#~ msgid "Private"
#~ msgstr "Privat"

#~ msgid "Revision"
#~ msgstr "Revizie"

#~ msgid "Trash"
#~ msgstr "Coșul de gunoi"

#~ msgid "Import / Export"
#~ msgstr "Importă / Exportă"

#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr "Grupurile de câmpuri sunt create în ordine crescătoare"

#~ msgid "ACF PRO Required"
#~ msgstr "Este necesară versiunea ACF RPO"

#~ 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 ""
#~ "Am detectat o problemă care necesită atenția ta: Acest website folosește "
#~ "add-onuri premium (%s) care nu mai sunt compatibile cu ACF."

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "Nu te panica, poți reveni oricând la o versiune anterioară și poți folosi "
#~ "în continuare ACF așa cum știi!"

#~ msgid "Roll back to ACF v%s"
#~ msgstr "Revenire la versiunea %s a ACF"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Află de ce ACF PRO este cerut pentru site-ul tău"

#~ msgid "Update Database"
#~ msgstr "Actualizarea Bazei de Date"

#~ msgid "Data Upgrade"
#~ msgstr "Actualizare Date"

#~ msgid "Data upgraded successfully."
#~ msgstr "Actualizarea datelor a fost făcută cu succes."

#~ msgid "Data is at the latest version."
#~ msgstr "Datele sunt actualizate."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "1 câmp obligatoriu este gol"
#~ msgstr[1] "%s câmpuri obligatorii sunt goale"
#~ msgstr[2] ""

#~ msgid "Load & Save Terms to Post"
#~ msgstr "Încarcă și Salvează Termenii la Articol"

#~ msgid ""
#~ "Load value based on the post's terms and update the post's terms on save"
#~ msgstr ""
#~ "Încarcă valoarea pe baza termenilor articolului și actualizează termenii "
#~ "în momentul salvării"
PK�[A��vs�s�lang/acf-ar.monu�[�������m)�6�6�6�66�6:/7Dj7�7
�7�7�70�7)'8=Q80�8"�8��8;�9�9�9M�9*:-.:
\:g:	p:z:�:
�:�:�:�:
�:�:�:�:;;;'/;W;r;v;��;�]<�<
==,=;=!J=l=�=A�=�=,�=>>
$>/>G> `>�>�>�>�>�>
�>�>�>�>?c?x?�?�?�?�?�?�?�?�?@@!@(@
0@;@B@	Y@c@s@@�@�@�@�@�@9�@�@A*A0A<AIA	ZAdA/qA�A�A�A"�A�A�A#�A"B[/B
�B�B�B�B
�B�BE�B$C=CGWC:�C�C�C D%DBD_D|D�D!�D"�D#�D!E,6E,cE%�E�E!�E%�E%F-BF!pF*�F�F�F�F
�F�F
G
G"G/G
;GFGNG$]G
�G�G�G�G	�G�G�G�GHH
H&H	7H
AH
LHWHhH
qHH
�H	�H	�H �H&�H&�HI,I3I?IGIVIjI�I�I�I�I
�I�I
�I
�I�I�IJ+JBJUJRpJ�J�J�JK1*K\KvKA}K�K
�K�K�K	�K	�K�K"L6LLL`LsL�L�L�L+�LC�L?!MaMhM
nM	yM�M�M�M
�M�M=�M
NN N
3N�>N�N�N�N	�N#�N"O"1O!TOvO.}O�O�O/�O
PP P3PQ<P��P0QDQIQ	PQZQpQ4}Q�Qy�Q@RDRJRZRyRR�R�R�R�R�R�R�R�R	S
SS
"S-SIS
QS\SeS	nS�xSTT%T5TBT
TT
bT!pT�T'�T2�TUU	UU,U2U:U>UFUVUcU
uU
�U!�U'�U	�U<�U"V'V6V
HVSVoV
�V�V�V�V1�V	�V�V	WW	WJ(WsW/�WN�W.�WQ.XQ�X�X`�X6YLYkY{Y
�Y!�Y�YT�Y2ZCZUZfZ}Z�Z�Z�Z�Z�Z�Z�Z�Z[	[[&[	,[6[<[A[	Q[[[
g[	u[[�[
�[�[	�[�[	�[Z�[58\,n\�\�\
�\�\�\�\�\
�\	�\�\
]]%]9]L]/T]�]�]�]�]�]
�]2�]^�^�^
�^�^�^�^
_
__!_0_	9_	C_$M_%r_
�_
�_�_�_�_	�_�_�_�_+`*0`[`g`
s`
~`�`3�`�`�`
�`�`	a.a	KaUabava�a�a0�a�a+�ab!b�1b#�b�b#�c5d7Nd>�d?�d#e1)e%[eG�eV�e& f:Gf<�f2�f�f	gg'g@gIgdg}g�g�g�g�g�g6�gh h,3h`heh0|h�h�h
�h
�h'�h0i4Ni�i'�i�i�i	�i�i�i
�i
jjj3j8jGj_jcjijnjsj
|j�j�j�j	�j	�j�j�j1�j!kZ;k3�kE�kAl^Rm(�m*�m#n6)n@`nr�n<o,Qo/~o7�o3�o	p5$pZpk`p�p
�p�p�p�pqq q%q4q
<qJq^qeqvq�q�q
�q�q�q�q
�q�q�qr%r;rQ?r�r<�r�r	�r	�rs s/sAsWs]sts(�s'�s�s�s
ttt0tBt
ItWt�ct'uM/u}u�u!�u
�u�u�u�u�u�u�u2�u,v0v8v>vCv%`v�v�v�v�v�v�v
�v�v�v�v	�v�v	�vw
ww6w4Vw5�w'�z�z�z{+-|Y}q~�~�~+�~@�~CVa;�'���M�i������
|�=��ł݂� �$�8�+S������ ̓�"��!�@�,Q�P~�?τ��F'��n�7c�����ˇ �-�06�g�(����GȈ/�@�V�c���0��,҉
��
�
&�1�D�Q�#^�(�������e�y��� ��ȋ)ڋ�
�"�>�^�
r�}���
��&��܌"�� �:�%P�v������[��$�(�
@�K�_�y�����`��
	��'�3A�u���;��؏��v���&��Ӑ�	�N�&d�3��x��\8�$����
��ʒג
�1�
!�,�/�4�=�J�`�t�����������
��Ɠ����)�C�_�f�|�
��������4��� �$@�
e�p�������
ԕߕ$���0�H�$^�����!��̖� ��,�EF�<��<ɗ��)�C�&_�/����ʘј���5�G�&Y�5��-��&�&�/2�lb�*Ϛ1��/,�)\�R��#ٛ��|���������Μ�/�:"�*]�#�� ��͝ܝ)�
�J'�kr�{ޞ
Z�
e�p����� ��=ԟ�&�b3����� Ơ���á̡���F�:W�@��4Ӣ�P�*h�$��"��ۤ��*�
6�D��b�!D�f�
u���&����J��-���

�"�&8�_�h�x�&����
Ʃѩ���4�M�Z�t���0��
ʪ
ժ��������(�'@�&h���&��=լ�C2�Hv�
��ʭ٭���)�?�(U�'~�&��ͮ&�=�QQ���U��
��%�D�.V�C��ɰݰ��
��� /�P�f��y��
�S'��{�?�b\����I��N�*��B#�/f�L���I��2A�mt��!�.$�#S�)w�*��̷ ط���)�"6�9Y�����"��
ݸ�����&�<�N�e�y�#����¹Թ�
�w�c��8�&�
3�>�X�r�������ƻ ڻ���")�"L�
o�bz�ݼ��� �'�;�AU�%�������˾
۾�
���!�1�$G�l�y���6��2̿
��
�*�"F�.i���������<�8�>�R�h�|���E���'���8�	V�C`�����"������
�8� X�Cy��������!�����0T�#����5��/��"-�&P�.w�X��O��O�._�(��B����� �):�d�6w�)��#��4��+1�]�y���h����P&�w�)��Y��+�'?�'g�.��Y��E�G^�4��:���.�;�O�*V�����
��������&��
 �+�4�P�]�l�����������-��2��6 �<W�Q��N��d5�	�����4T�;��:��;�T<����L3�4��A��I��GA���I�������
������
��0�� '�
H�
V�a�u���)��
������
�"�@�Z�&i�����&��4��  �'A�i��v�@�xW�������>�5V�#��)����,��>�EO�C��"��
��� �$:�&_�������"��=��u�#����A���!�
*�5�K�\�c�Ur���
��������$�4�
F�Q�a�h�w���
����������
��
��
��
��5�6<�vx����C�K�Rk����|��2U���U��q�S�~�*l���(���z�ZlB8����Fw%�� j�r9Ti�q��Y#�
yn����e\
�}6��D[���9��Q2.��a�B��g�^��3I)	��'�/�WA�H��3�����8=WRST5�3Q�	qM���p60��8�Es/��
1o�����;�Lc�	-�H����Z�<�'bY!g]D-:}
0R������_�}��6L!>���1�(|E=+��+`��y*���>
��^��+s��� <Oxxky�C�[,Ye�J�O���e5�?�r7P��,���Fo!��MOs�~%�_h�����o�J@D$Q�a�"��L"��c:�d��^N�v���NdZh�&�&���K�����`X�IP�mpb����m|40`��z{'H��u��,N�����w2:"��� �<�T�]��#9h���XWgVp7%�l4k\���V&�@GF������K@Pv���5f�$�#���S;�?�.m�>a)i���������t��-[tG�j��_���U��G�d�4��\$�V
Arn�)�7����u1{.��c~X?*f�f��j�w�;A�M��Jn�i�{C���/����Ib��E�=(uzB�]�t%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTinyMCE will not be initalized until field is clickedTitleTo help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro
POT-Creation-Date: 2017-06-27 15:37+1000
PO-Revision-Date: 2019-02-11 10:45+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Adil el hallaoui <servicewb11@gmail.com>
Language: ar
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
Plural-Forms: nplurals=6; plural=(n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 && n%100<=10 ? 3 : n%100>=11 && n%100<=99 ? 4 : 5);
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d حقول تتطلب الاهتمامتمت اضافة %s%s موجود بالفعلتم تكرار مجموعة الحقول. %sتم تكرار مجموعة الحقول. %sتم تكرار مجموعة الحقول. %sتم تكرار مجموعة الحقول. %sتم تكرار مجموعة الحقول. %sتم تكرار مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %sتمت مزامنة مجموعة الحقول. %s%s يتطلب على الأقل %s تحديد%s يتطلب على الأقل %s تحديد%s يتطلب على الأقل %s تحديدان%s يتطلب على الأقل %s تحديد%s يتطلب على الأقل %s تحديد%s يتطلب على الأقل %s تحديدقيمة %s مطلوبة(بدون عنوان)+ اضف حقلحقل واحد يتطلب الاهتمام<b>خطأ</b>. تعذر الاتصال بخادم التحديث<b>خطأ.</b> لا يمكن تحميل قائمة الإضافات<b>تحديد</b> العناصر <b>لإخفائها</b> من شاشة التحرير.تم إضافة حقل جديد لتضمين المحتوىحقول مخصصة أكثر سلاسةيحتوي ACF PRO على ميزات قوية مثل البيانات القابلة للتكرار، والمحتوى المرن، وحقل المعرض الجميل والقدرة على إنشاء صفحات خيارات إضافية للمشرفين!ACF الآن يحفظ إعدادات الحقول كـ post object منفصلتفعيل الترخيصنشطنشط <span class="count">(%s)</span>نشط <span class="count">(%s)</span>نشطة <span class="count">(%s)</span>نشطة <span class="count">(%s)</span>نشطة <span class="count">(%s)</span>نشطة <span class="count">(%s)</span>إضافةإضافة خيار 'آخر' للسماح بقيم مخصصةإضافة / تعديلإضافة ملفاضافة صورةاضافة صورة للمعرضإضافة جديدإضافة حقل جديدإضافة مجموعة حقول جديدةإضافة تخطيط جديدإضافة صفإضافة تنسيق جديدإضافة اختيار جديدإضافة صفإضافة مجموعة قاعدةاضافة الى المعرضالإضافاتالحقول المخصصة المتقدمة ترقية قاعدة بيانات الحقول المخصصة المتقدمةالحقول المخصصة المتقدمة للمحترفينالكلكل صيغ %sتم دمج الإضافات المدفوعة الأربعة في <a href="%s">النسخة الإحترافية من ACF</a>. مع توفير رخص شخصية واخرى للمطورين، لتصبح الوظائف المميزة بأسعار معقولة ويمكن الوصول إليها أكثر من أي وقت مضى!كافة الحقول بعد "حقل علامة التبويب" هذة (أو حتى إضافة "حقل علامة تبويب آخر") سوف يتم تجميعها معا باستخدام تسمية هذا الحقل كعنوان للتبويب.جميع الحقول من مجموعة الحقول %sجميع الصورأنواع المقالاتكافة التصنيفاتجميع رتب المستخدمالسماح بإضافة قيم "مخصصة"السماح بالعناوين المؤرشفةاسمح بالتخصيصالسماح بعرض كود HTML كنصالسماح بالفارغ؟السماح بإنشاء شروط جديدة أثناء التحريرأنواع الملفات المسموح بهاالنص البديلالمظهريظهر بعد الإدخاليظهر قبل الإدخاليظهر عند إنشاء مقالة جديدةسيظهر داخل مربع الإدخال.إلحاقإلحاق بالنهايةتطبيقالأرشيفاتمرفقاتالكاتباضف  &lt;br&gt; تلقائياًإضافة الفقرات تلقائياأساسيةقبل البدء باستخدام الميزات الجديدة، الرجاء تحديث قاعدة البيانات الخاصة بك إلى الإصدار الأحدث.بعد الحقولأسفل التسمياتنماذج افضلصفحات خيارات أفضلتحقق افضلتحكم أفضل في الإصداراتكتلةكلاهما (Array)اجراءات جماعية- اجراءات جماعية -تسمية الزرالغاءكلمات توضيحيةالتصنيفاتمنتصفمركز الخريطة الأوليةسجل التغييراتالحد الأقصى للحروفالاختيار مرة أخرىمربع اختيارصفحة فرعية (لديها أب)خيارخياراتمسحمسح الموقعانقر فوق الزر "%s" أدناه لبدء إنشاء التخطيط الخاص بكانقر لبدء تهيئة TinyMCEانقر للتبديلإغلاقأغلق الحقلإغلاق النافذةطي التفاصيلطيمحدد اللونقائمة مفصولة بفواصل. اترك المساحة فارغة للسماح بالكلتعليقالتعليقاتالمنطق الشرطيوصل الشروط المحددة بالمقالةالمحتوىمحرر المحتوىتحكم في طريقة عرض السطور الجديدةإنشاء شروطإنشىء مجموعة من القواعد لتحديد أي شاشات التحرير ستستخدم هذه الحقول المخصصةاللون الحاليالمستخدم الحاليرتبة المستخدم الحاليالنسخة الحاليةالحقول المخصصةمخصص:خصص ووردبرس بحقول قوية، مهنية، وبديهية‪.‬تخصيص ارتفاع الخريطةترقية قاعدة البيانات مطلوبةتمت ترقية قاعدة البيانات. <a href="%s">العودة إلى لوحة معلومات الشبكة</a>تمت ترقية قاعدة البيانات. <a href="%s">اطلع على الجديد</a>عنصر إختيار التاريختماليومالتاليالسابقاسبوععنصر إختيار التاريخ والوقتصباحاصتمالانالساعةميكرو ثانيةميلي ثانيةالدقيقةمساءمالثانيةاختراختر الوقتالوقتالمنطقة الزمنيةتعطيل الترخيصالافتراضيقالب افتراضيقيمة إفتراضيةتأخير التهيئة؟حذفحذف التخطيطحذف الحقلالوصفالنقاشعرضتنسيق العرضعرض النص بجانب مربع الاختيارالتوثيقتحميل وتثبيتتنزيل ملف التصديراسحب لإعادة الترتيبتكرارتكرار التخطيط تكرار الحقلتكرار هذا العنصرترقية سهلةتحريرتحرير الحقلتحرير مجموعة الحقولتعديل الملفتحرير الصورةتحرير الحقلتحرير مجموعة الحقولالعناصرإليوت كوندونالبريد الإلكترونيحجم المضمننقطة النهايةقم بإدخال عنوان URLأدخل كل خيار في سطر جديد.قم بإدخال كل قيمة افتراضية في سطر جديدخطأ في تحميل الملف . حاول مرة أخرىحدث خطأ أثناء التحقق من صحة الطلبخطأ.استبعاد كود HTMLمختصر الموضوعتوسيع التفاصيلتصدير مجموعات الحقولتصدير مجموعات الحقول لـ PHPصورة بارزةحقلمجموعة الحقولمجموعات الحقولمفاتيح الحقلتسمية الحقلاسم الحقلنوع الحقلتم حذف مجموعة الحقول.تم تحديث مسودة مجموعة الحقول.تم تكرار مجموعة الحقول %s.تم نشر مجموعة الحقول.تم حفظ مجموعة الحقول.تم جدولة مجموعة الحقول لـ.تمت إضافة إعدادات لموضع التسمية والتعليمات بمجموعة الحقول تم تقديم مجموعة الحقول.تمت مزامنة مجموعة الحقول %s.عنوان مجموعة الحقول مطلوبتم تحديث مجموعة الحقولمجموعات الحقول ذات الترتيب الأدنى ستظهر أولانوع الحقل غير موجودحقوليمكن الآن تعيين الحقول إلى التعليقات، الودجات وجميع نماذج المستخدم!ملفمصفوفة الملفمعرف الملفرابط الملف URLإسم الملفحجم الملفيجب إلا يقل حجم الملف عن %s.حجم الملف يجب يجب أن لا يتجاوز %s.يجب أن يكون نوع الملف %s.فرز حسب نوع المقالةتصفية حسب التصنيففرز حسب:فرزالبحث عن الموقع الحاليالمحتوى المرنيتطلب المحتوى المرن تخطيط واحد على الأقللمزيد من التحكم، يمكنك تحديد كل من القيمة والتسمية كما يلي:يتم الآن التحقق من صحة النموذج عن طريق PHP + AJAX بدلا من جافا سكريبت فقطالشكلنماذجالصفحة الرئسيةالعرض الكاملالالبومتوليد كود التصديروداعا للوظائف الإضافية. مرحبا بروخرائط جوجلمجموعةالمجموعة (تعرض الحقول المحددة في مجموعة ضمن هذا الحقل)الإرتفاعإخفاء على الشاشةعالي (بعد العنوان)أفقيإذا ظهرت مجموعات حقول متعددة في شاشة التحرير. سيتم استخدام خيارات المجموعة الأولى (تلك التي تحتوي على أقل رقم ترتيب)صورةمصفوفة الصورمعرف الصورةرابط الصورةيجب أن يكون ارتفاع الصورة على الأقل %dpx.يجب إلا يتجاوز ارتفاع الصورة %dpx.يجب أن يكون عرض الصورة على الأقل %dpx.يجب إلا يتجاوز عرض الصورة %dpx.استيرادالاستيراد والتصدير الآن يستخدم JSON عوضا عن XMLاستيراد مجموعات الحقولالملف المستورد فارغتم استيراد مجموعة حقول واحدةتم استيراد مجموعة حقول واحدةتم استيراد مجموعتي حقولتم استيراد %s مجموعات حقولتم استيراد %s مجموعات حقولتم استيراد %s مجموعات حقولبيانات محسّنةتصميم محسّنتحسين قابلية الاستخدامغير نشطغير نشطة <span class="count">(%s)</span>غير نشط <span class="count">(%s)</span>غير نشطة <span class="count">(%s)</span>غير نشطة <span class="count">(%s)</span>غير نشطة <span class="count">(%s)</span>غير نشطة <span class="count">(%s)</span>دمج مكتبة Select2 حسن قابلية الاستخدام والسرعة عبر عدد من أنواع الحقول بما في ذلك موضوع المنشور، رابط الصفحة، التصنيف والتحديدنوع الملف غير صحيحمعلوماتإدراجتم التثبيتتعيين مكان التعليماتالتعليماتتعليمات للكتاب. سيظهر عند إرسال البياناتنقدم ACF برويوصى بشدة أن تقوم بأخذ نسخة احتياطية من قاعدة البيانات قبل المتابعة. هل أنت متأكد أنك ترغب في تشغيل التحديث الآن؟المفتاحتسميةتعيين مكان التسميةسيتم عرض التسمية كـ %sكبيرآخر نسخةالمخططاتركه فارغا لبدون حد.محاذاة لليسارالطولالمكتبةمعلومات الترخيصمفتاح الترخيصالحد من اختيار مكتبة الوسائطالرابطمصفوفة الرابطرابط URLتحميل الشروطتحميل قيمة من شروط المقالةتحميلJSON محليتحديد الموقعالموقعمسجل الدخولشهدت العديد من الحقول تحديث مرئي جعل ACF تبدو أفضل من أي وقت مضى! تلاحظ التغييرات في المعرض، العلاقة وحقول oEmbed (جديد)!الحد أقصىالحد الأقصىالحد الأقصى للتخطيطاتالحد الأقصى من الصفوفالحد الأقصى للاختيارقيمة الحد الأقصىالحد الأقصى للمقالاتبلغت الحد الأقصى من الصفوف ({max} صف)وصلت للحد الأقصىوصلت إلى الحد الأقصى للقيم ( {max} قيمة )تم الوصول إلى حد أقصى ({max} {identifier}) لـ {label}متوسطالقائمةعنصر القائمةمواقع القائمةالقوائمالرسالةالحد الأدنىالحد الأدنىالحد الأدنى للتخطيطاتالحد الأدنى من الصفوفالحد الأدنى للاختيارقيمة الحد الأدنىالحد الأدنى للمقالاتوصلت للحد الأدنى من الصفوف ({min} صف)تم الوصول الى الحد الأدنى من القيم ( {min} قيمة )اجاكس أكثرحقول اكثر تستخدم بحث أجاكس لتسريع تحميل الصفحةنقلتم النقل.نقل الحقل المخصصنقل الحقلنقل الحقل إلى مجموعة أخرىارسال إلى سلة المهملات. هل أنت متأكد؟نقل الحقولمتعددة الاختيارقيم متعددةالاسمنصحقل جديدمجموعة حقول جديدةأشكال جديدةمعرض صور جديدسطور جديدةإعداد جديد لحقل العلاقة خاص بالفلاتر (البحث، نوع المقالة، التصنيف)إعدادات جديدةمجموعة المحفوظات الجديدة في تحديد الحقل page_linkيسمح التصدير الاتوماتيكي الجديدة إلى JSON لإعدادات الحقول بأن تكون قابلة لتحكم الإصداراتتصدير اتوماتيكي الى JSON يحسن السرعةيمكن الان نقل الحقل بين المجموعات و المجموعات الأصليةمهام جديدة لصفحة الخيارات تسمح بإنشاء كل من صفحات القائمة الأصلية والفرعيةلالم يتم العثور على أية "مجموعات حقول مخصصة لصفحة الخيارات هذة. <a href="%s">أنشئ مجموعة حقول مخصصة</a>لم يتم العثور على نتائجلا توجد مجموعات حقول في سلة المهملاتلم يتم العثور على أية حقوللم يتم العثور على أية حقول في سلة المهملاتبدون تنسيقلم يتم العثور على تضمين لعنوان URL المحدد.لم يتم تحديد مجموعات الحقوللا توجد حقول. انقر على زر <strong>+ إضافة حقل</strong> لإنشاء أول حقل.لم يتم إختيار ملفلم يتم اختيار صورةلم يتم العثور على مطابقاتلا توجد صفحة خياراتتبديل الحقول غير متوفرلا توجد تحديثات متوفرة.لا شيءعادي (بعد المحتوى)لا شيءرقمالنص اثناء عدم التفعيلالنص اثناء التفعيلفتح في نافذة / علامة تبويب جديدةخياراتخيارات الصفحةتم تحديث الإعداداتترتيبرقم الترتيبأخرىصفحةسمات الصفحةرابط الصفحةأب الصفحةقالب الصفحة:نوع الصفحةالأبصفحة أب (لديها فروع)الحقول الأصليةكلمة السرالرابط الدائمنص الـ placeholderالوضعيرجى أيضا التأكد من تحديث أي إضافات مدفوعة (%s) أولا إلى أحدث إصدار.يرجى إدخال مفتاح الترخيص أعلاه لإلغاء تأمين التحديثاتالرجاء تحديد الوجهة لهذا الحقلالموضعمقالةتصنيف المقالةتنسيق المقالةمعرف المقالPost Objectحالة المقالةتصنيف المقالةنوع المقالتم تحديث المنشور .صفحة المقالاتميزات قويةبادئة تسمية الحقولبادئة أسماء الحقولبادئةأضف مربع اختيار إضافي في البداية لتبديل جميع الخياراتإلحاق بالبدايةحجم المعاينةاحترافينشرزر الراديوازرار الراديواقرأ المزيد حول <a href="%s">ميزات ACF PRO</a>.قراءة مهام الترقية...إعادة تصميم هيكل البيانات سمحت للحقول الفرعية للعمل بشكل مستقل عن الحقول الأصلية. هذا يسمح لك بسحب وافلات الحقول داخل وخارج الحقول الأصلية!التسجيلذو علاقةعلاقةحقل العلاقةازالةإزالة التنسيقإزالة صفإعادة ترتيبإعادة ترتيب التخطيطالمكررمطلوب؟المواردتقييد الملفات التي يمكن رفعهاتقييد الصور التي يمكن رفعهامحظورالتنسيق المسترجعالقيمة المرجعةعكس الترتيب الحالياستعراض المواقع والترقيةالمراجعةسطرصفوفالقواعدحفظ القيم "المخصصة" لخيارات الحقلحفظ القيم الأخرى لخيارات الحقلحفظ المخصصحفظ التنسيقحفظ الأخرىحفظ الشروطسلس (بدون metabox)سلس (يستبدل هذا الحقل بالحقول المحددة)بحثبحث في مجموعات الحقولبحث في الحقولالبحث عن عنوان...بحث...اطلع على الجديد في <a href="%s">النسخة %s</a>.اختيار %sاختر اللونحدد مجموعات الحقولإختر ملفإختر صورةإختر رابطحدد حقل فرعي لإظهار عند طي الصفتحديد قيم متعددة؟حدد حقل واحد أو أكثر ترغب في استنساخهاختر نوع المقالاختر التصنيفحدد ملف JSON الذي ترغب في استيراده. عند النقر على زر استيراد أدناه، ACF ستقوم باستيراد مجموعات الحقول.حدد مظهر هذا الحقلحدد مجموعات الحقول التي ترغب في تصديرها ومن ثم حدد طريقة التصدير. استخدام زر التحميل للتصدير إلى ملف .json الذي يمكنك من ثم استيراده إلى تثبيت ACF آخر. استخدم زر التوليد للتصدير بصيغة PHP الذي يمكنك ادراجه في القالب الخاص بك.حدد التصنيف الذي سيتم عرضهالرجاء حذف حرف واحدالرجاء حذف %d حرفالرجاء إدخال حرف واحد أو أكثرالرجاء إدخال %d حرف أو أكثرعملية التحميل فشلتتحميل نتائج أكثر&hellip;لم يتم العثور على مطابقاتنتيجة واحدة متاحة، اضغط على زر الإدخال لتحديدها.%d نتيجة متاحة، استخدم مفاتيح الأسهم للتنقل.بحث &hellip;يمكنك تحديد عنصر واحد فقطيمكنك تحديد %d عنصر فقطسيتم عرض العناصر المحددة في كل نتيجةإرسال Trackbacksفاصلضبط مستوى التكبيرتعيين ارتفاع مربع النصالإعداداتاظهار زر إضافة ملفات الوسائط؟إظهار هذه المجموعة إذاإظهار هذا الحقل إذااظهار في قائمة مجموعة الحقولتظهر عند إدخال البياناتالحقول الفرعيةالجانبقيمة مفردةكلمة واحدة، بدون مسافات. مسموح بالشرطات والشرطات السفليةالموقعالموقع محدثيتطلب الموقع ترقية قاعدة البيانات من %s إلى %sالاسم اللطيفإعدادات حقول أكثر ذكاءعذراً، هذا المتصفح لا يدعم تحديد الموقع الجغرافيترتيب حسب تاريخ التعديلترتيب حسب تاريخ الرفعترتيب فرز حسب العنوانتم الكشف عن البريد المزعجحدد القيمة التي سيتم إرجاعها في الواجهة الأماميةحدد النمط المستخدم لعرض حقل الاستنساخحدد النمط المستخدم لعرض الحقول المحددةحدد القيمة التي سيتم إرجاعهاحدد مكان إضافة المرفقات الجديدةقياسي (WP metabox)الحالةحجم الخطوةنمطواجهة المستخدم الأنيقةالحقول الفرعيةمديرالدعماستبدال XML بـ JSONمزامنةالمزامنة متوفرةمزامنة مجموعة الحقولتبويبجدولعلامات التبويبالوسومالتصنيفشروط التصنيفTerm IDTerm Objectنصمربع النصالنص فقطالنص المعروض عند التنشيطالنص المعروض عند عدم النشاطشكرا لك لاستخدامك <a href="%s">ACF</a>.شكرا لك على تحديث %s إلى الإصدار %s!شكرا لك للتحديث! ACF %s أكبر وأفضل من أي وقت مضى.الحقل %s يمكن الآن إيجاده في مجموعة الحقول %sسيتم فقدان التغييرات التي أجريتها إذا غادرت هذه الصفحةيمكن استخدام الكود التالي لتسجيل نسخة محلية من مجموعة الحقول المحددة. مجموعة الحقول المحلية يمكن أن توفر العديد من المزايا مثل التحميل بشكل أسرع، والتحكم في الإصدار والإعدادات والحقول الديناميكية. ببساطة أنسخ وألصق الكود التالي إلى ملف functions.php بالقالب الخاص بك أو إدراجه ضمن ملف خارجي.تتطلب المواقع التالية ترقية قاعدة البيانات. تحقق من تلك التي تحتاج إلى ترقيتها ومن ثم انقر على %s.تنسيق العرض عند تحرير المقالالتنسيق عاد عن طريق وظائف القالبالتنسيق المستخدم عند حفظ القيمةشهد حقل المعرض عملية تغيير جذريةلا يجوز استخدام المقطع "field_" في بداية اسم الحقلسيتم عرض حقل علامة التبويب بشكل غير صحيح عند إضافته إلى حقل مكرر بتنسيق جدول أو محتوى مرنلا يمكن نقل هذا الحقل حتى يتم حفظ تغييراتهيحتوي هذا الحقل حد {max} {identifier}يتطلب هذا الحقل على الأقل {min} {identifier}يتطلب هذا الحقل على الأقل {min} {label} {identifier}هذا هو الاسم الذي سيظهر في صفحة التحريرالصورة المصغرةلن يتم تهيئة TinyMCE حتى يتم النقر فوق الحقلالعنوانللمساعدة في جعل الترقية سهلة، <a href="%s">سجل الدخول إلى حسابك في المتجر</a> واحصل على نسخة مجانية من ACF PRO!تبديلتبديل الكلشريط الأدواتأدواتأعلى مستوى للصفحة (بدون أب)محاذاة إلى الأعلىصح / خطأالنوعتحت الغطاءغير معروفحقل غير معروفمجموعة حقول غير معروفةتحديثهنالك تحديث متاحتحديث الملفتحديث الصورةمعلومات التحديثتحديث الاضافةتحديثاتترقية قاعدة البياناتإشعار الترقيةترقية المواقعاكتملت عملية الترقيةترقية البيانات إلى الإصدار %sمرفوع الى المقالةمرفوع الى هذه المقالةالرابطاستخدم "حقل علامة التبويب" لتنظيم أفضل لشاشة التحرير الخاصة بك عن طريق تجميع الحقول معا.استخدام AJAX لخيارات التحميل الكسول؟استخدم هذا الحقل كنقطة نهاية وابدأ مجموعة جديدة من علامات التبويبالمستخدمنموذج المستخدمرتبة المستخدمالمستخدم غير قادر على إضافة %s جديدالتحقق من البريد الإليكترونيفشل في عملية التحققعملية التحقق تمت بنجاحقيمةيجب أن تكون القيمة رقماًالقيمة يجب أن تكون عنوان رابط صحيحيجب أن تكون القيمة مساوية أو أكبر من  %dيجب أن تكون القيمة مساوية أو أقل من  %dسيتم حفظ القيم كـ %sعموديعرض الحقلعرض مجموعة الحقولعرض الواجهة الخلفيةعرض الواجهة الأماميةمرئينص و مرئيالمرئي فقطنحن كتبنا أيضا <a href="%s">دليل للتحديث</a> للرد على أية أسئلة، ولكن إذا كان إذا كان لديك اي سؤال، الرجاء الاتصال بفريق الدعم الخاص بنا عن طريق <a href="%s">مكتب المساعدة</a>نعتقد أنك ستحب هذه التغييرات في %s.نحن نغير الطريقة التي يتم بها تقديم الأداء المتميز بطريقة مثيرة!الموقع الإليكترونييبدأ الأسبوع فيمرحبا بك في الحقول المخصصة المتقدمةما الجديدودجتالعرضسمات المجمعمحرر Wysiwygنعمالتكبيرacf_form() يمكن الآن إنشاء مشاركة جديدة عند الإرسالومفحوصclass (الفئة)انسخhttp://www.elliotcondon.com/http://www.advancedcustomfields.com/id (المعرف)يساويلا يساويjQueryالتخطيطالتخطيطاتاستنساخاختارoEmbedاوأحمر : أحمرإزالة {layout}؟تحريراختارتحديثالعرض{available} {label} {identifier} متاح (max {max}){required} {label} {identifier} مطلوب (min {min})PK�[~�NP����lang/acf-pt_PT.monu�[������4�L*x8y8�8�8D�8�8

9
9 9-999zT90�9=:>:Y:�o:	;;/;M6;�;-�;
�;�;	�;�;�;
�;�;<"<
*<5<D<L<[<j<r<�<�<�<��<�=
�=�=�=�=!�=>>A)>k>,w>4�>�>�>
�>?? 1?R?k?r?�?�?
�?
�?�?�?�?�?�?@@@6@H@N@C[@�@�@�@�@�@�@
�@�@�@	AA%A1A:ABAZAaAiAoA9~A�A�A�A�A�ABB	 B*B/7BgBoBxB"�B�B�B#�B�B�BC[C
jCxC�C�C
�C�CE�CDDG6D:~D�D�D �DE!E>E[ElE!�E"�E#�E!�E,F,BF%oF�F!�F%�F%�F-!G!OG*qG�G�G�G
�GZ�GV1H�H�H
�H�H�H
�H�H�H,�H$I
@INIaI	qI{I�I�I�I�I�I
�I�I	�I
�I

JJ&J
/J=J
CJNJ	WJ aJ&�J&�J�J�J�J�JK1KEKKKZK`KlK
yK�K
�K
�K�K�K3�K
L!L4LiOL�L7�LM&M1;MmM�MT�M�M
�M�M�M	N	NN"7NZNpN�N�N�N�N�N+�NCO@EO�O�O�O
�O	�O�O�O�O
�O�O=�O0P
<PJPWP^PmP
�P��PQQ$Q	-Q#7Q"[Q"~Q!�Q�Q�Q�Q/�Q
%R3RCRVRQ_R��RSSgSlS	sS}S�S4�S�Sy�ScTgTmT}T�T�T�T�T�T�T�T�TU
U,U
1U
<UGU
PUwU
U�U	�U��U>VBVJVZVgV
yV
�V!�V�V'�V�VW	WWW$W,W0W8WHWUW
gW
uW!�W	�W�W=�WXXX
&X1XMX
jXxX�X�X�X1�X�X	�X�XY	YUYsYM�YR�Y!Z`$Z�Z�Z�Z�Z
�Z�ZT
[_[p[�[�[�[�[�[�[�[\
\\\%\*\D\L\Y\i\	o\y\\�\	�\�\
�\	�\�\�\�\	�\�\	]M]5`]+�],�]�]�]
�]^^^+^
7^
E^	S^]^
j^u^�^�^�^/�^�^�^___
%_3_29_l_��_-`
6`A`N`
U`
c`n`v`�`	�`	�`$�`%�`
�`
�`aa)a	@aJaNaSa+Ya*�a�a�a
�a
�a�a3�a(b/b
CbQb	gb.qb	�b�b�b�b�b�b0�b!c+9cecvc��c#d:d#Ie5me7�e>�e?f#Zf1~f%�fG�fVg&ug:�g<�g2hGhahxh	�h�h�h�h�h�hii0i5i6Biyi~i,�i�i0�i�i
j
 j
.j'<j0dj4�j�j'�j
k#k	*k4k:k
FkQk]kektk�k�k�k�k�k�k�k�k�k�k�k	�k	�k�kl1,l!^lZ�l3�lBmURmE�mA�mZ0nA�n^�o(,p*Up#�p^�p@q<Dq4�q7�q3�qL"r	oryr6�r�r��r�ist
ttt!t<tHtUtZt
btpt�t�t�t�t�t
�t�t�t�t
�tuu.uWKu�u�u�u�u�u
�u	�uvv	v%v?vNv`vvv|v�v�v�v�v�v�v	w(#w'Lw#tw�w�w
�w�w�w�w�w
xx�x'�xM�x7y?y!Ny
py{y�y�y�y�y�yM�yzzz$z5z8zDzTz[zjz
rz}z�z�z�z	�z	�z�z�z�z6�z4	{1>{"p~�~
�~F�~�~

"0=O�nC�BI������À	������N��	��O�W�j�}�������΂���$�;�K�e�z����������҃%��Ƅׄ��(&�O�g�M��υ7ޅ=�T�r�������#Ć��	��� �/�5�$;�%`� ��������%Շ���
�L"�o�����������
ɈԈ܈�� �2�F�!S�u�}�����?��!���(�/�
<�J�
]�h�Kz�ƊҊߊ*�	�(�/<�l�%t���}��
%�0�B�]�l���I��ی+��U%�R{�΍
�������!�$�
&�1�7�<�I�V�]�`�b�j�v���
��������͎O�^0�������Ïҏ
ޏ���<�-O�}�������ÐӐ�"���.�5�B�Y�
i�w���	��
������ӑב(�2
�3@�t���������Fǒ��*�0�@�Q�c�
t�
����(��:ԓ�*�D��^��@�,D�q�I��ؕ�q��k�t���������0ʖ+��'�G�e�{��� ����0ʗH��PD���������ɘژ	����C�^�m���������
ř�Йs�z���
��/��-՚0�.4�c�}���F������-�R6����*�
F�T�	\�f���K��ڝ��x�~���#����ƞ֞!ݞ���
 �+�E�(W�	����������5џ
�
�
�+��<������
,�:�+P� |�(��ơ͡ҡߡ�����
��%�7�
J�X�+n�	����R����(�B�N�k���������ԣ٣ޣ
���$�9�^F���i��X"�{���!�)"�L�d���#��`���7�#S�!w���$��#ŧ��
���*�7�>�^�g�{���
��������Ȩݨ���"�<�B�W�	i�as�Sթ9)�/c�	��������ʪ	ڪ���� �2�E�X�r�����M��
��1�	5�?�Q�	e�Ho�"���۬��
��	��ĭ̭
ۭ	��	�
��-%�)S�}���������	׮���3��.)�X�q�������9������%�<�6I���������Ӱ�5��2�/R��������(L�*u�*��˳�%	�&/�V�"i�#��9��H�3�G�c�>����ݵ��
� �!8�Z�(g�����%ƶ��P�R�W�<p���7��!� �-�A�/P�8��?����3�K�g�n����	��������չ���	8�B�I�	U�	_�i�u�{���������.غ&�Y.�:��=ûe�Lg�A��c��dZ�h��2(�<[�#��f��G#�Nk�6��7�4)�K^�	����:���
����
�������������� �-�@�
]�h�������������$�)�:�U�$k�^������% �
F�Q�e������,��
����
�#�)�9�L�d�|�������'��'�'?�#g���	����&������
��
���7��L"�o�t�#����������������[��T�V�]�$d���
������������
������������
�"�9*�5d�_��VUq���?1_�6��#'���rD�HQ[v�I7v#'���d:f����A]p^.R� QTL�(^�$�j�����Q����8�,��y��)|��9-�i��*7o^%g`��3%���rS-���>�8f�f
�����;�b#@t"sga(�N����E���2�il!/��.�<��A�`R��t�����h��q��
�����xTlE�'�=�,��u���n/x��hPC���Fo*���"��Io0+Slz+�Zb&)����.�t��E�]{g�Z6e�>�DU��<���AO��a�9���,�s�}XV�Y�B4����W����4��:�)r��&?kT�6DL0i~%�p�:�zayC�M��}��	�O�S;(G~�>3X=�1
P`Ve��K��C��G�F���e5Y<��x3�J	Z�UnH�N2z�����4�j
I�wX�O�����c� k�q����c���L����m	��h$�c�PK8W[�����������}
��d72��{H�������]*��{�W���N���R�[�-����w9��u���!�
��y�"|�5B;+m�&�m!���J�=��\����k�\Ms\5G0�FJ?1vw_�/Y���|��pB����@M����~j$��@��nu�����bK�d �%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.<strong>ERROR</strong>: %sA Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.FancyFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NormalNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initialized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttps://www.advancedcustomfields.comidis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields PRO
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
PO-Revision-Date: 2019-10-22 08:36+0100
Last-Translator: Pedro Mendonça <ped.gaspar@gmail.com>
Language-Team: Pedro Mendonça <ped.gaspar@gmail.com>
Language: pt_PT
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.2.4
X-Poedit-SourceCharset: UTF-8
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;esc_attr__;esc_attr_e;esc_attr_x:1,2c;esc_html__;esc_html_e;esc_html_x:1,2c
X-Textdomain-Support: yes
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d campos requerem a sua atenção%s adicionado(a)%s já existe%s requer pelo menos %s selecção%s requer pelo menos %s selecçõesO valor %s é obrigatório(sem legenda)(sem título)(este campo)+ Adicionar campo1 campo requer a sua atenção<b>Erro</b>. Não foi possível autenticar o pacote de actualização. Por favor verifique de novo, ou desactive e reactive a sua licença do ACF PRO.<b>Erro</b>. Não foi possível ligar ao servidor de actualização<b>Seleccione</b> os itens a <b>esconder</b> do ecrã de edição.<strong>ERRO</strong>: %sUma experiência mais fácilO ACF PRO tem funcionalidades poderosas, tais como dados repetíveis, layouts de conteúdo flexível, um campo de galeria e a possibilidade de criar páginas de opções de administração adicionais!AcordeãoActivar licençaActivoActivo <span class="count">(%s)</span>Activos <span class="count">(%s)</span>AdicionarAdicionar opção 'outros' para permitir a inserção de valores personalizadosAdicionar / EditarAdicionar ficheiroAdicionar imagemAdicionar imagem à galeriaAdicionar novoAdicionar novo campoAdicionar novo grupo de camposAdicionar novo layoutAdicionar linhaAdicionar layoutAdicionar nova opçãoAdicionar linhaAdicionar grupo de regrasAdicionar à galeriaAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROTodosTodos os formatos de %sTodos os 4 add-ons premium foram combinados numa única <a href="%s">versão Pro do ACF</a>. Com licenças pessoais e para programadores, as funcionalidades premium estão agora mais acessíveis que nunca!Todos os campos do grupo de campos %sTodas as imagensTodos os tipos de conteúdoTodas as taxonomiasTodos os papéis de utilizadorPermite adicionar valores personalizadosPermitir URL do arquivoPermitir personalizaçãoPermite visualizar o código HTML como texto visível, em vez de o processar.Permitir nulo?Permite a criação de novos termos durante a edição.Permite abrir este item de acordeão sem fechar os restantes.Tipos de ficheiros permitidosTexto alternativoApresentaçãoMostrado depois do campoMostrado antes do campoMostrado ao criar um novo conteúdoMostrado dentro do campoSucederNo fimAplicarArquivoTem a certeza?AnexoAutorAdicionar &lt;br&gt; automaticamenteAdicionar parágrafos automaticamenteVoltar para todas as ferramentasBásicoAbaixo dos camposAbaixo das legendasMelhores formulários para o seu siteMelhor validaçãoBlocoAmbos (Array)Pode facilmente importar e exportar a partir da nova página de ferramentas.Acções por lotesAcções por lotesGrupo de botõesLegenda do botãoCancelarLegendaCategoriasCentrarCentrar o mapa inicialRegisto de alteraçõesLimite de caracteresVerificar de novoCaixa de selecçãoSeleccionadoPágina dependente (tem superior)OpçãoOpçõesLimparLimpar localizaçãoClique no botão "%s" abaixo para começar a criar o seu layoutClique para inicializar o TinyMCEClique para alternarCampo de cloneFecharFechar campoFechar janelaMinimizar detalhesMinimizadoSelecção de corLista separada por vírgulas. Deixe em branco para permitir todos os tipos.ComentárioComentáriosLógica condicionalLiga os termos seleccionados ao conteúdo.ConteúdoEditor de conteúdoControla como serão visualizadas novas linhas.CopiadoCopiar para a área de transferênciaCriar termosCrie um conjunto de regras para determinar em que ecrãs de edição serão utilizados estes campos personalizados avançadosCor actualUtilizador actualPapel do utilizador actualVersão actualCampos personalizadosPersonalizado:Personalize o WordPress com campos intuitivos, poderosos e profissionais.Personalizar a altura do mapaActualização da base de dados necessáriaActualização da base de dados concluída. <a href="%s">Voltar ao painel da rede</a>Actualização da base de dados concluída. <a href="%s">Ver o que há de novo</a>Selecção de dataConcluídoHojeSeguinteAnteriorSemSelecção de data e horaAMAConcluídoAgoraHoraMicrosegundoMilissegundoMinutoPMPSegundoSeleccionarEscolha a horaHoraFuso horárioDesactivar licençaPor omissãoModelo por omissãoValor por omissãoDefine o fim do acordeão anterior. Este item de acordeão não será visível.Define o fim dos separadores anteriores. Isto será o início de um novo grupo de separadores.Atrasar a inicialização?EliminarEliminar layoutEliminar campoDescriçãoDiscussãoVisualizaçãoFormato de visualizaçãoMostrar este item de acordeão aberto ao carregar a página.Texto mostrado ao lado da caixa de selecçãoDocumentaçãoDescarregar e instalarArraste para reordenarDuplicarDuplicar layoutDuplicar campoDuplicar este itemFácil importação e exportaçãoActualização fácilEditarEditar campoEditar grupo de camposEditar ficheiroEditar imagemEditar campoEditar grupo de camposElementosElliot CondonEmailTamanho da incorporaçãoFimInsira o URLInsira cada opção numa linha separada.Insira cada valor por omissão numa linha separadaErro ao carregar ficheiro. Por favor tente de novo.Mostrar HTMLExcertoExpandir detalhesExportar grupos de camposExportar ficheiroFoi exportado 1 grupo de campos.Foram exportados %s grupos de campos.EleganteImagem de destaqueCampoGrupo de camposGrupos de camposChaves dos camposLegenda do campoNome do campoTipo de campoGrupo de campos eliminado.Rascunho de grupo de campos actualizado.Grupo de campos duplicado.%s grupos de campos duplicados.Grupo de campos publicado.Grupo de campos guardado.Grupo de campos agendado.Foram adicionadas definições aos grupos de campos, tais como activação, posição da legenda, posição das instruções e descrição.Grupo de campos enviado.Grupo de campos sincronizado.%s grupos de campos sincronizados.O título do grupo de campos é obrigatórioGrupo de campos actualizado.Serão mostrados primeiro os grupos de campos com menor número de ordem.Tipo de campo não existeCamposOs campos agora podem ser mapeados para menus, itens de menu, comentários, widgets e formulários de utilizador!FicheiroArray do ficheiroID do ficheiroURL do ficheiroNome do ficheiroTamanho do ficheiroO tamanho do ficheiro deve ser pelo menos de %s.O tamanho do ficheiro não deve exceder %s.O tipo de ficheiro deve ser %s.Filtrar por tipo de conteúdoFiltrar por taxonomiaFiltrar por papelFiltrosEncontrar a localização actualConteúdo flexívelO conteúdo flexível requer pelo menos 1 layoutPara maior controlo, pode especificar tanto os valores como as legendas:A validação de formulários agora é feita com PHP + AJAX em vez de apenas JS.FormatoFormuláriosNova interfacePágina inicialTamanho originalGaleriaGerar PHPAdeus add-ons. Olá PRO.Mapa do GoogleGrupoGrupo (mostra os campos seleccionados num grupo dentro deste campo)Campo de grupoTem um valor qualquerNão tem valorAlturaEsconder no ecrãAcima (depois do título)HorizontalSe forem mostrados vários grupos de campos num ecrã de edição, serão utilizadas as opções do primeiro grupo de campos. (o que tiver menor número de ordem)ImagemArray da imagemID da imagemURL da imagemA altura da imagem deve ser pelo menos de %dpx.A altura da imagem não deve exceder os %dpx.A largura da imagem deve ser pelo menos de %dpx.A largura da imagem não deve exceder os %dpx.Importar grupos de camposImportar ficheiroFicheiro de importação vazioFoi importado 1 grupo de campos.Foram importados %s grupos de campos.Dados melhoradosDesign melhoradoUsabilidade melhoradaInactivoInactivo <span class="count">(%s)</span>Inactivos <span class="count">(%s)</span>A inclusão da popular biblioteca Select2 melhorou a usabilidade e a velocidade de tipos de campos como conteúdo, ligação de página, taxonomia e selecção.Tipo de ficheiro incorrectoInformaçõesInserirInstaladoPosição das instruçõesInstruçõesInstruções para os autores. São mostradas ao preencher e submeter dados.Introdução ao ACF PROÉ recomendável que faça uma cópia de segurança da sua base de dados antes de continuar. Tem a certeza que quer actualizar agora?ChaveLegendaPosição da legendaAs legendas serão mostradas com %sGrandeÚltima versãoLayoutDeixe em branco para não limitarAlinhado à esquerdaComprimentoBibliotecaInformações da licençaChave de licençaLimita a escolha da biblioteca de media.LigaçãoArray da ligaçãoCampo de ligaçãoURL da ligaçãoCarregar termosCarrega os termos a partir dos termos dos conteúdos.A carregarJSON localLocalizaçãoSessão iniciadaMuitos campos sofreram alterações visuais para que a aparência do ACF esteja melhor que nunca! Alterações notáveis nos campos de galeria, relação e oEmbed (novo)!MáxMáximoMáximo de layoutsMáximo de linhasSelecção máximaValor máximoMáximo de conteúdosMáximo de linhas alcançado ({max} linhas)Máximo de selecção alcançadoValor máximo alcançado ( valor {max} )MédiaMenuItem de menuLocalizações do menuMenusMensagemMínMínimoMínimo de layoutsMínimo de linhasSelecção mínimaValor mínimoMínimo de conteúdosMínimo de linhas alcançado ({min} linhas)Mais AJAXMaior personalizaçãoMais campos utilizam pesquisa com AJAX para aumentar a velocidade de carregamento.MoverMovido com sucesso.Mover campo personalizadoMover campoMover campo para outro grupoMover para o lixo. Tem certeza?Mover camposSelecção múltiplaExpandir múltiplosValores múltiplosNomeHTMLNovas funcionalidadesNovo campoNovo grupo de camposNovas localizações de formuláriosNovas linhasForam adicionadas novas acções e filtros de PHP (e JS) para permitir maior personalização.Novas definiçõesNova funcionalidade de exportação automática para JSON melhora a velocidade e permite sincronização.Nova funcionalidade de grupo de campos permite mover um campo entre grupos e superiores.NãoNenhum grupo de campos personalizado encontrado na página de opções. <a href="%s">Criar um grupo de campos personalizado</a>Nenhum grupo de campos encontradoNenhum grupo de campos encontrado no lixoNenhum campo encontradoNenhum campo encontrado no lixoSem formataçãoNenhum grupo de campos seleccionadoNenhum campo. Clique no botão <strong>+ Adicionar campo</strong> para criar seu primeiro campo.Nenhum ficheiro seleccionadoNenhuma imagem seleccionadaNenhuma correspondência encontradaNão existem páginas de opçõesSem %sNenhum campo de opções disponívelNenhuma actualização disponível.NormalNormal (depois do conteúdo)NuloNúmeroTexto desligadoTexto ligadoAbertoAbre numa nova janela/separadorOpçõesPágina de opçõesOpções actualizadasOrdemNº. de ordemOutroPáginaAtributos da páginaLigação de páginaPágina superiorModelo de páginaTipo de páginaSuperiorPágina superior (tem dependentes)SenhaLigação permanenteTexto predefinidoPosiçãoPor favor, verifique se todos os add-ons premium (%s) estão actualizados para a última versão.Por favor, insira acima a sua chave de licença para desbloquear as actualizaçõesPor favor, seleccione pelo menos um site para actualizar.Por favor seleccione o destinho para este campoPosiçãoArtigoCategoria de artigoFormato de artigoID do conteúdoConteúdoEstado do conteúdoTaxonomia do artigoModelo de conteúdoTipo de conteúdoArtigo actualizadoPágina de artigosFuncionalidades poderosasPrefixo nas legendas dos camposPrefixos nos nomes dos camposPrecederPreceder com caixa de selecção adicional para seleccionar todas as opçõesNo inícioTamanho da pré-visualizaçãoProPublicadoBotão de opçãoBotões de opçõesIntervaloMais informações sobre as <a href="%s">funcionalidades do ACF PRO</a>.A ler tarefas de actualização...A reformulação da arquitectura dos dados permite que os subcampos existam independentemente dos seus superiores. Isto permite-lhe arrastar e largar campos para dentro e para fora de campos superiores!RegistarRelacionalRelaçãoRemoverRemover layoutRemover linhaReordenarReordenar layoutRepetidorObrigatório?RecursosRestringe que ficheiros podem ser carregados.Restringir que imagens que ser carregadasRestritoFormato devolvidoValor devolvidoInverter ordem actualRever sites e actualizarRevisõesLinhaLinhasRegrasGuarda valores personalizados nas opções do campoGuardar 'outros' valores nas opções do campoGuardar personalizaçãoFormato guardadoGuardar outrosGuardar termosSimples (sem metabox)Simples (substitui este campo pelos campos seleccionados)PesquisaPesquisar grupos de camposPesquisar camposPesquisar endereço...Pesquisar...Veja o que há de novo na <a href="%s">versão %s</a>.Seleccionar %sSeleccionar corSeleccione os grupos de camposSeleccionar ficheiroSeleccionar imagemSeleccionar ligaçãoSeleccione o subcampo a mostrar ao minimizar a linha.Seleccionar valores múltiplos?Seleccione um ou mais campos que deseje clonar.Seleccione tipo de conteúdoSeleccione taxonomiaSeleccione o ficheiro JSON do Advanced Custom Fields que deseja importar. Ao clicar no botão Importar abaixo, o ACF irá importar os grupos de campos.Seleccione a apresentação deste campo.Seleccione os grupos de campos que deseja exportar e seleccione o método de exportação. Utilize o botão Descarregar para exportar um ficheiro .json que poderá depois importar para outra instalação do ACF. Utilize o botão Gerar para exportar o código PHP que poderá incorporar no seu tema.Seleccione a taxonomia que será mostrada.Por favor elimine 1 caracterePor favor elimine %d caracteresPor favor insira 1 ou mais caracteresPor favor insira %d ou mais caracteresFalhou ao carregarA carregar mais resultados&hellip;Nenhuma correspondência encontradaUm resultado encontrado, prima Enter para seleccioná-lo.%d resultados encontrados, use as setas para cima ou baixo para navegar.A pesquisar&hellip;Só pode seleccionar 1 itemSó pode seleccionar %d itensOs elementos seleccionados serão mostrados em cada resultado.A selecção é maior do queA selecção é menor do queEnviar trackbacksDivisóriaDefinir o nível de zoom inicialDefine a altura da área de textoDefiniçõesMostrar botões de carregar multimédia?Mostrar este grupo de campos seMostrar este campo seMostrado na lista de grupos de camposLateralValor únicoUma única palavra, sem espaços. São permitidos underscores (_) e traços (-).SiteO site está actualizadoO site necessita de actualizar a base de dados de %s para %sSlugDesculpe, este navegador não suporta geolocalização.Ordenar por data de modificaçãoOrdenar por data de carregamentoOrdenar por títuloSpam detectadoEspecifica o valor devolvido na frente do site.Especifica o estilo usado para mostrar o campo de clone.Especifica o estilo usado para mostrar os campos seleccionados.Especifica o valor devolvido.Especifica onde serão adicionados os novos anexos.Predefinido (metabox do WP)EstadoValor dos passosEstiloInterface estilizadaSubcamposSuper AdministradorSuporteMudar para o editorMudar para pré-visualizaçãoSincronizarSincronização disponívelSincronizar grupo de camposSeparadorTabelaSeparadoresEtiquetasTaxonomiaID do termoTermoTextoÁrea de textoApenas HTMLTexto mostrado quando activoTexto mostrado quando inactivoObrigado por criar com o <a href="%s">ACF</a>.Obrigado por actualizar para o %s v%s!Obrigado por actualizar! O ACF %s está maior e melhor do que nunca. Esperamos que goste.O campo %s pode agora ser encontrado no grupo de campos %sO campo de grupo permite facilmente criar um grupo de campos.O campo de ligação permite facilmente seleccionar ou definir uma ligação (URL, título, destino).As alterações que fez serão ignoradas se navegar para fora desta página.O campo de clone permite seleccionar e mostrar campos existentes.Toda a interface do plugin foi actualizada, incluindo novos tipos de campos, definições e design!O código abaixo pode ser usado para registar uma versão local do(s) grupo(s) de campos seleccionado(s). Um grupo de campos local tem alguns benefícios, tais como maior velocidade de carregamento, controlo de versão, definições e campos dinâmicos. Copie e cole o código abaixo no ficheiro functions.php do seu tema, ou inclua-o num ficheiro externo.Os sites seguintes necessitam de actualização da BD. Seleccione os que quer actualizar e clique em %s.O formato de visualização ao editar um conteúdoO formato devolvido através das <em>template functions</em>O formato usado ao guardar um valorO campo de oEmbed permite facilmente incorporar vídeos, imagens, tweets, áudio ou outros conteúdos.O prefixo "field_" não pode ser utilizado no início do nome do campo.Este campo não pode ser movido até que as suas alterações sejam guardadas.Este campo está limitado a {max} {identifier} {label}Este campo requer pelo menos {min} {identifier} {label}Este é o nome que será mostrado na página EDITAR.Esta versão inclui melhorias na base de dados e requer uma actualização.MiniaturaSelecção de horaO TinyMCE não será inicializado até que clique no campoTítuloPara permitir actualizações, por favor insira a sua chave de licença na página de <a href="%s">Actualizações</a>. Se não tiver uma chave de licença, por favor veja os <a href="%s">detalhes e preços</a>.Para desbloquear as actualizações, por favor insira a sua chave de licença. Se não tiver uma chave de licença, por favor consulte os <a href="%s" target="_blank">detalhes e preços</a>.SelecçãoSeleccionar tudoBarra de ferramentasFerramentasPágina de topo (sem superior)Alinhado acimaVerdadeiro / FalsoTipoDesconhecidoCampo desconhecidoGrupo de campos desconhecidoActualizarActualização disponívelActualizar ficheiroActualizar imagemInformações de actualizaçãoActualizar pluginActualizaçõesActualizar base de dadosInformações sobre a actualizaçãoActualizar sitesActualização concluída.Falhou ao actualizar.A actualizar dados para a versão %sÉ fácil actualizar para o ACF PRO. Basta comprar uma licença online e descarregar o plugin!Carregados no artigoCarregados neste artigoURLUtilizar AJAX para carregar opções?UtilizadorArray do utilizadorFormulário de utilizadorID do utilizadorObjecto do utilizadorPapel de utilizadorO utilizador não pôde adicionar novo(a) %sValidar emailA validação falhouValidação bem sucedidaValorO valor contémO valor é igual aO valor é maior do queO valor é menor do queO valor é diferente deO valor corresponde ao padrãoO valor deve ser um númeroO valor deve ser um URL válidoO valor deve ser igual ou superior a %dO valor deve ser igual ou inferior a %dO valor não deve exceder %d caracteresOs valores serão guardados como %sVerticalVer campoVer grupo de camposA visualizar a administração do siteA visualizar a frente do siteVisualVisual e HTMLApenas visualEscrevemos um <a href="%s">guia de actualização</a> para responder a todas as dúvidas, se tiver alguma questão, por favor contacte a nossa equipa de suporte através da <a href="%s">central de ajuda</a>.Pensamos que vai gostar das alterações na versão %s.Estamos a alterar o modo como as funcionalidades premium são distribuídas!SiteSemana começa emBem-vindo ao Advanced Custom FieldsO que há de novoWidgetLarguraAtributos do wrapperEditor wysiwygSimZoomCom acf_form() agora pode criar um novo conteúdo ao submeter, com muito mais definições.eclassecópiahttps://www.advancedcustomfields.comidé igual anão é igual ajQuerylayoutlayoutslayoutsCloneSelecçãooEmbedCampo de oEmbedouvermelho : VermelhoEditarSeleccionarActualizarlargura{available} {identifier} {label} disponível (máx {max}){required} {identifier} {label} em falta (mín {min})PK�[�`rDX�X�lang/acf-de_DE_formal.monu�[������L�|*�8�8�8�8D�8%9
:9
E9P9]9i9z�90�9=0:n:�:�:��:	^;h;y;M�;�;-�;
<<	<<3<
;<I<]<l<
t<<�<�<�<�<�<�<�<�<�=�=
�=>>!>!0>R>f>As>�>,�>4�>#?6?
??J?b? {?�?�?�?�?�?
�?
�?�?�?@7@I@O@\@i@�@�@�@C�@�@�@AAA$A
,A7A>A	UA_AoA{A�A�A�A�A�A�A9�ABB.B:B@BLBYB	jBtB/�B�B�B�B"�B�B�B#C2C9CKC[XC
�C�C�C�C
�C�CEDMDfDG�D:�DEE -ENEkE�E�E�E!�E"�E#F!=F,_F,�F%�F�F!�F%G%EG-kG!�G*�G�G�GH
HZ HV{H�H�H
�H�H
I
I!I)I,8I$eI
�I�I�I	�I�I�I�I�IJJ
#J.J	?J
IJ
TJ_JpJ
yJ�J
�J�J	�J �J&�J&�JK&K.K=KQK1]K�K�K�K�K
�K�K
�K
�K�K�K3LNLeLxLi�L�L7MLMjM1M�M�MT�M'N
,N7N?N	HN	RN\N"{N�N�N�N�N�N�NO+OCEO@�O�O�O�O
�O	�O�O�O
P
%P0P=6PtP
�P�P�P�P�P
�P��PVQ\QhQ	qQ#{Q"�Q"�Q!�QRR'R/9R
iRwR�R�RQ�R��R�S�S�S	�S�S�S4�STy-T�T�T�T�T�T�T�T�TU"U)U1UEUQUpU
uU
�U�U
�U�U�U
�U�U	�U��U�V�V�V�V�V
�V
�V!�V�V'W=WDW	IWSWbWhWpWtW|W�W�W
�W
�W!�W	�W�W=XDXIXXX
jXuX�X
�X�X�X�X�X1�XY	*Y4YDY	WYUaY�YM�YRZeZ`hZ�Z�Z�Z[
'[5[TN[�[�[�[�[�[�[\.\E\J\Q\Z\b\g\�\�\�\�\	�\�\�\�\	�\�\
�\	�\�\]!]	*]4]	E]MO]5�]+�],�],^5^
:^H^T^\^h^
t^
�^	�^�^
�^�^�^�^�^/�^#_<_I_M_U_
b_p_2v_�_��_j`
s`~`�`
�`
�`�`�`�`	�`	�`$�`%a
*a
5aCaPafa	}a�a�a�a+�a*�a�a�a
b
bb31beblb
�b�b	�b.�b	�b�b�bcc!c0-c^c+vc�c�c��c#Sdwd#�e5�e7�e>f?Wf#�f1�f%�fGgV[g&�g:�g<h2Qh�h�h�h	�h�h�hii'i@iSimi�i�i6�i�i�i,�ijj0 jQjgj
}j
�j'�j0�j4�j'k'Bkjk�k	�k�k�k
�k�k�k�k�k�k�k�kllll#l,l4l@lLl	Ql	[lel|l1�l!�lZ�l3DmBxmU�mEnAWnZ�nA�n^6p(�p*�p#�p^
q@lq<�q4�q7r3WrL�r	�r�r5�r$s�*s��sit
pt{t�t�t�t�t�t�t
�t�t�t�tuuu
0u>uFuWu
futu�u�uW�uvv2v6vUv
Zv	evovwv	�v�v�v�v�v�v�v�vww.wDwZwqw(�w'�w#�wxx
$x/x@xQxcx
jxxx��x')yMQy�y�y!�y
�y�y�y�yzzzMzizmzszxz%�z�z�z�z�z�z�z
�z{{{#{	&{	0{:{F{R{6X{4�{=�{03CK\���
��-��2�Vڀv1���!Ɓ$��
�	ނ�	��_�d�Vp�ǃ���	 �*�;�U�n���$����΄�
���#�>�C�S�W�u�������+�����M�c�=x�>������&�"C�1f�?��	؈	��������(#�'L�t�	������ω��
�^�u���
����	��NJ
؊��
�!�
3�A�J�&V�}�������%��$ڋ��	�
"�-�
=�H�
[�f�Nr�	��
ˌ֌4�(�/�.>�m�u���j���!�4�K�`�t�Y���-�M/�T}�
ҏ��	�
�����"�(�/�5�<�I�V�]�d�k�
s�~�����������ː}ؐuV�̑��
��
�'�/�=B�$��
����˒�����+�E�
b�m�}�������ēړ
�������5�0J�;{���
ÔΔ���C�O�\�
a�l�x���������$��1��2�J��c��9.�1h���>���
�s�������	��	����)��.��5�M�e�x����0��`ڙb;���	��&��
֚
��
��%�+�7�R>���������
ÛΛ
������
������/��2�0�5O�������4Ν��"1�T�O\��������	����ȟ�M�&>��e�
���&5�\�b�u�!|�����	��ġ֡(��
�	 �*�3�-B�p�u���
�����E�I�Q�h�������5���4	�>�E�K�X�h�
o�z�~�������ȤԤ5�	$�.�fB���&��ܥ��&�'3�[�p�}�
��������
��Ǧצ��b�e�hx�z�\�_a���(ܨ�#�?�R��p��
� �@�_�%h�"������	ƪЪ
ݪ	�"��
�,�B�N�Z�b�h�y�����	��
��&«�	����o�_��4�8�V�_�g�y���������ƭ
ح����"�B�Y�Uf���ɮܮ�����=�%]����~�
��	��	������	ְ̰�
��5�4N�����
����ͱ
�����
�G�BY�����Ȳڲ�;�D�K�
c�q�	��1��
ȳֳ�����L/�|�?��״���)��nߵ7N�����)÷(��+�!I�Qk�d��"�&1�&X�=���ֹ���.�!;�
]�)k�����!ƺB�+�E�^T�����=ӻ�	�."�Q�p���
��-��AۼE� c�,����ǽν۽�����!�9�O�_�{���������	����Ⱦؾ���.�0;�1l�)��pȿ39�Qm�s��L3�M��l�j;�u��6�6S�9��n��-3�Oa�9��;��D'�_l�����F��,�2��C�9�I�Y�	h� r���
����	������
����
�!�4�Q�f�w�����������e��c�����<����������
$�+2�^�q�����
����������#�,� E�&f�%��)������
��(�9�K�S�b��n�4:��o����%�=�O�V�]�o�~���y������%.�T�
W�b�o�v�	������������	��
��
��
����5��8�_��XWq���@1a�7��$'���rD�IR]x�I8v#(���f<h����B]r^/S� SUM�)`�&�j��	� ��Q����8
�,��z��+}���;/�k��+7o_'h`��5&���tU.���>�g�f
�����;�c$t"tic*�P����F���3�jl�/��.�>��A�bT��u�����h��r��
�����zTmG�)�=�.��v���p0y�iQC���Gq,���#��Jp1Sn{,�Zb&*����0�v��E�_}g�[6g�?�FU��<���CQ��b�9���-�u��|YV�Z�B5����W����4�"��;�)s�� (?kV�8EL2i%�q�:�zay%D�M��~��	�P�T=(I��@4X>�2RaWf��M��:���G�F���e5[=��x3�L
\�VoH�N2|����6�k
KwZ�O�����e�!m�s����d���~N�����n	��j$�c�PK9X[�����������
��d94��|J�������^*��-�Y���O���R�\�-����x:��u���"���{�#{�6C<+o�'�m!��B�J?��\����l�]NEs^7H0�HKA3wy`�1Y���~���pD����@O����}l%��A�nw�����dL�e!�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceA custom gallery slider.A custom testimonial block.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!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSliderSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTestimonialTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.8 Formal
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-05-09 15:54+0200
PO-Revision-Date: 2019-05-09 17:23+0200
Last-Translator: Ralf Koller <r.koller@gmail.com>
Language-Team: Ralf Koller <r.koller@gmail.com>
Language: de_DE
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.2.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Für %d Felder ist eine Aktualisierung notwendig%s hinzugefügt%s ist bereits vorhanden%s benötigt mindestens %s Selektion%s benötigt mindestens %s Selektionen%s Wert ist erforderlich(keine Beschriftung)(ohne Titel)(dieses Feld)+ Feld hinzufügenFür 1 Feld ist eine Aktualisierung notwendig<b>Fehler</b>. Das Aktualisierungspaket konnte nicht authentifiziert werden. Bitte probieren Sie es nochmal oder deaktivieren und reaktivieren Sie ihre ACF PRO-Lizenz.<b>Fehler</b>. Es konnte keine Verbindung zum Aktualisierungsserver hergestellt werden<strong>Wählen</strong> Sie die Elemente, welche in der Bearbeitungsansicht <strong>verborgen</strong> werden sollen.Eine reibungslosere ErfahrungEin individueller Galerie-Slider.Ein individueller Testimonial-Block.ACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit zusätzliche Options-Seiten im Admin-Bereich zu erstellen!AkkordeonLizenz aktivierenAktiviertVeröffentlicht <span class="count">(%s)</span>Veröffentlicht <span class="count">(%s)</span>HinzufügenDas Hinzufügen der Auswahlmöglichkeit ‚Weitere‘ erlaubt benutzerdefinierte WerteHinzufügen / BearbeitenDatei hinzufügenBild hinzufügenBild zur Galerie hinzufügenErstellenFeld hinzufügenNeue Feldgruppe erstellenNeues Layout hinzufügenEintrag hinzufügenLayout hinzufügenNeue Auswahlmöglichkeit hinzufügenEintrag hinzufügenRegelgruppe hinzufügenZur Galerie hinzufügenZusatz-ModuleAdvanced Custom FieldsAdvanced Custom Fields PROAlleAlle %s FormateAlle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen <a href="%s">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, ist somit erschwinglicher denn je!Alle Felder der Feldgruppe %sAlle BilderAlle InhaltstypenAlle TaxonomienAlle BenutzerrollenErlaubt das Hinzufügen individueller WerteArchiv-URL's zulassenIndividuelle Werte erlaubenErlaubt HTML-Markup als sichtbaren Text anzuzeigen anstelle diesen zu rendernNULL-Werte zulassen?Erlaubt das Erstellen neuer Begriffe während des BearbeitensErlaubt dieses Akkordeon zu öffnen ohne andere zu schließen.Erlaubte DateiformateAlt TextAnzeigeWird dem Eingabefeld hinten angestelltWird dem Eingabefeld vorangestelltErscheint bei der Erstellung eines neuen BeitragsPlatzhaltertext solange keine Eingabe im Feld vorgenommen wurdeAnhängenAnhängenAnwendenArchiveWirklich entfernen?DateianhangAutorAutomatisches hinzufügen von &lt;br&gt;Automatisches hinzufügen von AbsätzenZurück zur WerkzeugübersichtGrundlageUnterhalb der FelderUnterhalb der BeschriftungenVerbesserte Frontend-FormulareBessere ValidierungBlockBeide (Array)Importe sowie Exporte können beide einfach auf der neuen Werkzeug-Seite durchgeführt werden.MassenverarbeitungMassenverarbeitungButton-GruppeButton-BeschriftungAbbrechenBildunterschriftKategorienMittelpunktMittelpunkt der AusgangskarteÄnderungsprotokollZeichenbegrenzungErneut suchenCheckboxAusgewähltUnterseite (mit übergeordneter Seite)AuswahlAuswahlmöglichkeitenLeerenPosition löschenKlicke "%s" zum Erstellen des LayoutsKlicken um TinyMCE zu initialisierenZum Auswählen anklickenKlon-FeldSchließenFeld schließenSchließenDetails ausblendenZugeklapptFarbauswahlEine durch Komma getrennte Liste. Leer lassen um alle Dateiformate zu erlaubenKommentarKommentareBedingungen für die AnzeigeVerbindet die ausgewählten Begriffe mit dem BeitragInhaltInhalts-EditorLegt fest wie Zeilenumbrüche gerendert werdenKopiertIn die Zwischenablage kopierenBegriffe erstellenErstellen Sie ein Regelwerk das festlegt welche Bearbeitungs-Ansichten diese Advanced Custom Fields nutzenAktuelle FarbeAktueller BenutzerAktuelle BenutzerrolleInstallierte VersionIndividuelle FelderIndividuelles Format:WordPress durch leistungsfähige, professionelle und zugleich intuitive Felder erweitern.Passt die Höhe der Karte anEs ist ein Upgrade der Datenbank erforderlichUpgrade der Datenbank fertiggestellt. <a href="%s">Zum Netzwerk Dashboard</a>Datenbank-Upgrade abgeschlossen. <a href="%s">Schauen Sie nach was es Neues gibt</a>DatumsauswahlFertigHeuteNächstesVorherigesWDatums- und ZeitauswahlVorm.Vorm.FertigJetztStundeMikrosekundeMillisekundeMinuteNachm.Nachm.SekundeAuswählenZeit auswählenZeitZeitzoneLizenz deaktivierenStandardStandard-TemplateStandardwertDefiniert einen Endpunkt an dem das vorangegangene Akkordeon endet. Dieses abschließende Akkordeon wird nicht sichtbar sein.Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der Startpunkt für eine neue Gruppe an Tabs.Initialisierung verzögern?LöschenLayout löschenFeld löschenBeschreibungDiskussionAnzeigeDarstellungsformatDieses Akkordeon beim Laden der Seite als geöffnet anzeigen.Zeigt den Text neben der Checkbox anDokumentationDownload & InstallierenZiehen zum SortierenDuplizierenLayout duplizierenFeld duplizierenDieses Element duplizierenEinfacher Import / ExportKinderleichte AktualisierungBearbeitenFeld bearbeitenFeldgruppe bearbeitenDatei bearbeitenBild bearbeitenFeld bearbeitenFeldgruppe bearbeitenElementeElliot CondonE-MailMaßeEndpunktURL eingebenJede Auswahlmöglichkeit in eine neue Zeile eingeben.Jeden Standardwert in einer neuen Zeile eingebenFehler beim Upload der Datei. Bitte versuchen Sie es erneutEscape HTMLTextauszugDetails einblendenFeldgruppen exportierenDatei exportierenEine Feldgruppe wurde exportiert.%s Feldgruppen wurden exportiert.BeitragsbildFeldFeldgruppeFeldgruppenFeldschlüsselFeldbeschriftungFeldnameFeldtypFeldgruppe gelöscht.Entwurf der Feldgruppe aktualisiert.Feldgruppe dupliziert.%s Feldgruppen dupliziert.Feldgruppe veröffentlicht.Feldgruppe gespeichert.Feldgruppe geplant für.Die Feldgruppen wurden um die Einstellungen für das Aktivieren und Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen sowie eine Beschreibung erweitert.Feldgruppe übertragen.Feldgruppe synchronisiert.%s Feldgruppen synchronisiert.Es ist ein Titel für die Feldgruppe erforderlichFeldgruppe aktualisiert.Feldgruppen mit einem niedrigeren Wert werden zuerst angezeigtFeldtyp existiert nichtFelderFelder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen Benutzer-Formularen zugeordnet werden!DateiDatei-ArrayDatei-IDDatei-URLDateinameDateigrößeDie Dateigröße muss mindestens %s sein.Die Dateigröße darf %s nicht überschreiten.Der Dateityp muss %s sein.Nach Inhaltstyp filternNach Taxonomien filternNach Rolle filternFilterAktuelle Position findenFlexible InhalteFlexibler Inhalt benötigt mindestens ein LayoutFür mehr Kontrolle, können Sie sowohl einen Wert als auch eine Beschriftung wie folgt angeben:Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, anstelle nur JS zu verwenden.FormatFormulareEine modernisierte BenutzeroberflächeStartseiteVolle GrößeGaleriePHP erstellenMacht's gut Add-ons&hellip; Hallo PROGoogle MapsGruppeGruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses Feldes an)Gruppen-FeldHat einen WertHat keinen WertHöheVersteckenNach dem Titel vor dem InhaltHorizontalWerden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Nummer in der Reihe)BildBild-ArrayBild-IDBild-URLDie Höhe des Bildes muss mindestens %dpx sein.Die Höhe des Bild darf %dpx nicht überschreiten.Die Breite des Bildes muss mindestens %dpx sein.Die Breite des Bildes darf %dpx nicht überschreiten.Feldgruppen importierenDatei importierenDie importierte Datei ist leerEine Feldgruppe importiert%s Feldgruppen importiertVerbesserte DatenstrukturVerbessertes DesignVerbesserte BenutzerfreundlichkeitInaktivInaktiv <span class="count">(%s)</span>Inaktiv <span class="count">(%s)</span>Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern signifikant verbessert.Falscher DateitypInfoEinfügenInstalliertPlatzierung der AnweisungenAnweisungenAnweisungen für die Autoren. Sie werden in der Bearbeitungsansicht angezeigtWir dürfen vorstellen&hellip; ACF PROEs wird dringend empfohlen, dass Sie ihre Datenbank sichern, bevor Sie fortfahren. Sind sie sicher, dass Sie jetzt die Aktualisierung durchführen wollen?SchlüsselBeschriftungPlatzierung der BeschriftungBeschriftungen werden als %s angezeigtGroßAktuellste VersionLayoutLeer lassen für keine BegrenzungLinks neben dem FeldLängeMediathekLizenzinformationLizenzschlüsselBeschränkt die Auswahl in der MediathekLinkLink-ArrayLink-FeldLink-URLBegriffe ladenDen Wert aus den Begriffen des Beitrags ladenLadeLokales JSONPositionAngemeldetViele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das nagelneue oEmbed-Feld!MaxMaximumHöchstzahl an LayoutsHöchstzahl der EinträgeMaximale AuswahlMaximalwertHöchstzahl an BeiträgenHöchstzahl der Einträge hat ({max} Reihen) erreichtMaximale Auswahl erreichtMaximum der Einträge mit ({max} Einträge) erreichtMittelMenüMenüelementMenüpositionenMenüsMitteilungMinMinimumMindestzahl an LayoutsMindestzahl der EinträgeMinimale AuswahlMindestwertMindestzahl an BeiträgenMindestzahl der Einträge hat ({min} Reihen) erreichtMehr AJAXWeitere AnpassungenMehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von Seiten deutlich verringert.VerschiebenVerschieben erfolgreich abgeschlossen.Individuelles Feld verschiebenFeld verschiebenFeld in eine andere Gruppe verschiebenWirklich in den Papierkorb verschieben?Verschiebbare FelderAuswahlmenüGleichzeitig geöffnetMehrere WerteNameTextNeue FunktionenNeues FeldNeue FeldgruppeNeue Positionen für FormulareNeue ZeilenNeue Aktionen und Filter für PHP und JS wurden hinzugefügt um noch mehr Anpassungen zu erlauben.Neue EinstellungenEin neuer automatischer Export nach JSON verbessert die Geschwindigkeit und erlaubt die Synchronisation.Die neue Feldgruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen und übergeordneten Gruppen frei zu verschieben.NeinKeine Feldgruppen für diese Options-Seite gefunden. <a href="%s">Eine Feldgruppe erstellen</a>Keine Feldgruppen gefundenKeine Feldgruppen im Papierkorb gefundenKeine Felder gefundenKeine Felder im Papierkorb gefundenKeine FormatierungKeine Feldgruppen ausgewähltEs sind noch keine Felder angelegt. Klicken Sie den <strong>+ Feld hinzufügen-Button</strong> und erstellen Sie Ihr erstes Feld.Keine Datei ausgewähltKein Bild ausgewähltKeine Übereinstimmung gefundenKeine Options-Seiten vorhandenKeine %sEs liegen keine Auswahl-Feldtypen vorKeine Aktualisierungen verfügbar.Nach dem InhaltNullNumerischWenn inaktivWenn aktivGeöffnetIn einem neuen Fenster/Tab öffnenOptionenOptions-SeiteOptionen aktualisiertReihenfolgeReihenfolgeWeitereSeiteSeiten-AttributeSeiten-LinkÜbergeordnete SeiteSeiten-TemplateSeitentypÜbergeordnetÜbergeordnete Seite (mit Unterseiten)PasswortPermalinkPlatzhaltertextPlatzierungStellen Sie bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die neueste Version aktualisiert wurden.Bitte geben Sie oben Ihren Lizenzschlüssel ein um die Aktualisierungsfähigkeit freizuschaltenBitte zumindest eine Website zum Upgrade auswählen.In welche Feldgruppe solle dieses Feld verschoben werdenPositionBeitragBeitragskategorieBeitragsformatBeitrags-IDBeitrags-ObjektBeitragsstatusBeitrags-TaxonomieBeitrags-TemplateInhaltstypBeitrag aktualisiertBeitrags-SeiteLeistungsstarke FunktionenPräfix für FeldbeschriftungenPräfix für FeldnamenVoranstellenHängt eine zusätzliche Checkbox an mit der alle Optionen ausgewählt werden könnenVoranstellenMaße der VorschauProVeröffentlichenRadio-ButtonRadio ButtonNumerischer BereichLesen Sie mehr über die <a href="%s">ACF PRO Funktionen</a>.Aufgaben für das Upgrade einlesen…Die Neugestaltung der Datenarchitektur erlaubt es, dass Unterfelder unabhängig von ihren übergeordneten Feldern existieren können. Dies ermöglicht, dass Felder per Drag-and-Drop, in und aus ihren übergeordneten Feldern verschoben werden können!RegistrierenRelationalBeziehungEntfernenLayout entfernenEintrag löschenSortierenLayout sortierenWiederholungErforderlich?Dokumentation (engl.)Beschränkt welche Dateien hochgeladen werden könnenBeschränkt welche Bilder hochgeladen werden könnenEingeschränktRückgabeformatRückgabewertAktuelle Sortierung umkehrenÜbersicht Websites & UpgradesRevisionenReiheZeilenanzahlRegelnIndividuelle Werte unter den Auswahlmöglichkeiten des Feldes speichernWeitere Werte unter den Auswahlmöglichkeiten des Feldes speichernIndividuelle Werte speichernSpeicherformatWeitere speichernBegriffe speichernÜbergangslos ohne MetaboxNahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)SuchenFeldgruppen durchsuchenFelder suchenNach der Adresse suchen...Suchen...Was gibt es Neues in <a href="%s">Version %s</a>.%s auswählenFarbe auswählenFeldgruppen auswählenDatei auswählenBild auswählenLink auswählenWähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden sollMehrere Werte auswählbar?Wählen Sie ein oder mehrere Felder aus die Sie klonen möchtenInhaltstyp auswählenTaxonomie auswählenWählen Sie die Advanced Custom Fields JSON-Datei aus, welche Sie importieren möchten. Nach dem Klicken des „Datei importieren“-Buttons wird ACF die Feldgruppen hinzufügen.Wählen Sie das Aussehen für dieses FeldEntscheiden Sie welche Feldgruppen Sie exportieren möchten und wählen dann das Exportformat. Benutzen Sie den „Datei exportieren“-Button, um eine JSON-Datei zu generieren, welche Sie im Anschluss in eine andere ACF-Installation importieren können. Verwenden Sie den „PHP erstellen“-Button, um den resultierenden PHP-Code in ihr Theme einfügen zu können.Wählen Sie die Taxonomie, welche angezeigt werden sollLöschen Sie bitte ein ZeichenLöschen Sie bitte %d ZeichenGeben Sie bitte ein oder mehr Zeichen einGeben Sie bitte %d oder mehr Zeichen einLaden fehlgeschlagenMehr Ergebnisse laden&hellip;Keine Übereinstimmungen gefundenEs ist ein Ergebnis verfügbar, drücken Sie die Eingabetaste um es auszuwählen.Es sind %d Ergebnisse verfügbar, benutzen Sie die Pfeiltasten um nach oben und unten zu navigieren.Suchen&hellip;Sie können nur ein Element auswählenSie können nur %d Elemente auswählenDie ausgewählten Elemente werden in jedem Ergebnis angezeigtAuswahl ist größer alsAuswahl ist kleiner alsSende TrackbacksTrennelementLegt die anfängliche Zoomstufe der Karte festDefiniert die Höhe des TextfeldsEinstellungenButton zum Hochladen von Medien anzeigen?Zeige diese Felder, wennZeige dieses Feld, wennIn der Feldgruppen-Liste anzeigenLegt fest welche Maße die Vorschau in der Bearbeitungsansicht hatSeitlich neben dem InhaltEinzelne WerteEinzelnes Wort ohne Leerzeichen. Es sind nur Unter- und Bindestriche als Sonderzeichen erlaubtWebsiteDie Website ist aktuellDie Website erfordert ein Upgrade der Datenbank von %s auf %sSliderTitelformDieser Browser unterstützt keine Geo-LokationSortiere nach Änderungs-DatumSortiere nach Upload-DatumSortiere nach TitelSpam entdecktLegt den Rückgabewert für das Frontend festGeben Sie den Stil an mit dem das Klon-Feld angezeigt werden sollGibt die Art an wie die ausgewählten Felder ausgegeben werden sollenLegen Sie den Rückgabewert festGibt an wo neue Anhänge hinzugefügt werdenWP-Metabox (Standard)StatusSchrittweiteStilSelect2-Library aktivierenUnterfelderSuper-AdministratorHilfeZum Bearbeiten wechselnZur Vorschau wechselnSynchronisierenSynchronisierung verfügbarSynchronisiere FeldgruppeTabTabelleTabsSchlagworteTaxonomieBegriffs-IDBegriffs-ObjektTestimonialText einzeiligText mehrzeiligNur TextDer Text der im aktiven Zustand angezeigt wirdDer Text der im inaktiven Zustand angezeigt wirdDanke für das Vertrauen in <a href="%s">ACF</a>.Danke für die Aktualisierung auf %s v%s!Vielen Dank fürs Aktualisieren! ACF %s ist größer und besser als je zuvor. Wir hoffen es wird ihnen gefallen.Das Feld "%s" wurde in die %s Feldgruppe verschobenDas Gruppen-Feld bietet einen einfachen Weg eine Gruppe von Feldern zu erstellen.Das Link-Feld bietet einen einfachen Weg um einen Link (URL, Titel, Ziel) entweder auszuwählen oder zu definieren.Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wirdDas Klon-Feld erlaubt es ihnen bestehende Felder auszuwählen und anzuzeigen.Das Design des kompletten Plugins wurde modernisiert, inklusive neuer Feldtypen, Einstellungen und Aussehen!Der nachfolgende Code kann dazu verwendet werden eine lokale Version der ausgewählten Feldgruppe(n) zu registrieren. Eine lokale Feldgruppe bietet viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische Felder und Einstellungen. Kopieren Sie einfach folgenden Code und füge ihn in die functions.php oder eine externe Datei in Ihrem Theme ein.Folgende Websites erfordern ein Upgrade der Datenbank. Markieren Sie die gewünschten Seiten und klicken Sie dann %s.Das Format für die Anzeige in der BearbeitungsansichtDas Format für die Ausgabe in den Template-FunktionenDas Format das beim Speichern eines Wertes verwendet wirdDas oEmbed-Feld erlaubt auf eine einfache Weise Videos, Bilder, Tweets, Audio und weitere Inhalte einzubetten.Der Feldname darf nicht mit "field_" beginnenDiese Feld kann erst verschoben werden, wenn die Änderungen gespeichert wurdenDieses Feld erlaubt höchstens {max} {label} {identifier}Dieses Feld erfordert mindestens {min} {label} {identifier}Dieser Name wird in der Bearbeitungsansicht eines Beitrags angezeigtDie vorliegende Version enthält Verbesserungen für deine Datenbank und erfordert ein Upgrade.VorschaubildZeitauswahlTinyMCE wird nicht initialisiert solange das Feld nicht geklickt wurdeTitelUm die Aktualisierungsfähigkeit freizuschalten geben Sie bitte Ihren Lizenzschlüssel auf der <a href="%s">Aktualisierungen</a> Seite ein. Falls Sie keinen besitzen informieren Sie sich bitte hier hinsichtlich der <a href="%s" target="_blank">Preise und Einzelheiten</a>.Um die Aktualisierungsfähigkeit freizuschalten geben Sie bitte unten Ihren Lizenzschlüssel ein. Falls Sie keinen besitzen sollten informieren Sie sich bitte hier hinsichtlich <a href="%s" target="_blank">Preisen und aller weiteren Details</a>.Alle AuswählenAlle auswählenWerkzeugleisteWerkzeugeSeite ohne übergeordnete SeitenÜber dem FeldWahr / FalschTypUnbekanntUnbekanntes FeldUnbekannte FeldgruppeAktualisierenAktualisierung verfügbarDatei aktualisierenBild aktualisierenAktualisierungsinformationenPlugin aktualisierenAktualisierungenDatenbank upgradenHinweis zum UpgradeWebsites upgradenUpgrade abgeschlossen.Upgrade fehlgeschlagen.Daten auf Version %s upgradenDas Upgrade auf ACF PRO ist leicht. Einfach online eine Lizenz erwerben und das Plugin herunterladen!Für den Beitrag hochgeladenZu diesem Beitrag hochgeladenURLAJAX verwenden um die Auswahl mittels Lazy Loading zu laden?BenutzerBenutzer-ArrayBenutzerformularBenutzer-IDBenutzer-ObjektBenutzerrolleDer Benutzer kann keine neue %s hinzufügenE-Mail bestätigenÜberprüfung fehlgeschlagenÜberprüfung erfolgreichWertWert enthältWert ist gleichWert ist größer alsWert ist kleiner alsWert ist ungleichWert entspricht regulärem AusdruckWert muss eine Zahl seinBitte eine gültige URL eingebenWert muss größer oder gleich %d seinWert muss kleiner oder gleich %d seinWert darf %d Zeichen nicht überschreitenWerte werden als %s gespeichertVertikalFeld anzeigenFeldgruppe anzeigenBackend anzeigenFrontend anzeigenVisuellVisuell & TextNur VisuellUm möglichen Fragen zu begegnen haben wir haben einen <a href="%s">Upgrade-Leitfaden (Engl.)</a> erstellt. Sollten dennoch Fragen auftreten, kontaktieren Sie bitte unser <a href="%s"> Support-Team </a>.Wir glauben Sie werden die Änderungen in %s lieben.Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung gestellt wird geändert - das "wie" dürfte Sie begeistern!WebsiteDie Woche beginnt amWillkommen bei Advanced Custom FieldsWas gibt es NeuesWidgetBreiteWrapper-AttributeWYSIWYG-EditorJaZoomacf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen inklusive vieler neuer Einstellungsmöglichkeiten.undKlasseKopiehttp://www.elliotcondon.com/https://www.advancedcustomfields.com/IDist gleichist ungleichjQueryLayoutLayoutsEinträgeKlonAuswahloEmbedoEmbed-Feldoderrot : RotBearbeitenAuswählenAktualisierenBreite{available} {label} {identifier} möglich (max {max}){required} {label} {identifier} erforderlich (min {min})PK�[�+:����lang/acf-ca.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-11-01 18:50+0100\n"
"PO-Revision-Date: 2019-11-12 15:35+0100\n"
"Last-Translator: \n"
"Language-Team: Jordi Tarrida (hola@jorditarrida.cat)\n"
"Language: ca\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: 8bit\n"
"X-Generator: Poedit 2.2.4\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"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:68
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:341 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Grups de camps"

#: acf.php:342
msgid "Field Group"
msgstr "Grup de camps"

#: acf.php:343 acf.php:375 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Afegeix-ne un"

#: acf.php:344
msgid "Add New Field Group"
msgstr "Afegeix un nou grup de camps"

#: acf.php:345
msgid "Edit Field Group"
msgstr "Edita el grup de camps"

#: acf.php:346
msgid "New Field Group"
msgstr "Nou grup de camps"

#: acf.php:347
msgid "View Field Group"
msgstr "Mostra el grup de camps"

#: acf.php:348
msgid "Search Field Groups"
msgstr "Cerca grups de camps"

#: acf.php:349
msgid "No Field Groups found"
msgstr "No s’ha trobat cap grup de camps"

#: acf.php:350
msgid "No Field Groups found in Trash"
msgstr "No s’ha trobat cap grup de camps a la paperera"

#: acf.php:373 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Camps"

#: acf.php:374
msgid "Field"
msgstr "Camp"

#: acf.php:376
msgid "Add New Field"
msgstr "Afegeix un nou camp"

#: acf.php:377
msgid "Edit Field"
msgstr "Edita el camp"

#: acf.php:378 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Nou camp"

#: acf.php:379
msgid "View Field"
msgstr "Mostra el camp"

#: acf.php:380
msgid "Search Fields"
msgstr "Cerca camps"

#: acf.php:381
msgid "No Fields found"
msgstr "No s’han trobat camps"

#: acf.php:382
msgid "No Fields found in Trash"
msgstr "No s’han trobat camps a la paperera"

#: acf.php:417 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inactiu"

#: acf.php:422
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inactiu <span class=“count”>(%s)</span>"
msgstr[1] "Inactius <span class=“count”>(%s)</span>"

#: includes/acf-field-functions.php:831
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(sense etiqueta)"

#: includes/acf-field-group-functions.php:819
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "copia"

#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "S’ha actualitzat el grup de camps."

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "S’ha esborrat el grup de camps."

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "S’ha publicat el grup de camps."

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "S’ha desat el grup de camps."

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "S’ha tramès el grup de camps."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "S’ha programat el grup de camps."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "S’ha desat l’esborrany del grup de camps."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "La cadena “field_” no pot ser usada al principi del nom d’un camp"

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "Aquest camp no es pot moure fins que no se n’hagin desat els canvis"

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Cal un nom pel grup de cmaps"

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Segur que ho voleu moure a la paperera?"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "No hi ha camps commutables disponibles"

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Mou el grup de camps"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Activat"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(aquest camp)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3649
msgid "or"
msgstr "o"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Nul"

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Ubicació"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Paràmetres"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Claus dels camps"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Actiu"

#: includes/admin/admin-field-group.php:767
msgid "Move Complete."
msgstr "S’ha completat el moviment."

#: includes/admin/admin-field-group.php:768
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "El camp %s es pot trobar ara al grup de camps %s"

#: includes/admin/admin-field-group.php:769
msgid "Close Window"
msgstr "Tanca la finestra"

#: includes/admin/admin-field-group.php:810
msgid "Please select the destination for this field"
msgstr "Escolliu el destí d’aquest camp"

#: includes/admin/admin-field-group.php:817
msgid "Move Field"
msgstr "Mou el camp"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Actiu <span class=“count”>(%s)</span>"
msgstr[1] "Actius <span class=“count”>(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "S’ha duplicat el grup de camps."
msgstr[1] "S’han duplicat %s grups de camps."

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "S’ha sincronitzat el grup de camps."
msgstr[1] "S’han sincronitzat %s grups de camps."

#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Sincronització disponible"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:353
msgid "Title"
msgstr "Títol"

#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:380
msgid "Description"
msgstr "Descripció"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Estat"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"Personalitza el WordPress amb camps potents, professionals i intuïtius."

#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Registre de canvis"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Mira què hi ha de nou a la <a href=“%s”>versió %s</a>."

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Recursos"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Lloc web"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Documentació"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Suport"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:81
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Gràcies per crear amb  <a href=“%s”>ACF</a>."

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Duplica aquest element"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Duplica"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:146
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Cerca"

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "Selecciona %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Sincronitza el grup de camps"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Sincronitza"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Aplica"

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Accions massives"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Eines"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:109
#: includes/admin/admin-upgrade.php:110 includes/admin/admin-upgrade.php:173
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Actualitza la base de dades"

#: includes/admin/admin-upgrade.php:197
msgid "Review sites & upgrade"
msgstr "Revisa els llocs i actualitza"

#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Camps personalitzats"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Informació"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Novetats"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Exporta els grups de camps"

#: 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 "Genera PHP"

#: 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 "No s’han escollit grups de camps"

#: 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] "S’ha exportat el grup de camps."
msgstr[1] "S’ha exportat %s grups de camps."

#: 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 "Escull els grups de camps"

#: 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 ""
"Escolliu els grups de camps que voleu exportar i després escolliu el mètode "
"d’exportació. Useu el botó de descàrrega per a exportar-ho a un fitxer .json "
"que després podreu importar a una altra instal·lació d’ACF. Useu el botó de "
"generació per a exportar codi PHP que podreu usar al vostre tema."

#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Exporta el fitxer"

#: 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 ""
"El següent codi es pot usar per a registrar una versió local del(s) grup(s) "
"de camps escollit(s). Un grup de camps local pot aportar diversos avantatges "
"com ara temps de càrrega més ràpids, control de versions, i opcions i camps "
"dinàmics. Simplement copieu i enganxeu el següent codi al fitxer functions."
"php del vostre tema, o incloeu-lo en un fitxer extern."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "Copia-ho al porta-retalls"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "S’ha copiat"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Importa grups de camps"

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""
"Escolliu el fitxer JSON de l’Advanced Custom Fields que voleu importar. En "
"fer clic al botó d’importació, l’ACF importarà els grups de camps."

#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Escull el fitxer"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Importa el fitxer"

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "No s’ha escollit cap fitxer"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "S’ha produït un error. Torneu-ho a provar"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Tipus de fitxer incorrecte"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "El fitxer d’importació és buit"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "S’ha importat el grup de camps"
msgstr[1] "S’han importat %s grups de camps"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Lògica condicional"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Mostra aquest camp si"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "i"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Afegeix un grup de regles"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Arrossegueu per a reordenar"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Edita el camp"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:138
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:337
msgid "Edit"
msgstr "Edita"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Duplica el camp"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Mou el camp a un altre grup"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Mou"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Esborra el camp"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Esborra"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Etiqueta del camp"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Aquest és el nom que apareixerà a la pàgina d’edició"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Nom del camp"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Una sola paraula, sense espais. S’admeten barres baixes i guions"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Tipus de camp"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Instruccions"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "Instruccions per als autors. Es mostren en omplir els formularis"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Obligatori?"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Atributs del contenidor"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "amplada"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "classe"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Tanca el camp"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Ordre"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Etiqueta"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Nom"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Clau"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tipus"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"No hi ha camps. Feu clic al botó <strong>+ Afegeix un camp</strong> per a "
"crear el vostre primer camp."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Afegeix un camp"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regles"

#: 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 ""
"Crea un grup de regles que determinaran quines pantalles d’edició mostraran "
"aquests camps personalitzats"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Estil"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Estàndard (en una caixa meta de WP)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Fluid (sense la caixa meta)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Posició"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Alta (damunt del títol)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normal (després del contingut)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Lateral"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Posició de les etiquetes"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Al damunt"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Al costat"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Posició de les instruccions"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Sota les etiquetes"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Sota els camps"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Núm. d’ordre"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Els grups de camps amb un valor més baix apareixeran primer"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Es mostra a la llista de grups de camps"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Enllaç permanent"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Editor de contingut"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Extracte"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Discussió"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Comentaris"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revisions"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Àlies"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Atributs de la pàgina"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Imatge destacada"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Categories"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Etiquetes"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Envia retroenllaços"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Amaga en pantalla"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Escolliu</b> elements a <b>amagar</b>de la pantalla d’edició."

#: includes/admin/views/field-group-options.php:129
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 ""
"Si hi ha múltiples grups de camps a la pantalla d’edició, s’usaran les "
"opcions del primer grup de camps (el que tingui el menor número d’ordre)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Els següents llocs necessiten una actualització de la base de dades. "
"Escolliu els que vulgueu actualitzar i feu clic a %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Actualitza els llocs"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Lloc"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Cal actualitzar la base de dades del lloc de %s a %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "El lloc està actualitzat"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"S’ha completat l’actualització de la base de dades. <a href=\"%s\">Torna a "
"l’administració de la xarxa</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Escolliu almenys un lloc per a actualitzar."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Es recomana que feu una còpia de seguretat de la base de dades abans de "
"continuar. Segur que voleu executar l’actualitzador ara?"

#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "S’estan actualitzant les dades a la versió %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "S’ha completat l’actualització."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "L’actualització ha fallat."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "S’estan llegint les tasques d’actualització…"

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"S’ha completat l’actualització de la base de dades. <a href=\"%s\">Mira què "
"hi ha de nou</a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:32
msgid "No updates available."
msgstr "No hi ha actualitzacions disponibles."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Torna a totes les eines"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Mostra aquest grup de camps si"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Repetible"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Contingut flexible"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galeria"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Pàgina d’opcions"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Cal actualitzar la base de dades"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Gràcies per actualitzar a %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Aquesta versió inclou millores a la base de dades i necessita una "
"actualització."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Comproveu que tots els complements prèmium (%s) estan actualitzats a la "
"darrera versió."

#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Complements"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Descarrega i instal·la"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Instal·lats"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Benvingut/da a Advanced Custom Fields"

#: 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 ""
"Gràcies per actualitzar! L’ACF %s és més gran i millor que mai. Esperem que "
"us agradi."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Una millor experiència"

#: includes/admin/views/settings-info.php:18
msgid "Improved Usability"
msgstr "Usabilitat millorada"

#: includes/admin/views/settings-info.php:19
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 ""
"En incloure la popular llibreria Select2 hem millorat tant la usabilitat com "
"la velocitat en un munt de tipus de camps, incloent objecte post, enllaç de "
"pàgina, taxonomia i selecció."

#: includes/admin/views/settings-info.php:22
msgid "Improved Design"
msgstr "Disseny millorat"

#: includes/admin/views/settings-info.php:23
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 ""
"Hem actualitzat l’aspecte de molts camps perquè l’ACF llueixi més que mai! "
"Es poden veure canvis a les galeries, relacions, i al nou camp d’oEmbed!"

#: includes/admin/views/settings-info.php:26
msgid "Improved Data"
msgstr "Dades millorades"

#: includes/admin/views/settings-info.php:27
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 ""
"El redisseny de l’arquitectura de dades ha permès que els subcamps siguin "
"independents dels seus pares. Això permet arrossegar camps des de i cap a "
"camps pares!"

#: includes/admin/views/settings-info.php:35
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Adeu, complements. Hola, PRO"

#: includes/admin/views/settings-info.php:38
msgid "Introducing ACF PRO"
msgstr "Presentem l’ACF PRO"

#: includes/admin/views/settings-info.php:39
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "Estem canviant la manera en què presentem les funcionalitats prèmium!"

#: includes/admin/views/settings-info.php:40
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Els quatre complements prèmium s’han combinat a la nova <a href=\"%s"
"\">versió PRO de l’ACF</a>. Amb llicències personals i per a desenvolupadors "
"disponibles, les funcionalitats prèmium són més assequibles i accessibles "
"que mai!"

#: includes/admin/views/settings-info.php:44
msgid "Powerful Features"
msgstr "Característiques potents"

#: includes/admin/views/settings-info.php:45
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 ""
"L’ACF PRO conté característiques potents com ara camps repetibles, "
"disposicions amb contingut flexible, un bonic camp de galeria i la "
"possibilitat de crear noves pàgines d’opcions a l’administració!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr ""
"Més informació sobre <a href=\"%s\">les característiques de l’ACF PRO</a>."

#: includes/admin/views/settings-info.php:50
msgid "Easy Upgrading"
msgstr "Fàcil actualització"

#: includes/admin/views/settings-info.php:51
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"L’actualització a l’ACF PRO és senzilla. Només cal que compreu una llicència "
"en línia i descarregueu l’extensió!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"També hem escrit una <a href=\"%s\">guia d’actualització</a> per a respondre "
"qualsevol pregunta, però si en teniu cap, contacteu amb el nostre equip de "
"suport al <a href=\"%s\">tauler d’ajuda</a>."

#: includes/admin/views/settings-info.php:61
msgid "New Features"
msgstr "Noves característiques"

#: includes/admin/views/settings-info.php:66
msgid "Link Field"
msgstr "Camp d'enllaç"

#: includes/admin/views/settings-info.php:67
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"El camp d’enllaç ofereix una manera senzilla d’escollir o definir un enllaç "
"(url, títol, destí)."

#: includes/admin/views/settings-info.php:71
msgid "Group Field"
msgstr "Camp de grup"

#: includes/admin/views/settings-info.php:72
msgid "The Group field provides a simple way to create a group of fields."
msgstr "El camp de grup facilita la creació d’un grup de camps."

#: includes/admin/views/settings-info.php:76
msgid "oEmbed Field"
msgstr "Camp d’oEmbed"

#: includes/admin/views/settings-info.php:77
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"El camp d’oEmbed permet incrustar fàcilment vídeos, imatges, tuits, àudio i "
"altres continguts."

#: includes/admin/views/settings-info.php:81
msgid "Clone Field"
msgstr "Camp de clon"

#: includes/admin/views/settings-info.php:82
msgid "The clone field allows you to select and display existing fields."
msgstr "El camp de clon permet escollir i mostrar camps existents."

#: includes/admin/views/settings-info.php:86
msgid "More AJAX"
msgstr "Més AJAX"

#: includes/admin/views/settings-info.php:87
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Més camps usen una cerca que funciona amb AJAX per a accelerar la càrrega de "
"la pàgina."

#: includes/admin/views/settings-info.php:91
msgid "Local JSON"
msgstr "JSON local"

#: includes/admin/views/settings-info.php:92
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"La nova funció d’auto exportació a JSON millora la velocitat i permet la "
"sincronització."

#: includes/admin/views/settings-info.php:96
msgid "Easy Import / Export"
msgstr "Importació i exportació senzilla"

#: includes/admin/views/settings-info.php:97
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Tant la importació com l’exportació es poden realitzar fàcilment des de la "
"nova pàgina d’eines."

#: includes/admin/views/settings-info.php:101
msgid "New Form Locations"
msgstr "Noves ubicacions per als formularis"

#: includes/admin/views/settings-info.php:102
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Els camps es poden assignar a menús, elements del menú, comentaris, ginys i "
"formularis d’usuari!"

#: includes/admin/views/settings-info.php:106
msgid "More Customization"
msgstr "Més personalització"

#: includes/admin/views/settings-info.php:107
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"S’han afegit nous filtres i accions de PHP (i JS) per a permetre més "
"personalització."

#: includes/admin/views/settings-info.php:111
msgid "Fresh UI"
msgstr "Interfície estilitzada"

#: includes/admin/views/settings-info.php:112
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"S’ha redissenyat tota l’extensió, incloent nous tipus de camps, opcions i "
"disseny!"

#: includes/admin/views/settings-info.php:116
msgid "New Settings"
msgstr "Noves opcions"

#: includes/admin/views/settings-info.php:117
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"S’han afegit les següents opcions als grups de camps: actiu, posició de "
"l’etiqueta, posició de les instruccions, i descripció."

#: includes/admin/views/settings-info.php:121
msgid "Better Front End Forms"
msgstr "Millors formularis a la interfície frontal"

#: includes/admin/views/settings-info.php:122
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() ara pot crear una nova entrada en ser enviat amb un munt de noves "
"opcions."

#: includes/admin/views/settings-info.php:126
msgid "Better Validation"
msgstr "Validació millorada"

#: includes/admin/views/settings-info.php:127
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"La validació del formulari ara es fa amb PHP + AJAX en lloc de només JS."

#: includes/admin/views/settings-info.php:131
msgid "Moving Fields"
msgstr "Moure els camps"

#: includes/admin/views/settings-info.php:132
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Una nova funcionalitat als grups de camps permet moure un camp entre grups i "
"pares."

#: includes/admin/views/settings-info.php:143
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Creiem que us encantaran els canvis a %s."

#: includes/api/api-helpers.php:827
msgid "Thumbnail"
msgstr "Miniatura"

#: includes/api/api-helpers.php:828
msgid "Medium"
msgstr "Mitjana"

#: includes/api/api-helpers.php:829
msgid "Large"
msgstr "Grossa"

#: includes/api/api-helpers.php:878
msgid "Full Size"
msgstr "Mida completa"

#: includes/api/api-helpers.php:1599 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(sense títol)"

#: includes/api/api-helpers.php:3570
#, php-format
msgid "Image width must be at least %dpx."
msgstr "L’amplada de la imatge ha de ser almenys de %dpx."

#: includes/api/api-helpers.php:3575
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "L’amplada de la imatge no pot ser superior a %dpx."

#: includes/api/api-helpers.php:3591
#, php-format
msgid "Image height must be at least %dpx."
msgstr "L’alçada de la imatge ha de ser almenys de %dpx."

#: includes/api/api-helpers.php:3596
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "L’alçada de la imatge no pot ser superior a %dpx."

#: includes/api/api-helpers.php:3614
#, php-format
msgid "File size must be at least %s."
msgstr "La mida del fitxer ha de ser almenys %s."

#: includes/api/api-helpers.php:3619
#, php-format
msgid "File size must must not exceed %s."
msgstr "La mida del fitxer no pot ser superior a %s."

#: includes/api/api-helpers.php:3653
#, php-format
msgid "File type must be %s."
msgstr "El tipus de fitxer ha de ser %s."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Perdreu els canvis que heu fet si abandoneu aquesta pàgina"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Selecciona"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Edita"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Actualitza"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Penjat a aquesta entrada"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "Expandeix els detalls"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Amaga els detalls"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Restringit"

#: includes/assets.php:178 includes/fields/class-acf-field-image.php:66
msgid "All images"
msgstr "Totes les imatges"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "Validació correcta"

#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "La validació ha fallat"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "Cal revisar un camp"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "Cal revisar %d camps"

#: includes/assets.php:187
msgid "Are you sure?"
msgstr "N'esteu segur?"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Sí"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "No"

#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:140
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:338
#: pro/fields/class-acf-field-gallery.php:478
msgid "Remove"
msgstr "Suprimeix"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Cancel·la"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Té algun valor"

#: includes/assets.php:195
msgid "Has no value"
msgstr "No té cap valor"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "El valor és igual a"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "El valor no és igual a"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "El valor coincideix amb el patró"

#: includes/assets.php:199
msgid "Value contains"
msgstr "El valor conté"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "El valor és superior a"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "El valor és inferior a"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "La selecció és superior a"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "La selecció és inferior a"

#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Edita el grup de camps"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "El tipus de camp no existeix"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Desconegut"

#: includes/fields.php:349
msgid "Basic"
msgstr "Bàsic"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Contingut"

#: includes/fields.php:351
msgid "Choice"
msgstr "Elecció"

#: includes/fields.php:352
msgid "Relational"
msgstr "Relacional"

#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Disposició"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Acordió"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Obert"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Mostra aquest acordió obert en carregar la pàgina."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Expansió múltiple"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Permet que aquest acordió s’obri sense tancar els altres."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Punt final"

#: 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 ""
"Definiu un punt final per a aturar l’acordió previ. Aquest acordió no serà "
"visible."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Grup de botons"

#: 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:364
msgid "Choices"
msgstr "Opcions"

#: 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:365
msgid "Enter each choice on a new line."
msgstr "Introduïu cada opció en una línia nova."

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Per a més control, podeu establir tant el valor com l’etiqueta d’aquesta "
"manera:"

#: 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:365
msgid "red : Red"
msgstr "vermell : Vermell"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "Permet nul?"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: includes/fields/class-acf-field-text.php:95
#: 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:381
msgid "Default Value"
msgstr "Valor per defecte"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: includes/fields/class-acf-field-text.php:96
#: includes/fields/class-acf-field-textarea.php:103
#: includes/fields/class-acf-field-url.php:101
#: includes/fields/class-acf-field-wysiwyg.php:382
msgid "Appears when creating a new post"
msgstr "Apareix quan es crea una nova entrada"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horitzontal"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertical"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Valor de retorn"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Especifiqueu el valor a retornar a la interfície frontal"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Valor"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Ambdós (matriu)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Casella de selecció"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Commuta’ls tots"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Afegeix una nova opció"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Permet personalitzats"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Permet afegir-hi valors personalitzats"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Desa personalitzats"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Desa els valors personalitzats a les opcions del camp"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Afegiu cada valor per defecte en una línia nova"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Commuta"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Afegeix una casella extra per a commutar totes les opcions"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Selector de color"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Esborra"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Predeterminat"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Escolliu un color"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Color actual"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Selector de data"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Fet"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Avui"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Següent"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Anterior"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Stm"

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Format a mostrar"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "El format que es mostrarà quan editeu una entrada"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Personalitzat:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Format de desat"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "El format que s’usarà en desar el valor"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-image.php:204
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
#: pro/fields/class-acf-field-gallery.php:557
msgid "Return Format"
msgstr "Format de retorn"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "El format que es retornarà a través de les funcions del tema"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "La setmana comença en"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Selector de data i hora"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Escolliu l’hora"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Hora"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minut"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Segon"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Mil·lisegon"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Microsegon"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Fus horari"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Ara"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Fet"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Selecciona"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Correu electrònic"

#: 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:104
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Text de mostra"

#: 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:105
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Apareix a dins del camp"

#: 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:188
#: includes/fields/class-acf-field-text.php:113
msgid "Prepend"
msgstr "Afegeix al principi"

#: 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:189
#: includes/fields/class-acf-field-text.php:114
msgid "Appears before the input"
msgstr "Apareix abans del camp"

#: 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:197
#: includes/fields/class-acf-field-text.php:122
msgid "Append"
msgstr "Afegeix al final"

#: 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:198
#: includes/fields/class-acf-field-text.php:123
msgid "Appears after the input"
msgstr "Apareix després del camp"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Fitxer"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Edita el fitxer"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Actualitza el fitxer"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Nom del fitxer"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:264
#: includes/fields/class-acf-field-image.php:293
#: pro/fields/class-acf-field-gallery.php:642
#: pro/fields/class-acf-field-gallery.php:671
msgid "File size"
msgstr "Mida del fitxer"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Afegeix un fitxer"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Matriu de fitxer"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "URL del fitxer"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "ID del fitxer"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:229
#: pro/fields/class-acf-field-gallery.php:592
msgid "Library"
msgstr "Mediateca"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:593
msgid "Limit the media library choice"
msgstr "Limita l’elecció d’elements de la mediateca"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:235
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:72
#: includes/locations/class-acf-location-user-role.php:88
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:598
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Tots"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:236
#: pro/fields/class-acf-field-gallery.php:599
msgid "Uploaded to post"
msgstr "Carregats a l’entrada"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:243
#: pro/fields/class-acf-field-gallery.php:621
msgid "Minimum"
msgstr "Mínim"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Limita quins fitxers poden ser carregats"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:272
#: pro/fields/class-acf-field-gallery.php:650
msgid "Maximum"
msgstr "Màxim"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:301
#: pro/fields/class-acf-field-gallery.php:678
msgid "Allowed file types"
msgstr "Tipus de fitxers permesos"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:679
msgid "Comma separated list. Leave blank for all types"
msgstr "Llista separada amb comes. Deixeu-la en blanc per a tots els tipus"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Mapa de Google"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Aquest navegador no suporta geolocalització"

#: includes/fields/class-acf-field-google-map.php:147
msgid "Clear location"
msgstr "Neteja la ubicació"

#: includes/fields/class-acf-field-google-map.php:148
msgid "Find current location"
msgstr "Cerca la ubicació actual"

#: includes/fields/class-acf-field-google-map.php:151
msgid "Search for address..."
msgstr "Cerca l’adreça…"

#: includes/fields/class-acf-field-google-map.php:181
#: includes/fields/class-acf-field-google-map.php:192
msgid "Center"
msgstr "Centra"

#: includes/fields/class-acf-field-google-map.php:182
#: includes/fields/class-acf-field-google-map.php:193
msgid "Center the initial map"
msgstr "Centra el mapa inicial"

#: includes/fields/class-acf-field-google-map.php:204
msgid "Zoom"
msgstr "Zoom"

#: includes/fields/class-acf-field-google-map.php:205
msgid "Set the initial zoom level"
msgstr "Estableix el valor inicial de zoom"

#: includes/fields/class-acf-field-google-map.php:214
#: includes/fields/class-acf-field-image.php:255
#: includes/fields/class-acf-field-image.php:284
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:633
#: pro/fields/class-acf-field-gallery.php:662
msgid "Height"
msgstr "Alçada"

#: includes/fields/class-acf-field-google-map.php:215
msgid "Customize the map height"
msgstr "Personalitzeu l’alçada del mapa"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Grup"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Sub camps"

#: 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 "Especifiqueu l’estil usat per a mostrar els camps escollits"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Bloc"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Taula"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Fila"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Imatge"

#: includes/fields/class-acf-field-image.php:63
msgid "Select Image"
msgstr "Escolliu una imatge"

#: includes/fields/class-acf-field-image.php:64
msgid "Edit Image"
msgstr "Edita imatge"

#: includes/fields/class-acf-field-image.php:65
msgid "Update Image"
msgstr "Penja imatge"

#: includes/fields/class-acf-field-image.php:156
msgid "No image selected"
msgstr "No s’ha escollit cap imatge"

#: includes/fields/class-acf-field-image.php:156
msgid "Add Image"
msgstr "Afegeix imatge"

#: includes/fields/class-acf-field-image.php:210
#: pro/fields/class-acf-field-gallery.php:563
msgid "Image Array"
msgstr "Matriu d'imatge"

#: includes/fields/class-acf-field-image.php:211
#: pro/fields/class-acf-field-gallery.php:564
msgid "Image URL"
msgstr "URL de la imatge"

#: includes/fields/class-acf-field-image.php:212
#: pro/fields/class-acf-field-gallery.php:565
msgid "Image ID"
msgstr "ID de la imatge"

#: includes/fields/class-acf-field-image.php:219
#: pro/fields/class-acf-field-gallery.php:571
msgid "Preview Size"
msgstr "Mida de la vista prèvia"

#: includes/fields/class-acf-field-image.php:244
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:622
#: pro/fields/class-acf-field-gallery.php:651
msgid "Restrict which images can be uploaded"
msgstr "Limita quines imatges es poden penjar"

#: includes/fields/class-acf-field-image.php:247
#: includes/fields/class-acf-field-image.php:276
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:625
#: pro/fields/class-acf-field-gallery.php:654
msgid "Width"
msgstr "Amplada"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Enllaç"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Escolliu l’enllaç"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "S’obre en una finestra/pestanya nova"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Matriu d’enllaç"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "URL de l’enllaç"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Missatge"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Noves línies"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Controla com es mostren les noves línies"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Afegeix paràgrafs automàticament"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Afegeix &lt;br&gt; automàticament"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Sense formatejar"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escapa l’HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Permet que el marcat HTML es mostri com a text visible en comptes de "
"renderitzat"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Número"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Valor mínim"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Valor màxim"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Mida del pas"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "El valor ha de ser un número"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "El valor ha de ser igual o superior a %d"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "El valor ha de ser igual o inferior a %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "Introduïu la URL"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Mida de la incrustació"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Enllaç de pàgina"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arxius"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Pare"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Filtra per tipus de contingut"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Tots els tipus de contingut"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Filtra per taxonomia"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Totes les taxonomies"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Permet les URLs dels arxius"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Escollir múltiples valors?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Contrasenya"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Objecte de l’entrada"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "ID de l’entrada"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Botó d’opció"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Altres"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Afegeix l’opció ‘Altres’ per a permetre valors personalitzats"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Desa Altres"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Desa els valors d’’Altres’ a les opcions del camp"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Rang"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Relació"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "S’ha arribat al màxim de valors ({max} valors)"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "S'està carregant"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "No hi ha coincidències"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Escolliu el tipus de contingut"

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Escolliu la taxonomia"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Cerca…"

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filtres"

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Tipus de contingut"

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomia"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elements"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Els elements escollits es mostraran a cada resultat"

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Mínim d'entrades"

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Màxim d’entrades"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:779
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s necessita almenys %s selecció"
msgstr[1] "%s necessita almenys %s seleccions"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Selecció"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Hi ha disponible un resultat, premeu retorn per a escollir-lo."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"Hi ha disponibles %d resultats, useu les fletxes amunt i avall per a navegar-"
"hi."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "No hi ha coincidències"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Introduïu un o més caràcters"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Introduïu %d o més caràcters"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Esborreu un caràcter"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Esborreu %d caràcters"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Només podeu escollir un element"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Només podeu escollir %d elements"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "S'estan carregant més resultats&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "S'està cercant&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "No s'ha pogut carregar"

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Interfície estilitzada"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "Usa AJAX per a carregar opcions de manera relaxada?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Especifiqueu el valor a retornar"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Separador"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Pestanya"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Ubicació"

#: 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 ""
"Definiu un punt de final per a aturar les pestanyes anteriors. Això generarà "
"un nou grup de pestanyes."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "No hi ha %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Escolliu la taxonomia a mostrar"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Aparença"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Escolliu l’aparença d’aquest camp"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Múltiples valors"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Selecció múltiple"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Un sol valor"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Botons d’opció"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Crea els termes"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Permet crear nous termes mentre s’està editant"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Desa els termes"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Connecta els termes escollits a l’entrada"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Carrega els termes"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Carrega el valor dels termes de l’entrada"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Objecte de terme"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "ID de terme"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "L’usuari no pot crear nous %s"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s ja existeix"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s afegit"

#: includes/fields/class-acf-field-taxonomy.php:973
#: includes/locations/class-acf-location-user-form.php:73
msgid "Add"
msgstr "Afegeix"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-text.php:131
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Límit de caràcters"

#: includes/fields/class-acf-field-text.php:132
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Deixeu-lo en blanc per no establir cap límit"

#: includes/fields/class-acf-field-text.php:157
#: includes/fields/class-acf-field-textarea.php:215
#, php-format
msgid "Value must not exceed %d characters"
msgstr "El valor no pot superar els %d caràcters"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Àrea de text"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Files"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Estableix l’alçada de l’àrea de text"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Selector d'hora"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Cert / Fals"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Mostra el text al costat de la casella de selecció"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Text d’actiu"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "El text que es mostrarà quan està actiu"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Text d’inactiu"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "El text que es mostrarà quan està inactiu"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "El valor ha de ser una URL vàlida"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Usuari"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Filtra per rol"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Tots els rols d'usuari"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Matriu d’usuari"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Objecte d'usuari"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "ID d'usuari"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Editor Wysiwyg"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visual"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Feu clic per a inicialitzar el TinyMCE"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Pestanyes"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visual i Text"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Només Visual"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Només Text"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Barra d'eines"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Mostra els botons de penjar mèdia?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Endarrereix la inicialització?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initialized until field is clicked"
msgstr "El TinyMCE no s’inicialitzarà fins que no es faci clic al camp"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Valida el correu"

#: includes/forms/form-front.php:104 pro/fields/class-acf-field-gallery.php:510
#: pro/options-page.php:81
msgid "Update"
msgstr "Actualitza"

#: includes/forms/form-front.php:105
msgid "Post updated"
msgstr "S'ha actualitzat l'entrada"

#: includes/forms/form-front.php:231
msgid "Spam Detected"
msgstr "S’ha detectat brossa"

#: includes/forms/form-user.php:336
#, php-format
msgid "<strong>ERROR</strong>: %s"
msgstr "<strong>ERROR</strong>: %s"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Entrada"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Pàgina"

#: includes/locations.php:96
msgid "Forms"
msgstr "Formularis"

#: includes/locations.php:243
msgid "is equal to"
msgstr "és igual a"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "no és igual a"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Adjunt"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Tots els formats de %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Comentari"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Rol de l’usuari actual"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Superadministrador"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Usuari actual"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Amb la sessió iniciada"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Veient la part frontal"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Veient l’administració"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Element del menú"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menú"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Ubicacions dels menús"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menús"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Pàgina mare"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Plantilla de la pàgina"

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Plantilla per defecte"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Tipus de pàgina"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Portada"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Pàgina de les entrades"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Pàgina de primer nivell (no té mare)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Pàgina mare (té filles)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Pàgina filla (té mare)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Categoria de l'entrada"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Format de l’entrada"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Estat de l'entrada"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Taxonomia de l’entrada"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Plantilla de l’entrada"

#: includes/locations/class-acf-location-user-form.php:22
msgid "User Form"
msgstr "Formulari d’usuari"

#: includes/locations/class-acf-location-user-form.php:74
msgid "Add / Edit"
msgstr "Afegeix / Edita"

#: includes/locations/class-acf-location-user-form.php:75
msgid "Register"
msgstr "Registra"

#: includes/locations/class-acf-location-user-role.php:22
msgid "User Role"
msgstr "Rol de l'usuari"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Giny"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "Cal introduir un valor a %s"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Publica"

#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"No s’han trobat grups de camps personalitzats per a aquesta pàgina "
"d’opcions. <a href=\"%s\">Creeu un grup de camps nou</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Error</b>. No s’ha pogut connectar al servidor d’actualitzacions"

#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Actualitzacions"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Error</b>. No s’ha pogut verificar el paquet d’actualització. Torneu-ho a "
"intentar o desactiveu i torneu a activar la vostra llicència de l’ACF PRO."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Desactiva la llicència"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Activa la llicència"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Informació de la llicència"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Per a desbloquejar les actualitzacions, introduïu la clau de llicència a "
"continuació. Si no teniu cap clau de llicència, vegeu els <a href=\"%s"
"\">detalls i preu</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Clau de llicència"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Informació de l'actualització"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Versió actual"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Darrera versió"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Actualització disponible"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Actualitza l’extensió"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Introduïu la clau de llicència al damunt per a desbloquejar les "
"actualitzacions"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Torneu-ho a comprovar"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Avís d’actualització"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Canvia a edició"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Canvia a previsualització"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Clon"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Escolliu un o més camps a clonar"

#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Mostra"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Indiqueu l’estil que s’usarà per a mostrar el camp clonat"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "Grup (mostra els camps escollits en un grup dins d’aquest camp)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Fluid (reemplaça aquest camp amb els camps escollits)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Les etiquetes es mostraran com a %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Prefixa les etiquetes dels camps"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Els valors es desaran com a %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Prefixa els noms dels camps"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Camp desconegut"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Grup de camps desconegut"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Tots els camps del grup de camps %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Afegeix una fila"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "disposició"
msgstr[1] "disposicions"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "disposicions"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Aquest camp requereix almenys {min} {label} de {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Aquest camp té un límit de {max} {label} de {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} de {identifier} disponible (màx {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} de {identifier} necessari (mín {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "El contingut flexible necessita almenys una disposició"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Feu clic al botó “%s” de sota per a començar a crear el vostre disseny"

#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Afegeix una disposició"

#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Esborra la disposició"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Feu clic per alternar"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Reordena la disposició"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Reordena"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Esborra la disposició"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Duplica la disposició"

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Afegeix una disposició"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Mín"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Màx"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Etiqueta del botó"

#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Mínim de disposicions"

#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Màxim de disposicions"

#: pro/fields/class-acf-field-gallery.php:73
msgid "Add Image to Gallery"
msgstr "Afegeix una imatge a la galeria"

#: pro/fields/class-acf-field-gallery.php:74
msgid "Maximum selection reached"
msgstr "S’ha arribat al màxim d’elements seleccionats"

#: pro/fields/class-acf-field-gallery.php:322
msgid "Length"
msgstr "Llargada"

#: pro/fields/class-acf-field-gallery.php:362
msgid "Caption"
msgstr "Llegenda"

#: pro/fields/class-acf-field-gallery.php:371
msgid "Alt Text"
msgstr "Text alternatiu"

#: pro/fields/class-acf-field-gallery.php:487
msgid "Add to gallery"
msgstr "Afegeix a la galeria"

#: pro/fields/class-acf-field-gallery.php:491
msgid "Bulk actions"
msgstr "Accions massives"

#: pro/fields/class-acf-field-gallery.php:492
msgid "Sort by date uploaded"
msgstr "Ordena per la data de càrrega"

#: pro/fields/class-acf-field-gallery.php:493
msgid "Sort by date modified"
msgstr "Ordena per la data de modificació"

#: pro/fields/class-acf-field-gallery.php:494
msgid "Sort by title"
msgstr "Ordena pel títol"

#: pro/fields/class-acf-field-gallery.php:495
msgid "Reverse current order"
msgstr "Inverteix l’ordre actual"

#: pro/fields/class-acf-field-gallery.php:507
msgid "Close"
msgstr "Tanca"

#: pro/fields/class-acf-field-gallery.php:580
msgid "Insert"
msgstr "Insereix"

#: pro/fields/class-acf-field-gallery.php:581
msgid "Specify where new attachments are added"
msgstr "Especifiqueu on s’afegeixen els nous fitxers adjunts"

#: pro/fields/class-acf-field-gallery.php:585
msgid "Append to the end"
msgstr "Afegeix-los al final"

#: pro/fields/class-acf-field-gallery.php:586
msgid "Prepend to the beginning"
msgstr "Afegeix-los al principi"

#: pro/fields/class-acf-field-gallery.php:605
msgid "Minimum Selection"
msgstr "Selecció mínima"

#: pro/fields/class-acf-field-gallery.php:613
msgid "Maximum Selection"
msgstr "Selecció màxima"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "No s’ha arribat al mínim de files ({min} files)"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "S’ha superat el màxim de files ({max} files)"

#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Afegeix una fila"

#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Esborra la fila"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Replegat"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "Escull un subcamp per a mostrar quan la fila estigui replegada"

#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Mínim de files"

#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Màxim de files"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "No hi ha pàgines d’opcions"

#: pro/options-page.php:51
msgid "Options"
msgstr "Opcions"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "S’han actualitzat les opcions"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Per a activar les actualitzacions, introduïu la clau de llicència a la "
"pàgina d’<a href=\"%s\">Actualitzacions</a>. Si no teniu cap clau de "
"llicència, vegeu-ne els<a href=\"%s\">detalls i preu</a>."

#: tests/basic/test-blocks.php:30
msgid "Normal"
msgstr "Normal"

#: tests/basic/test-blocks.php:31
msgid "Fancy"
msgstr "Sofisticat"

#. Plugin URI of the plugin/theme
#. Author URI of the plugin/theme
msgid "https://www.advancedcustomfields.com"
msgstr "https://www.advancedcustomfields.com"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"
PK�[S�`��lang/acf-nl_NL.monu�[�������w�)h7i7�7�76�7:�7D8W8
l8w8�80�8)�8=�8079"h9��9;0:l:}:M�:�:-�:
;;	;";7;
?;M;a;p;
x;�;�;�;�;�;�;'�;�;<<�-<�=�=
�=�=�=�=!�=>(>A5>w>,�>�>�>
�>�>�> ?)?B?I?[?a?
j?
x?�?�?�?�?c�?.@;@H@_@t@�@�@�@�@�@�@�@�@�@
�@�@A	A&A6ABAKAcAjArAxA9�A�A�A�A�A�AB	B'B/4BdBlBuB"�B�B�B#�B�B[�B
NC\CiC{C
�C�CE�C�CDGD:bD�D�D �D�DE"E?EPE!nE"�E#�E!�E,�E,&F%SFyF!�F%�F%�F-G!3G*UG�G�G�G
�G�G�G
�G�G�G
�G	HH$ H
EHSHfH{H	�H�H�H�H�H�H
�H�H	�H
I
II+I
4IBI
HI	SI	]I gI&�I&�I�I�I�IJ
JJ-JHJWJ]JiJ
vJ�J
�J
�J�J�J�J�JKKR3K�K�K�K�K1�KL9LA@L�L
�L�L�L	�L	�L�L"�L�LM#M6MEMMMcM+tMC�M?�M$N+N
1N	<NFNNNcN
~N�N=�N�N�N�N
�N�O�O�O�O	�O#�O"�O"�O!P9P.@PoP�P/�P
�P�P�P�PQ�P�QQ�QRR	RR3R4@RuRy�RSS
SS<SBSQSXSqS~S�S�S�S�S�S
�S�S
�S�ST
TT(T	1T�;T�T�T�T�TU
U
%U!3UUU'oU2�U�U�U	�U�U�U�U�UV	VV&V
8V
FV!TV'vV	�V<�V�V�V�V
WW2W
OW]WjWzW1W	�W�W	�W�W	�WJ�W6X/CXNsX.�XQ�XQCY�Y`�Y�YZ.Z>Z
WZ!eZ�ZT�Z�Z[[)[@[O[j[�[�[�[�[�[�[�[�[�[�[�[	�[\\\	#\-\
9\	G\Q\X\
s\�\	�\�\	�\Z�\5
],@]m]v]
{]�]�]�]�]
�]
�]	�]�]
�]�]^^,^/4^d^}^�^�^�^
�^�^2�^�^�_�_
�_�_�_�_
�_
�_�_``	`	)`$3`%X`
~`
�`�`�`�`	�`�`�`�`+�`*aAaMa
Ya
daoa3�a�a�a
�a�a	�a.b	1b;bHb\bhbub0�b�b+�b�bc�c#�c�c#�d5�d74e>le?�e#�e1f%AfGgfV�f&g:-g<hg2�g�g	�g�g
h&h/hJhchvh�h�h�h�h6�hii,iFiKi0bi�i�i
�i
�i'�i0j44jij'�j�j�j	�j�j�j
�j�j�jkkk-kEkIkOkTkYk
bkpkxk�k	�k	�k�k�k1�k!�kZ!l3|lE�lA�l^8n(�n*�n#�n6o@For�o<�o,7p/dp7�p3�p	q
q5qLq�Rqk�q�er�r
ssss8sDsQsVses
ms{s�s�s�s�s�s
�s�s�s�s
	tt(tEtVtltQpt�t<�tu	#u	-u7uQu`uru�u�u�u(�u'�uv+v
4v?vPvavsv
zv�v��v'8wM`w�w�w!�w
�w�w�w�wx!x%x2*x]xaxixoxtx%�x�x�x�x�x�x�x
�x�xy
y	
yy	(y2y>yJy6Py4�yB�y�|
}
-}/;}7k}F�}�}~~~47~)l~G�~:�~"�<1�,�B�MI���1��Ѐ���
�*�
7�B�
Y�g�t���������ρׁ'��1�7��H���������ÃՃ#���E4�z�D��΄	�	�%��'!�OI�?��	م�	��	�
��%�/,� \�}�]��
�����/�@�X�
]�k�w�~�����������(͇����-�	6�@�F�M�T�5`� ����шو���	��8�V�^�g�'{�����/���O��
O�]�o�����
��@����H'�?p�����ċ̋Ջ܋������������&�)�+�	3�	=�G�L�U�n������	��Ō֌����
�"�1�>�T�l�	����������Ӎڍ���� �	-�
7�E�
L�Z�
c�n���7��ڎ������+�H�_�d�q�	y�
��	��
������Ϗ����O �p�������6���R�j�
r���������'��$ޑ��2�
E�S�[�p�+��~��M-�{�����������ɓ
��?��6�=�O�b�nn�
ݔ�
���+�(B�,k�)��	•S̕ �2�.L�{�������Q������
ȗӗܗ��E�V��^�������/�5�E�L�g�z���������.�
3�>�G�Y�x�
~����������Y�]�f�w�������*Ǜ�0�3=�	q�{�	��
��	����������Ȝݜ���*�'=�	e�ho�	؝���
�$�#C�g�z�������
������ў
�L�;�(O�cx�AܟN�Mm���b��"�&8�_�%t���6���U��R�n�����Ģ̢���*�.�	5�?�H�g�
n�|�����������Уܣ�����(�
4�	?�I�	a�Wk�8ä%��"�*�2�D�S�[�g�n��	��������ѥ���F�I�a�t�	x���
����=������
����ƧΧ	ۧ������
(�3�-I�0w�	����Ǩܨ�����1%�\W���ɩ,ک�#�8?�x������	��2������(�=�>L���)��ҫ����$}����%s�������ح
����9,�Gf����� ܮA��?�T�#d�%������֯���2�
B�P�
X�;f�����3�����1�F�a�|�����?��D��C�/b�������òɲ
޲����
�*�E�Y�]�	c�m�r�
{�������	������!ڳ6��%3�[Y�,��@��#�m�6O���"��6¶3��D-�Ir�0��1�9�)Y�	����:��Ը�ڸ����
�����������ٺ������
�&�	5�?�R�a�s�
����������ϻ!���/�>3�"r�B��	ؼ���5��0�@�R�e�l� ��&��(ν ��	�
"�-�:�L�\�d�t����MV�T����
�!�1�A�H�P�`�o�r�9{���
�����%��
�#�6�=�D�L�	R�\�c�f�r���	��	����8��5�}O��ex$21������
�y�����#}�Lrl� rWqFB�����J)f5dDafQ>!9vM�Z�VE����;~��3]w/����_��H�mB|����5ARI�t����[)��n���K���8I�NC��\z(7g{
B�����Y����=|'o�c��c�-D\h��_y�5U��,X��j���N`w�N��^���������P	�t���u��^8�wA��l����!L��z����sX��(=�Z@p���VP��o��Ep:�+�n
{V�m9Z>���1�Ma[^��4����#3���o`�mI�E��,q4�!c�fl���O�%�U-�?h��K�u�D�<�&x���@����W����Q�+�a?��r��H��8� ��-p�?����j�1zGi�
s�|22�.����ug]�n�*U��0��H<G"�s�*%G��3@�:[Tt�C���;�.YK����:����v��q�����S�7L��>x�"/F��k')h�T��	�6~J������06#]+d�b/���Cey�*A�Q �M'�g��O_���T�<W`7�S%
�	�d��b(,eii�bv��
RS��X��P0��;Y��6R$���&\F{�&~���$�jk.=�k���"J�9}�4%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.6.6
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-11-22 15:53+0200
PO-Revision-Date: 2019-03-25 09:21+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Derk Oosterveld <derk@derkoosterveld.nl>
Language: nl_NL
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d velden hebben aandacht nodig%s toegevoegd%s bestaat al%s groep gedupliceerd.%s groepen gedupliceerd.%s groep gesynchroniseerd.%s groepen gesynchroniseerd.%s verplicht tenminste %s selectie%s verplicht tenminste %s selecties%s waarde is verplicht(geen titel)+ Nieuw veld1 veld heeft aandacht nodig<b>Fout</b>. Kan niet verbinden met de update server<b>Fout</b>. Kan add-ons lijst niet laden<b>Selecteer</b> elementen om <b>te verbergen</b> op het wijzig scherm.Een nieuw veld voor het embedden van content is toegevoegdEen verbeterde extra veld belevingACF PRO beschikt over krachtige velden en functies zoals: herhaalbare velden, flexibile content layouts, een interactieve fotogalerij veld en de mogelijkheid om optie pagina's aan te maken!ACF slaat velden als individuele post objecten opActiveer licentiecodeActiefActief <span class="count">(%s)</span>Actief <span class="count">(%s)</span>NieuweVoeg de keuze "anders” toe voor eigen invullingToevoegen / BewerkenVoeg bestand toeVoeg afbeelding toeVoeg afbeelding toe aan galerijNieuwe groepNieuw veldNieuwe groep toevoegenNieuwe layoutNieuwe regelLayout toevoegenNieuwe keuzeNieuwe regelNieuwe groep toevoegenAfbeelding(en) toevoegenAdd-onsAdvanced Custom FieldsAdvanced Custom Fields database upgradeAdvanced Custom Fields PROAllesAlle %s formatenAlle 4 de premium add-ons zijn samengevoegd tot een <a href="%s">PRO versie van ACF</a>. Er zijn zowel persoonlijke als developer licenties verkrijgbaar tegen een aantrekkelijke prijs!Alle velden onder dit "Tab veld" zullen worden toegevoegd aan deze tab. Het ingevulde "Veld label" dient als benaming van de tab.Alle velden van %s veld groepAlle afbeeldingenAlle post typesAlle taxonomieënAlle rollen‘Eigen invoer’ waarden toestaanArchief URL’s toestaanEigen invoer toestaanToestaan HTML markup te tonen als tekst in plaats van het te renderenMag leeg zijn?Toestaan dat nieuwe voorwaarden worden aangemaakt terwijl je bewerktToegestane bestandstypenAlt tekstUiterlijkInformatie die verschijnt na het veldInformatie die verschijnt voor het veldVooraf ingevulde waarde die te zien is tijdens het aanmaken van een nieuwe postInformatie die verschijnt in het veld (verdwijnt zodra je typt)NavoegselToevoegen aan het eindeToepassenArchievenBen je zeker?BijlageAuteurAutomatisch een nieuwe regel maken &lt;br /&gt;Automatisch paragrafen toevoegenBasisVoordat je aan de slag kunt met de geweldige nieuwe functies, is een database update vereist.Onder veldOnder labelBetere front-end formulierenVerbeterde optie pagina'sBetere validatieBetere versie controlesBlokBeide (Array)Bulk actiesActiesButton groepButton labelAnnuleerOnderschriftCategorieënStandaard locatieBepaal de standaard locatie van de kaartWat is er nieuw?Karakter limietControleer op updatesCheckboxSubpaginaKeuzeKeuzesWissenWis locatieKlik op de "%s" button om een nieuwe lay-out te makenKlik om TinyMCE te initialiserenKlik om in/uit te klappenSluitenVeld sluitenVenster sluitenVerberg detailsIngeklaptKleurprikkerMet komma's gescheiden lijst. Laat leeg voor alle types.ReactieReactiesConditionele logicaKoppel geselecteerde terms aan een postInhoudContent editorBepaal wat er gebeurt met een nieuwe tekstregelVoorwaarden toevoegenMaak regels aan om te bepalen op welk edit screen jouw extra velden verschijnenHuidige kleurHuidige gebruikerHuidige gebruikersrolHuidige versieExtra veldenEigen invoer:Pas WordPress aan met krachtige, professionele en slimme velden.Wijzig de hoogte van de kaartDatabase upgrade vereistDatabase upgrade afgerond. <a href="%s">Terug naar netwerk dashboard</a>Database upgrade afgerond. <a href="%s">Bekijk wat nieuw is</a>DatumprikkerGereedVandaagVolgendeVorigeWk Datum tijd pickerAMAGereedNuUurMicrosecondeMillisecondeMinuutPMPSecondeSelecteerKies tijdTijdTijdzoneLicentiecode deactiverenStandaard waardeStandaard templateStandaard waardeVertraag initialisatie?VerwijderVerwijder layoutVerwijder veldOmschrijvingReagerenToonWeergeven alsGeeft tekst weer naast de checkboxDocumentatieDownload & installeerDownload export bestandSleep om te sorterenDupliceerDupliceer layoutDupliceer veldDupliceer dit itemGemakkelijk upgradenBewerkBewerk veldBewerk groepBewerk bestandBewerk afbeeldingBewerk veldBewerk groepElementenElliot CondonE-mailEmbed formaatEindpuntVul URL inPer regel een keuzePer regel de naam van een keuzeFout bij het uploaden van bestand. Probeer het nog eensFout bij validerenFout.Escape HTMLSamenvattingToon detailsExporteer groepenExporteer groep(en) naar PHPUitgelichte afbeeldingVeldNieuwe groepGroepenVeld keysVeld labelVeld naamSoort veldGroep verwijderd.Groep concept bijgewerkt.Groep gedupliceerd. %sGroep gepubliceerd.Groep opgeslagen.Groep gepland voor.Nieuwe groep instellingen zijn toegevoegd om label en instructies toe te voegenGroep toegevoegd.Groep gesynchroniseerd. %sTitel is verplichtGroep bijgewerkt.Groepen met een lage volgorde worden als eerst getoondVeld type bestaat nietVeldenVelden kunnen nu worden toegewezen aan reacties, widgets en gebruikersformulieren!BestandBestand ArrayBestands-IDBestands-URLBestandsnaamBestandsgrootteBestandsgrootte moet tenminste %s zijn.Bestand mag niet groter zijn dan %s.Bestandstype moet %s zijn.Filter op post typeFilter op taxonomyFilter op rolFiltersZoek huidige locatieFlexibele contentFlexibele content vereist minimaal 1 layoutOm meer controle te krijgen over de keuzes, kun je de naam en het label van elkaar scheiden. Dit doe je op de volgende manier:Formulier validatie gaat nu via PHP + AJAX. Indien gewenst kan dit ook via JSFormatFormulierenHoofdpaginaVolledige grootteGalerijGenereer export codeVaarwel Add-ons. Hallo PRO!Google MapGroepGroep (toont geselecteerde velden in een groep binnen dit veld)HoogteVerberg elementenHoog (onder titel)HorizontaalIndien meerdere groepen op het bewerk scherm worden getoond, komt de groep met de laagste volgorde als eerste.AfbeeldingAfbeelding ArrayAfbeelding IDAfbeelding URLAfbeelding hoogte moet tenminste %dpx zijn.Afbeelding mag niet hoger zijn dan %dpx.Afbeelding breedte moet tenminste %dpx zijn.Afbeelding mag niet breder zijn dan %dpx.ImporteerImporteren / Exporteren gaat nu via JSON. Indien gewenst kan er XML worden gebruiktImporteer groepenImporteer bestand is leeg1 groep geïmporteerd%s groepen geïmporteerdVerbeterde dataVerbeterd designGebruikersvriendelijkerNiet actiefInactief <span class="count">(%s)</span>Inactief <span class="count">(%s)</span>Inclusief de populaire Select2 bibliotheek, die zowel gebruikersvriendelijker als sneller werkt bij velden als post object, pagina link, taxonomy en selecteer.Ongeldig bestandstypeInformatieInvoegenGeïnstalleerdInstructie positioneringInstructiesToelichting voor gebruikers. Wordt getoond bij invullen van het veld.ACF PROHet is aan te raden om eerst een backup van de database te maken voordat je de update uitvoert. Weet je zeker dat je de update nu wilt uitvoeren?SleutelLabelLabel positioneringLabels worden getoond als %sGrootNieuwste versieLayoutLaat leeg voor geen limietLinks naast veldenLengteBibliotheekLicentie informatieLicentiecodeLimiteer de keuze van bestanden. Kies voor de gehele media bibliotheek, of alleen de bestanden die geüpload zijn naar de post.LinkLink arrayLink URLVoorwaarden ladenWaarde ophalen van posts termsLadenLocal JSONLocatie wordt gezocht...LocatieIngelogdVele velden hebben een make-over gekregen. Nu oogt ACF beter dan ooit! Merkwaardige verschillen vindt je onder andere terug bij de galerij, relatie en oEmbed velden!MaxMaximaalMaximale layoutsMaximum aantal rijenMaximale selectieMaximale waardeMaximum aantal selectiesMaximum aantal rijen bereikt ({max} rijen)Maximale selectie bereiktMaximum aantal waarden bereikt ( {max} waarden )Maximum {label} limiet bereikt ({max} {identifier})GemiddeldMenuMenu itemMenu locatiesMenu’s BerichtMinMinimaalMinimale layoutsMinimum aantal rijenMinimale selectieMinimale waardeMinimale berichtenMinimum aantal rijen bereikt ({max} rijen)Minimaal aantal bereikt ( {min} stuks )Meer AJAXSteeds meer velden maken gebruik van AJAX gestuurde zoekopdrachten. Dit maakt het laden een stuk snellerVerplaatsVerplaatsen geslaagd.Verplaats extra veldVeld verplaatsenVerplaats veld naar een andere groepNaar prullenbak. Weet je het zeker?Velden verplaatsenMulti-selecteerMeerdere waardesNaamTekstNieuw veldNieuwe groepNieuwe formulierenNieuwe galerijNieuwe regelsNieuwe relatieveld instellingen voor filters (Zoeken, Post Type en Taxonomy)Nieuwe instellingenNieuwe archief groep in pagina_link veldNieuw is het automatisch exporteren naar JSON. Dit voorkomt problemen tijdens het upgraden van ACF.Het automatisch exporteren naar JSON maakt alles een stuk snellerNieuwe veld groep functionaliteiten laat je velden tussen groepen verplaatsen.De opties pagina's kunnen nu worden voorzien van zowel hoofd als sub-pagina'sNeeEr zijn geen groepen gevonden voor deze optie pagina. <a href="%s">Maak een extra velden groep</a>Geen groepen gevondenGeen groepen gevonden in de prullenbakGeen velden gevondenGeen velden gevonden in de prullenbakNiets ondernemenGeen embed mogelijkheid gevonden voor de gewenste URL.Geen groepen geselecteerdGeen velden. Klik op <strong>+ Nieuw veld</strong> button om je eerste veld te maken.Geen bestanden geselecteerdGeen afbeelding geselecteerdGeen gelijkenis gevondenEr zijn nog geen optie pagina'sGeen %sGeen aan/uit velden beschikbaarGeen updates beschikbaar.GeenNormaal (onder tekstverwerker)NulNummerOff tekstOn tekstOpent in een nieuw venster/tabOptiesOpties paginaOpties bijgewerktVolgordeVolgorde nummerAnders namelijkPaginaPagina-attributenPagina linkPagina hoofdPagina templatePagina typeHoofdHoofdpagina (bevat subitems)HoofdpaginaWachtwoordPermalinkPlaatsvervangende tekstPlaatsingZorg ervoor dat elke premium add-ons (%s) eerst zijn bijgewerkt naar de laatste versie.Vul uw licentiecode hierboven in om updates te ontvangenSelecteer de bestemming voor dit veldPositieBerichtBericht categorieBericht formatPost IDPost objectStatusBericht taxonomyBericht templatePost typeBericht bijgewerktBerichten paginaKrachtige functiesPrefix veld labelsPrefix veld namenVoorvoegselVoeg een extra checkbox toe aan het begin om alle keuzes te selecterenToevoegen aan het beginAfmeting voorbeeldProPubliceerRadio buttonRadio buttonsReeksLees meer over de <a href="%s">ACF PRO functionaliteiten</a>.Lezen van upgrade taken…Het herontwerp van de dataverwerking zorgt ervoor dat velden los van hun hoofdvelden kunnen functioneren. Hiermee wordt het mogelijk om velden te drag-and-droppen tussen hoofdvelden.RegistreerRelatieRelatieRelatie veldVerwijderVerwijder layoutVerwijder regelHerorderHerorder layoutHerhalenVerplicht?Documentatie (Engels)Bepaal welke bestanden geüpload mogen wordenBepaal welke afbeeldingen geüpload mogen wordenVerplichtOutput weergeven alsOutput weergeven alsKeer volgorde omControleer websites & upgradeRevisiesRijRijenRegelsSla ‘eigen invoer’ waarden op als veld keuzesVoeg de ingevulde "anders namelijk" waarde toe aan de keuzelijst na het opslaan van een postEigen invoer opslaanIndeling opslaanAnders namelijk waarde toevoegen aan keuzes?Voorwaarden opslaanNaadloos (zonder WordPress metabox)Naadloos (vervangt dit veld met de geselecteerde velden)ZoekenZoek groepenZoek veldenZoek een adres...Zoeken...Bekijk wat nieuw is in <a href="%s">versie %s</a>.Selecteer %sSelecteer kleurSelecteer groepenSelecteer bestandSelecteer afbeeldingSelecteer linkSelecteer een sub-veld om te tonen wanneer rij dichtgeklapt isMeerdere selecties mogelijk?Selecteer een of meer velden om te klonenSelecteer post typeSelecteer taxonomySelecteer het Advanced Custom Fields JSON bestand die je wilt importeren. Klik op de importeer button om het importeren te starten.Selecteer het uiterlijk van dit veldSelecteer de groepen die je wilt exporteren. Maak vervolgens de keuze om de groepen te downloaden als JSON bestand, of genereer de export code in PHP formaat. De PHP export code kun je integreren in je thema.Selecteer de weer te geven taxonomie Verwijderd 1 tekenVerwijder %d tekensVul 1 of meer tekens inVul %d of meer tekens inLaden misluktLaad meer resultaten&hellip;Geen resultatenEén resultaat beschikbaar, toets enter om te selecteren.%d resultaten beschikbaar, gebruik de pijltjes toetsen om te navigeren.Zoeken&hellip;Je kunt maar 1 item selecterenJe kunt maar %d items selecterenSelecteer de elementen die moeten worden getoond in elk resultaatTrackbacks verzendenScheidingstekenBepaal het zoom niveau van de kaartHoogte (in regels) voor dit tekstvlakInstellingenToon media upload buttons?Toon deze groep alsToon dit veld alsToon in groeplijstVoorbeeld wordt na het uploaden/selecteren getoondZuster veldenZijkantEnkele waardeEnkel woord, geen spaties. (Liggende) streepjes toegestaan.WebsiteWebsite is up-to-dateWebsite vereist een database upgrade van %s naar %sSlugSlimmere veld instellingenExcuses, deze browser ondersteund geen geolocatieSorteer op datum aangepastSorteer op datum geüploadSorteer op titelSpam gedetecteerdBepaal hier de output weergaveKies de gebruikte stijl bij het renderen van het gekloonde veldKies de gebruikte stijl bij het renderen van de geselecteerde veldenBepaal hier de output weergaveGeef aan waar nieuwe bijlagen worden toegevoegdStandaard (WordPress metabox)StatusStapgrootteStijlUitgebreide weergaveSub-veldenSuper beheerderSupportXML is vervangen door JSONSynchroniseerSynchronisatie beschikbaarSynchroniseer groepTabTabelTabbladenTagsTaxonomyTaxonomy termTerm IDTerm objectTekstTekstvlakAlleen tekstTekst die verschijnt bij actiefTekst die verschijnt bij inactiefBedankt voor het ontwikkelen met <a href="%s">ACF</a>.Bedankt voor het updaten naar %s v%s!Bedankt voor het updaten! ACF %s is groter dan ooit tevoren. We hopen dat je tevreden bent.Het veld: %s bevindt zich nu in de groep: %sDe gemaakte wijzigingen gaan verloren als je deze pagina verlaatDe volgende code kun je integreren in je thema. Door de groep(en) te integreren verhoog je de laadsnelheid. Kopieer en plak deze in code in functions.php, of maak een nieuw PHP bestand aan.Er is een database upgrade nodig voor de volgende websites. Controleer degene die je wilt updaten en klik %s.De weergave tijdens het aanmaken/bewerken van een postDe weergave in het themaHet formaat bij opslaan van waardeHet galerij veld heeft een complete facelift ondergaanDe string "field_" mag niet voor de veld naam staanDeze tab zal niet correct worden weergegeven in een herhalende tabelDit veld kan niet worden verplaatst totdat de wijzigingen zijn opgeslagenDit veld heeft een limiet van {max} {identifier}Dit veld vereist op zijn minst {min} {identifier}Dit veld vereist op zijn minst {min} {label} {identifier}De naam die verschijnt op het edit screenThumbnailTijd pickerTinyMCE wordt niet geïnitialiseerd tot veld is aangekliktTitelOm updates te ontvangen vul je op <a href="%s">Updates</a> pagina je licentiecode in. Nog geen licentiecode? Bekijk <a href="%s" target="_blank">details & prijzen</a>.Om upgraden gemakkelijk te maken kun je <a href="%s">inloggen met je bestaande winkelaccount</a> en een gratis versie van ACF PRO claimen!Om updates te ontvangen vul je hieronder je licentiecode in. Nog geen licentiecode? Bekijk <a href="%s" target="_blank">details & prijzen</a>.SwitchSelecteer alleToolbarToolsHoofdpagina (geen hoofd)Boven veldenWaar / niet waarSoortOnder de motorkapOnbekendOnbekend veldOnbekend groepBijwerkenUpdate beschikbaarUpdate bestandUpdate afbeeldingUpdate informatieUpdate pluginUpdatesUpgrade databaseUpgrade opmerkingUpgrade websitesUpgrade afgerondBezig met upgraden naar versie %sGeüpload naar postGeüpload naar deze postURLGebruik tabbladen om velden in het edit screen te organiseren.AJAX gebruiken om keuzes te laden?Gebruik dit veld als eindpunt en startpunt van een groep tabbladenGebruikerGebruiker formulierRolGebruiker is niet in staat om nieuwe %s toe te voegenValideer e-mailValidatie misluktValidatie geslaagdWaardeWaarde moet numeriek zijnWaarde moet een geldige URL zijnWaarde moet gelijk of meer dan zijn %dWaarde moet gelijk of minder zijn dan %dWaarden worden opgeslagen als %sVerticaalNieuw veldBekijk groepBekijk achterkantBekijk voorkantVisueelVisueel & tekstAlleen visueelWe hebben een speciale <a href="%s">upgrade gids</a> gemaakt om al je vraagstukken te beantwoorden. Indien je een uitgebreidere vraag hebt, kun je contact opnemen met de <a href="%s">helpdesk</a> (Engelstalig).Wij denken dat u de wijzigingen en vernieuwingen zult waarderen in versie %s.We veranderen de manier waarop premium functies worden geleverd, op een gave manier!WebsiteWeek start opWelkom bij Advanced Custom FieldsWat is er nieuwWidgetBreedteVeld-attributenWysiwyg editorJaInzoomenacf_form() kan nu posts aanmaken/toevoegen na goedkeuringenaangevinktclasskopiehttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idgelijk is aanis niet gelijk aanjQuerylayoutlayoutsKloonSelecteeroEmbedofrood : Roodverwijder {layout}?BewerkSelecteerBijwerkenBreedte{available} {label} {identifier} beschikbaar (max {max}){required} {label} {identifier} verplicht (min {min})PK�[��±��lang/acf-it_IT.monu�[������4�L*x8y8�8�86�8:�8D"9g9
|9
�9�9�90�9)�9=:0R:"�:��:;K;	�;�;�;M�;�;-�;
)<4<	=<G<\<
d<r<�<�<
�<�<�<�<�<�<�<'�<$=?=C=�R=*>
I>T>c>r>!�>�>�>A�>?,?4??t?�?
�?�?�? �?�?@
@@%@
.@
<@G@N@k@�@c�@�@�@A#A8AJAaAgAtA�A�A�A�A�A
�A�A�A	�A�A�ABB'B.B6B<B9KB�B�B�B�B�B�B	�B�B/�B(C0C9C"KCnCvC#�C�C�C�C[�C
+D9DFDXD
hDvDE~D�D�DG�D:?EzE�E �E�E�E�EF-F!KF"mF#�F!�F,�F,G%0GVG!tG%�G%�G-�G!H*2H]HpHxH
�HZ�HV�HII_I
fItI�I
�I�I�I,�I$�I
JJ"J	2J<JMJ]JqJ�J
�J�J	�J
�J
�J�J�J
�J�J
�J�J	K 
K&.K&UK|K�K�K�K�K�K�K1�KL L&L2L
?LJL
VL
aLlL�L�L�L�L�LR�LOMfM�M�M1�M�MNA	NKN
PN[NcN	lN	vN�N"�N�N�N�N�NOO,O+=OCiO?�O�O�O
�O	PPP$P
?PJP=PP
�P�P�P�P�P
�P��PdQjQvQ	Q#�Q"�Q"�Q!�Q.RDRXRdR/vR
�R�R�R�RQ�R�2S�S�S�S	�S�ST4!TVTyjT�T�T�T�TU#U2U9URU_UfUnU�U�U�U
�U�U
�U�U�U
�UV		V�V�V�V�V�V�V
�V
�V!W-W'GW2oW�W�W	�W�W�W�W�W�W�W�W�W
X
X!,X	NX<XX�X�X�X
�X�X�X
�X
YY'Y7Y1<Y	nYxY	�Y�Y	�YJ�Y�Y/ZN0Z.ZQ�ZQ[R[`U[�[�[�[�[
\"\T;\�\�\�\�\�\�\]]]!](]1]9]>]X]`]m]}]	�]�]�]�]	�]�]
�]	�]�]�]�]	^^	^Z&^5�^,�^�^�^
�^___ _
,_
:_	H_R_
__j_|_�_�_/�_�_�_``
`
`(`2.`a`�z`"a
+a6aCaVa
]a
kava~a�a	�a	�a$�a%�a
�a
bbb1b	HbRbVb[b+ab*�b�b�b
�b
�b�b3�b0c7c
KcYc	oc.yc	�c�c�c�c�c�c0�c)d+Admd~d��d#eBe#Qf5uf7�f>�f?"g#bg1�g%�gG�gV&h&}h:�h<�h2iOiii�i	�i�i�i�i�i�ijj8jQjVj6cj�j�j,�j�j�j0�j,kBk
Xk
fk'tk0�k4�kl'lEl[l	blllrl
~l�l�l�l�l�l�l�l�l�l�l�l�lmm	m	m(m?m1Xm!�mZ�m3nE;nA�n^�o("p*Kp#vp6�p@�p<q,Oq/|q7�q3�q	r"r5.rdr�jrks�}st
t't/t5tPt\titnt}t
�t�t�t�t�t�t�t
�t�tuu
!u/u@u]unu�u�u�u
�u	�u�u�u	�u�u�uvv0v6vEvWvmv�v�v�v�v(�v'w.wIw
Rw]wnww�w
�w�w��w'VxM~x�x�x!�x
yyyy0y?yCy2Hy{yy�y�y�y%�y�y�y�y�y�yz

zz!z(z	+z5z	FzPz\zhz6nz4�zX�z"3~V~b~3q~;�~K�~-G[k|@�4�K�:^�0���ʀE��ρہ�M�?�<H���
������ق����
/�=�M�
c�q�������.Ń���2(� [�|�������.̅���0�K�%[�B��Ć	܆���#�@�_�h�}���������#��"͇�|��r�~�������Ԉ�����,�;�M�
U�	`�j�q�����
������؉߉��@�� @�a�v�}�����
����9Ɗ�	��%$�	J�T�/e�������{��:�J�Z�p�����D��+� �R9�I��֍���
���	���!�'�+�/�<�I�P�S�U�	]�g�t�{���������mƎi4�������я��
���>�6]�������Аؐ
���
�"�+�:�
P�^�p����
������‘
ˑ)ّ3�+7�c�����������Ē:ђ�&�,�8�	D�N�
^�
i�w�����˓���w�����&���H��G�c�Ti���
ÕΕ֕	ߕ�/��-)�%W�}�������–ۖ)�^�Iy�×˗җ���
��!	�
+�6�N=���������И�����������3Ù1��6)�4`�3��ɚޚ�1�2�I�b�x�Q���ӛ]�t�	��
����
��K�������	��Ɲ'ߝ��� %�F�	^�h�q���-��ƞ
˞֞ߞ"���	)�3��?�����
��'�6�%C�i�)��5����
���
�	�� �
'�5�B�
S�a�$m�	��U������-�:�A�a�s�������������Ԣ��U��Q�6d�f��I�[L�]���w	���(��ǥ ܥ�� �\4�����Ŧ ֦	��!�#�+�D�J�Q�a�n�!s���������˧ڧ������'�6�?�Z�	c�m�	~�m��B��59�	o�y�~�������
����
ʩ	ة�����-�A�BJ���������
Ī
Ҫ
�?�&+��R���	*�4�D�L�[�h�q�
��
����1��5Ѭ��#�5�M�	i�s�x�~�9��-���
��
�*�EG�����
����ͮ=ٮ�$�5�H�W�j�Ly�Ư4߯�(��=�$�O�#[����&�� ޲��#�7�7P�E��γ ߳)�@*�k�����
��#��#ٴ��!
�,�K�b�&������C����9�V�([�;����ٶ��
	�.�@F�F�� η0� �6�<�L�
R�	`�j�v��������Ÿ̸Ը۸
߸
����
�
�#'�K�0j�$��^��4�GT�f��n�6r�/��9ټ7�JK�Z��/�;!�7]�5��	˾վI�2��9�~
����H�O�_�	g�%q�������������
�
'�5�G�e�
u���������#�����&�&*�Q�X�e�	q�{���%������!�����*�@�R�i���$��-��-��!'�	I�S�d�|������������)��<������#�2�E�	L�V�l�{�~�9������������%����*�:�A�H�O�	U�_�f�
h�v���	����	��8��5��LE��W_t���B2U�9��%(��uD�yU[�J:y$)���c>L����D]9�^1V�!RXO�
x+]�'�4����!��R ��8��-��{��,~�|�87�h��-7rx(`��2'���60����>�Mi�f���^��;�e&!w\#uf`+�O����H��I�5�ko�0��/�<��A�_S��Zv����h��s��
������vnE�*�=�/��P���m2z�j�C�B*�In-���$V�Kq3Tk|.�Z',�l���s��F�\��d^�6d�A�D��<���@P��	d�9���/�e��\.�]�B7���W���4$}T�=Q	*t��")?nU
5GMo�&�r�:�|aF�N����	�T��W;)Gs��6X@V4RQcZh��~K��Cr��H�G���5??��{3�J
�Yp�I�O�}��H��3�l
��zY�P������#j �p���f��i�q��o�g%gb�L;[[�������������{��wc1� e}�������a=+�l�X��
�S���S�_�.���y<���j���#���w�%~�8E>�,��(�p"�:�Kb������m�`Qv�J1FM�xub�0Y��m�z�����kA����@N�����i&��C���qt����aN�g"%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsAccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Has any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import / Export now uses JSON in favour of XMLImport Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2018-04-16 17:11+1000
PO-Revision-Date: 2018-07-16 09:34+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Elliot Condon <e@elliotcondon.com>
Language: it_IT
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 1.8.1
X-Loco-Target-Locale: it_IT
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d Campi necessitano di attenzioni%s aggiunto%s esiste già%s Field Group duplicato.%s Field Group duplicati.%s Field Group sincronizzato.%s Field Group sincronizzati.%s richiede la selezione di almeno %s%s richiede le selezioni di almeno %sIl valore %s è richiesto(nessuna etichetta)(nessun titolo)+ Aggiungi Campo1 Campo necessita di attenzioni<b>Errore</b>.Impossibile connettersi al server di aggiornamento<b>Errore</b>. Impossibile caricare l'elenco Add-ons<b>Seleziona</b> gli elementi per <b>nasconderli</b> dalla pagina Modifica.È stato aggiunto un nuovo campo per incorporare contenutiCampi Personalizzati come non li avete mai vistiACF PRO contiene caratteristiche impressionanti come i Campi Repeater, Flexible Layout, Gallery e la possibilità di creare Options Page (pagine opzioni di amministrazione) personalizzabili!ACF ora salva le impostazioni dei Campi come oggetti Post individualiFisarmonicaAttiva LicenzaAttivoAttivo <span class="count">(%s)</span>Attivo <span class="count">(%s)</span>AggiungiAggiungi scelta 'altro' per consentire valori personalizzatiAggiungi / ModificaAggiungi fileAggiungi ImmagineAggiungi Immagine alla GalleriaAggiungi NuovoAggiungi Nuovo CampoAggiungi Nuovo 
Field GroupAggiungi Nuovo LayoutAggiungi RigaAggiungi LayoutAggiungi nuova sceltaAggiungi rigaAggiungi gruppo di regoleAggiungi a GalleriaAdd-onsCampi Personalizzati AvanzatiAggiornamento Database 
Advanced Custom FieldsAdvanced Custom Fields PROTuttiTutti i formati %sParallelamente ACF5 è la versione tutta nuova di <a href="%s">ACF5 PRO</a>! Questa versione PRO include tutti e 4 i componenti aggiuntivi premium (Repeater, Gallery, Flexible Content e Pagina Opzioni) e con le licenze personali e di sviluppo disponibili, funzionalità premium è più conveniente che mai!Tutti i campi dal %s field groupTutte le immaginiTutti i tipi di postTutte le TassonomieTutti i ruoli utenteConsenti valori 'personalizzati' da aggiungereConsentire URL degli ArchiviConsenti PersonalizzatoVisualizza HTML come testoConsenti Nullo?Abilita la creazione di nuovi TerminiPermetti a questa fisarmonica di aprirsi senza chiudere gli altri.Tipologie File permesseTesto AltAspettoAccodare dopo l'inputAppare prima dell'inputAppare quando si crea un nuovo postAppare nella finestra di inputAccodareAggiungere alla fineApplicaArchiviSei sicuro?AllegatoAutoreAggiungi automaticamente &lt;br&gt;Aggiungi automaticamente paragrafiBasePrima di iniziare ad utilizzare queste nuove fantastiche funzionalità, aggiorna il tuo Database alla versione più attuale.Sotto campiSotto etichetteForme Anteriori miglioriMigliori Pagine OpzioniValidazione MiglioreMigliore versione di controlloBloccoEntrambi (Array)Azioni di massaAzioni in bloccoGruppo BottoniEtichetta BottoneAnnullaDidascaliaCategorieCentroCentrare la mappa inizialeNovitàLimite CarattereRicontrollareCheckboxPagina Figlio (ha Genitore)ScegliScelteChiaroPulisci posizioneClicca il bottone "%s" qui sotto per iniziare a creare il layoutClicca per inizializzare TinyMCEClicca per alternareChiudiChiudi CampoChiudi FinestraChiudi DettagliCollassataSelettore coloreLista separata da virgole. Lascia bianco per tutti i tipiCommentoCommentiCondizione LogicaCollega i Termini selezionati al PostContenutoEditor ContenutoControlla come le nuove linee sono renderizzateCopiatoCopia negli appuntiCrea TerminiCreare un insieme di regole per determinare quale schermate in modifica dovranno utilizzare i campi personalizzati avanzatiColore CorrenteUtente correnteRuolo Utente correnteVersione correnteCampi PersonalizzatiPersonalizzato:Personalizza WordPress con campi potenti, professionali e intuitivi.Personalizza l'altezza della mappa inizialeAggiornamento Database richiestoAggiornamento Database completato. <a href="%s">Ritorna alla Network Dashboard</a>Aggiornamento del database completato. <a href="%s">Guarda le novità</a>Selettore dataFattoOggiProssimoPrecedenteSettSelettore data/oraAMAFattoOraOreMicrosecondoMillisecondoMinutoPMPSecondoSelezionaScegli tempoOrarioFuso orarioDisattivare LicenzaDefaultTemplate DefaultValore di defaultDefinisce un endpoint per la precedente fisarmonica che deve fermarsi. Questa fisarmonica non sarà visibile.Definire un endpoint per le schede precedenti da interrompere. Questo avvierà un nuovo gruppo di schede.Ritardo inizializzazione?CancellaCancella LayoutCancella CampoDescrizioneDiscussioneVisualizzaFormato di visualizzazioneMostra questa fisarmonica aperta sul caricamento della pagina.Visualizza il testo a fianco alla casella di controlloDocumentazioneScarica & InstallaTrascinare per riordinareDuplicaDuplica LayoutDuplica CampoDuplica questo elementoAggiornamento facileModificaModifica CampoModifica 
Field GroupModifica FileModifica ImmagineModifica CampoModifica Field GroupElementiElliot CondonEmailDimensione EmbedEndpointInserisci URLImmettere ogni scelta su una nuova linea.Immettere ogni valore di default su una nuova lineaErrore caricamento file. Per favore riprovaErrore di convalida richiestaErrore.Escape HTMLEstrattoEspandi DettagliEsporta 
Field GroupEsporta fileEsportato 1 gruppo di campi.Esportati %s gruppi di campi.Immagine di presentazioneCampoField GroupField GroupField KeyEtichetta CampoNome CampoTipo di CampoField Group
 cancellato.Bozza 
Field Group
 aggiornata.Field Group
 duplicato. %sField Group
 pubblicato.Field Group
 salvato.Field Group
 previsto.Sono state aggiunte impostazioni di gruppo sul Campo per l'inserimento dell'etichetta e il posizionamento di istruzioniField Group
 inviato.Field Group
 sincronizzato. %sIl titolo del Field Group è richiestoField Group
 aggiornato.Field groups come inizialmente viene visualizzato in un ordine inferioreIl tipo di Campo non esisteCampiI campi possono essere mappati con i commenti, widget e tutte le forme degli utenti!FileFile ArrayFile IDFile URLNome fileDimensione FileLa dimensione massima deve essere di almeno %s.La dimensione massima non deve superare i %s.La tipologia del File deve essere %s.Filtra per tipo di PostFitra per tassonomiaFiltra per ruoloFiltriTrova posizione correnteContenuto FlessibileFlexible Content richiede almeno 1 layoutPer un maggiore controllo, è possibile specificare sia un valore ed etichetta in questo modo:Validazione del form ora avviene tramite PHP + AJAX in favore del solo JSFormatoModuliPagina PrincipaleDimensione pienaGalleriaGenera PHPCiao, ciao Add-ons. Benvenuto PROGoogle MapGruppoGruppo (Visualizza campi selezionati in un gruppo all'interno di questo campo)Ha qualunque valoreNon ha un valoreAltezzaNascondi nello schermoAlto (dopo il titolo)OrizzontaleSe più gruppi di campi appaiono su una schermata di modifica, verranno usate le opzioni del primo Field Group usato (quello con il numero d'ordine più basso)ImmagineArray ImmagineID ImmagineURL ImmagineL'altezza dell'immagine deve essere di almeno %dpx.L'altezza dell'immagine non deve superare i %dpx.La larghezza dell'immagine deve essere di almeno %dpx.La larghezza dell'immagine non deve superare i %dpx.Importa / Esporta ora utilizza JSON a favore di XMLImporta 
Field GroupImporta fileFile importato vuotoImportato 1 field groupImportati %s field groupsMiglioramento dei datiMiglioramento del DesignMigliorata UsabilitàInattivoInattivo <span class="count">(%s)</span>Inattivo <span class="count">(%s)</span>Inclusa la famosa biblioteca Select2, che ha migliorato sia l'usabilità, che la velocità di Campi come Post, Link, Tassonomie e Select.Tipo file non correttoInformazioniInserisciInstallatoPosizionamento IstruzioneIstruzioniIstruzioni per gli autori. Mostrato al momento della presentazione dei datiIntroduzione ACF PROSi raccomanda vivamente di eseguire il backup del database prima di procedere. Sei sicuro che si desidera eseguire il programma di aggiornamento adesso?ChiaveEtichettaPosizionamento etichetteEtichette verranno visualizzate come %sGrandeUltima versioneLayoutLasciare vuoto per nessun limiteAllineamento a sinistraLunghezzaLibreriaInformazioni LicenzaChiave di licenzaLimitare la scelta alla libreria multimedialeLinkLink ArrayLink URLCarica TerminiCarica valori dai Termini del PostCaricamentoJSON localePosizioneAutenticatoMolti Campi hanno subito un aggiornamento visivo per rendere ACF un aspetto migliore che mai! Notevoli cambiamenti li trovate nei Campi Gallery, Relazioni e oEmbed (nuovo)!MaxMassimoLayout MassimiRighe MassimeSeleziona MassimaValore MassimoPost massimiRighe massime raggiunte ({max} righe)Selezione massima raggiuntaValori massimi raggiunti ( valori {max} )Massimo {label} limite raggiunto ({max} {identifier})MedioMenuMenu ElementoPosizione MenuMenuMessaggioMinMinimoLayout MinimiRighe MinimeSeleziona MinimaValore MinimoPost minimiRighe minime raggiunte ({min} righe)Più AJAXAltri campi utilizzano la ricerca di AJAX per velocizzare il caricamento della paginaSpostaSpostamento Completato.Sposta Campo PersonalizzatoSposta CampoSpostaSposta nel cestino. Sei sicuro?Spostamento CampiSelezione MultiplaEspansione multiplaValori MultipliNomeTestoNuovo CampoNuovo 
Field GroupNuovi FormeNuova GalleriaNuove LineeNuove Impostazione Campo Relazione per i 'Filtri' (Ricerca, Tipo di Post, Tassonomia)Nuove ImpostazioniNuovo gruppo archivi in materia di selezione page_linkNuova esportazione automatica di funzione JSON consente impostazioni dei campi da versione controllatiNuovo esportazione automatica di funzionalità JSON migliora la velocitàLa nuova funzionalità di Field Group consente di spostare un campo tra i gruppi e genitoriNuove funzioni per la Pagina Opzioni consentono la creazione di pagine menu genitore e figlioNoNessun Field Group personalizzato trovato in questa Pagina Opzioni. <a href="%s">Crea un Field Group personalizzato</a>Nessun 
Field Group
 TrovatoNessun 
Field Group
 trovato nel cestinoNessun Campo trovatoNessun Campo trovato nel cestinoNessuna formattazioneNessun 
Field Group
 selezionatoNessun Campo. Clicca il bottone <strong>+ Aggiungi Campo</strong> per creare il primo campo.Nessun file selezionatoNessun immagine selezionataNessun risultatoNessuna Pagina Opzioni esistenteNessun %sNessun aggiornamento disponibile.NessunoNormale (dopo contenuto)NulloNumeroTesto DisattivoTesto AttivoApriApri in una nuova scheda/finestraOpzioniPagina OpzioniOpzioni AggiornateOrdinamentoN. OrdinamentoAltroPaginaAttributi di PaginaLink PaginaGenitore PaginaTemplate PaginaTipo di PaginaGenitorePagina Genitore (ha Figli)PasswordPermalinkTesto segnapostoPosizioneSi prega di assicurarsi che anche i componenti premium (%s) siano prima stati aggiornati all'ultima versione.Inserisci il tuo codice di licenza per sbloccare gli aggiornamentiPer favore seleziona la destinazione per questo CampoPosizionePostCategoria PostFormato PostID PostOggetto PostStato PostTassonomia PostTemplate PostTipo PostPost aggiornatoPagina PostPotenti funzionalitàPrefisso Etichetta CampoPrefisso Nomi CampoAnteponiInserisci un Checkbox extra per poter selezionare tutte le opzioniAnteporre all'inizioDimensione AnteprimaPROPubblicaBottone RadioBottoni RadioIntervalloScopri di più sulle <a href="%s">funzionalità di ACF PRO</a>.Lettura attività di aggiornamento ...Ridisegnare l'architettura dei dati ha permesso ai Sotto-Campi di vivere in modo indipendente dai loro Genitori. Ciò consente di trascinare e rilasciare i Campi dentro e fuori i Campi Genitore!RegistraRelazionaleRelazioniCampo RelazioneRimuoviRimuovi LayoutRimuovi rigaRiordinaRiordina LayoutRipetitoreRichiesto?RisorseLimita i tipi di File che possono essere caricatiLimita i tipi di immagine che possono essere caricatiLimitatoFormato di ritornoValore di ritornoOrdine corrente inversaRivedi siti e aggiornamentiRevisioniRigaRigheRegoleSalvare i valori 'personalizzati' per le scelte del campoSalvare i valori 'altri' alle scelte di campoSalva PersonalizzatoSalva FormatoSalva AltroSalva TerminiSenza giunte (senza metabox)Senza interruzione (sostituisce questo campo con i campi selezionati)RicercaCerca 
Field GroupRicerca CampiCerca per indirizzo...Ricerca ...Guarda cosa c'è di nuovo nella <a href="%s">versione %s</a>.Seleziona %sSeleziona coloreCerca 
Field GroupSeleziona FileSeleziona ImmagineSeleziona LinkSelezionare un campo secondario da visualizzare quando la riga è collassataSelezionare più valori?Selezionare uno o più campi che si desidera clonareSeleziona Post TypeSeleziona TassonomiaSelezionare il file JSON di Advanced Custom Fields che si desidera importare. Quando si fa clic sul pulsante di importazione di seguito, ACF importerà i 
Field Group
.Seleziona l'aspetto per questo CampoSelezionare i 
Field Group
 che si desidera esportare e quindi selezionare il metodo di esportazione. Utilizzare il pulsante di download per esportare in un file .json che sarà poi possibile importare in un'altra installazione ACF. Utilizzare il pulsante generare per esportare il codice PHP che è possibile inserire nel vostro tema.Seleziona la Tassonomia da mostrarePer favore cancella 1 carattereCancellare %d caratteriPer favore inserire 1 o più caratteriInserisci %d o più caratteriCaricamento fallitoCaricamento altri risultati&hellip;Nessun riscontro trovatoUn risultato disponibile, premi invio per selezionarlo.%d risultati disponibili, usa i tasti freccia su e giù per scorrere.Cercando&hellip;Puoi selezionare solo 1 elementoÈ possibile selezionare solo %d elementiGli elementi selezionati verranno visualizzati in ogni risultatoSelezione è maggiore diSelezione è meno diInvia TrackbacksSeparatoreImposta il livello di zoom inizialeImposta le righe dell'area di testoImpostazioniMostra Bottoni caricamento Media?Mostra questo 
Field Group
 seMostra questo Campo seMostrato in lista field groupMostrato durante l'immissione dei datiA latoValore SingoloSingola parola, nessun spazio. Sottolineatura e trattini consentitiSitoIl sito è aggiornatoIl sito necessita di un aggiornamento Database da %s a %sSlugImpostazioni dei Campi più intelligentiSpiacente, questo browser non supporta la geolocalizzazioneOrdina per data modificaOrdina per aggiornamento dataOrdina per titoloSpam RilevatoSpecificare il valore restituito sul front-endSpecificare lo stile utilizzato per il rendering del campo clonaSpecificare lo stile utilizzato per il rendering dei campi selezionatiSpecificare il valore restituitoSpecificare dove vengono aggiunti nuovi allegatiStandard (metabox WP)StatoStep DimensioneStileUI stilizzataCampi SubSuper AdminSupportoXML scambiato per JSONSyncSync disponibileSincronizza 
Field GroupSchedaTabellaSchedeTagTassonomieID TermineOggetto TermineTestoArea di TestoSolo TestualeTesto visualizzato quando è attivoTesto mostrato quando inattivoGrazie per aver creato con <a href="%s">ACF</a>.Grazie per aver aggiornato a %s v%s!Grazie per l'aggiornamento! ACF %s è più grande e migliore che mai. Speriamo che vi piaccia.Il Campo %s può essere trovato nel 
Field Group
 %sLe modifiche effettuate verranno cancellate se si esce da questa paginaIl codice seguente può essere utilizzato per registrare una versione locale del Field Group selezionato(i). Un Field Group locale può fornire numerosi vantaggi come ad esempio i tempi di caricamento più veloci, controllo di versione e campi / impostazioni dinamiche. Semplicemente copia e incolla il seguente codice nel file functions.php del vostro tema.I seguenti siti hanno necessità di un aggiornamento del DB. Controlla quelli che vuoi aggiornare e clicca %s.Il formato visualizzato durante la modifica di un postIl formato restituito tramite funzioni templateIl formato utilizzato durante il salvataggio di un valoreIl campo galleria ha subito un lifting tanto necessarioLa stringa "field_" non può essere usata come inizio nel nome di un CampoQuesto Campo non può essere spostato fino a quando non saranno state salvate le modificheQuesto campo ha un limite di {max} {identifier}Questo campoQuesto campo richiede almeno {min} {identifier}Questo campo richiede almeno {min} {label} {identifier}Questo è il nome che apparirà sulla pagina ModificaThumbnailSelettore di tempoTinyMCE non sarà inizializzato fino a quando il campo non viene cliccatoTitoloPer attivare gli aggiornamenti, per favore inserisci la tua chiave di licenza nella pagina <a href="%s">Aggiornamenti</a>. Se non hai una chiave di licenza, per favore vedi <a href="%s">dettagli e prezzi</a>.Per rendere più semplice gli aggiornamenti, 
<a href="%s">accedi al tuo account</a> e richiedi una copia gratuita di ACF PRO!Per sbloccare gli aggiornamenti, si prega di inserire la chiave di licenza qui sotto. Se non hai una chiave di licenza, si prega di vedere <a href="%s" target="_blank">Dettagli e prezzi</a>.ToggleSeleziona tuttiToolbarStrumentiPagina di primo livello (no Genitori)Allineamento in altoVero / FalsoTipoSotto il cofanoSconosciutoCampo sconosciutoField Group sconosciutoAggiornaAggiornamento DisponibileAggiorna FileAggiorna ImmagineInformazioni di aggiornamentoAggiorna PluginAggiornamentiAggiorna DatabaseAvviso di AggiornamentoAggiornamento sitiAggiornamento completatoAggiornamento dati alla versione %sCaricato al postCaricato in questo PostUrlUsa AJAX per le scelte di carico lazy?UtenteArray utenteForm UtenteID UtenteOggetto utenteRuolo UtenteUtente non abilitato ad aggiungere %sValida EmailValidazione fallitaValidazione avvenuta con successoValoreValore contieneValore è uguale aValore è maggiore diValore è meno diValore non è uguale aValore corrisponde a modelloIl valore deve essere un numeroIl valore deve essere una URL validaIl valore deve essere uguale o superiore a %dIl valore deve essere uguale o inferiore a %dI valori verranno salvati come %sVerticaleVisualizza CampoVisualizza 
Field GroupVisualizzando Back-endVisualizzando Frond-endVisualeVisuale e TestualeSolo VisualeAbbiamo inoltre scritto una <a href="%s">guida all'aggiornamento</a> per rispondere alle vostre richieste, ma se ne avete di nuove, contattate il nostro <a href="%s">help desk</a>Pensiamo che amerete i cambiamenti in %s.Stiamo cambiando in modo eccitante le funzionalità Premium!Sito WebLa settimana inizia ilBenvenuto in Advanced Custom FieldsCosa c'è di nuovoWidgetLarghezzaAttributi ContenitoreEditor WysiwygSiZoomacf_form() può ora creare un nuovo post di presentazioneeselezionatoclassecopiahttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idè uguale anon è uguale ajQuerylayoutlayoutClonaSelezionaoEmbedorosso : Rossorimuovi {layout}?ModificaSelezionaAggiornalarghezza{available} {label} {identifier} disponibile (max {max}){required} {label} {identifier} richiesto (min {min})PK�[r��p����lang/acf-tr_TR.monu�[�������*H8I8e8n8D�8�8
�8
�8�8�8	9z$90�9=�9:�$:	�:�:�:M�:9;-=;
k;v;	;�;�;
�;�;�;�;
�;�;�;<<<'<><Y<]<�l<D=
c=n=}=�=!�=�=�=A�= >,,>4Y>�>�>
�>�>�> �>? ?'?9???
H?
V?a?h?�?�?�?�?�?�?�?�?@C@T@a@n@{@�@�@
�@�@�@	�@�@�@�@�@�@AAA$A93AmA�A�A�A�A�A�A	�A�A/�AB$B-B"?BbBjB#yB�B�B�B[�B
C-C:CLC
\CjCErC�C�CG�C:3DnDzD �D�D�D�DE!E!?E"aE#�E!�E,�E,�E%$FJF!hF%�F%�F-�F!G*&GQGdGlG
}GZ�GV�G=HSH
ZHhHuH
�H�H�H,�H$�H
�HII	&I0IAIQIeIzI�I
�I�I	�I
�I
�I�I�I
�I�I
�IJ	J J&7J&^J�J�J�J�J�J1�J�J	KKK
(K3K
?K
JKUKjK3�K�K�K�Ki�KhL7L�L�L1�LM6MT=M�M
�M�M�M	�M	�M�M"�M	NN3NFNUN]NsN+�NC�N@�N5O<OBO
KO	VO`OhOuO
�O�O=�O�O
�O�OP
PP
/P�:P�P�P�P	�P#�P"
Q"-Q!PQrQ�Q�Q/�Q
�Q�Q�QRQR�`RSSS	"S,SBS4OS�Sy�STTT,TKTQT`TgT�T�T�T�T�T�T�T
�T
�T�T
�T
U&U
.U9U	BU�LU�U�U�U	VV
(V
6V!DVfV'�V�V�V	�V�V�V�V�V�V�V�VW
W
$W!2W	TW^W=qW�W�W�W
�W�W�W
X'X4XAXQX1VX�X	�X�X�X	�XU�X"YM/YR}Y�Y`�Y4ZJZiZyZ
�Z�ZT�Z[[1[B[Y[h[�[�[�[�[�[�[�[�[�[�[\\	\!\'\,\	<\F\
R\	`\j\q\�\	�\�\	�\M�\5]+>],j]�]�]
�]�]�]�]�]
�]
�]	�]^
^^/^C^V^/^^�^�^�^�^�^
�^�^2�^_�-_�_
�_�_�_
�_
```-`	6`	@`$J`%o`
�`
�`�`�`�`	�`�`�`�`+a*-aXada
pa
{a�a3�a�a�a
�a�a	b.b	HbRb_bsbb�b0�b�b+�b
cc�.c#�c�c#�d5e7Ke>�e?�e#f1&f%XfG~fV�f&g:Dg<g2�g�g	h h	0h:hUhnhwh�h�h�h�h�h�h6i:i?i,Rii0�i�i�i
�i
�i'�i0%j4Vj�j'�j�j�j	�j�j�j
kkk&k+k:kRkVk\kakfkokwk�k	�k	�k�k�k1�k!�kZ l3{lB�lU�lEHmA�mZ�mA+n^mo(�o*�o# p^Dp@�p<�p4!q7Vq3�qL�q	rr5%r[r�ar�s�s
�s�s�s�s�s�s�s�s
tt#t*t;tGtTt
gtut}t�t
�t�t�t�tW�tBuSuiumu�u
�u	�u�u�u	�u�u�u�u�uvv*v<vRvev{v�v�v(�v'�v#w7wRw
[wfwww�w�w
�w�w��w'`xM�x�x�x!�x
yy!y'y:yIyMyMRy�y�y�y�y%�y�y�yzzz'z
/z:zFzMzZz	]z	gzqz}z�z6�z4�z6�z 2~
S~^~;n~�~�~�~	�~�~�~�=�K�L��i�� �6�S<���;��с
����	��(�=�Q�]�l����
��
����̂������߃���/0�`�|�H��܄7�<*�g���
��!��!��'�#�/�	;�E�	L�
V�d�g�m���������ӆ����X.�����
������ć͇ه��
��,�
<�J�d�	k�u�}�W��$�	�)�6�<�I�Y�k�z�?��lj͉։#���7*�b�n�}�y��

��-�H�
W�e�Il�"��"ًN��QK�
����������njʌތ������
������
$�/�5�B�`�l���_��n�b����
��
��
������EҎ1�J�S�&d���������ˏ�����)�8�J�Z�	p�
z���
��	����&��.ې7
�B�_�e�!~���B�����
!�,�;�M�	Z�	d�n�"��8��ޒ���a&���0��ѓ�D	�N�d�vl�������
��$�$C�h������	ȕҕ
�+�\ �C}���ȖЖ	ݖ	�����$�5�A:�|�����
��
��������
����(��/�'�.8�g�����@�����"'�J�cW����������	����›AΛ��&�����Ĝ#؜���	�$�B�O�	W�a�p�*��
����ɝ۝�)��(�
4�?�E��V�
�����*�:�J�4Y���4��ݟ�������!�'�7�D�Q�^�2m�����fʠ1�8�N�
b�p�.����
Сޡ
�����	�&�6�K�TZ���h��f%���o����>�T�m���g����
)�"7�Z�!a���������
��ǥԥ ۥ����6�	>�H�O�U�j�~���
������Φզ���\	�Uf�,��&����
0�>�
G�U�b�t�
��������Ȩ��N�^�o�����������H��!��"���
�����-�=�X�g�	s�,}�8��
�����)�
F�Q�	X�b�;k�>�����	��+�?E�����
������;ŭ�		��
*�5�B�=R� ��2������!��ί$ϰ�
�('�)P�z�%��
��7ɱI�K�]�|�7��Ӳ����"�"8�[�)c�$��'��%ڳ��
 �5+�a�f�Ns�
´6ʹ#� (�I�b�'|�;��D�%�*=�h�~�����&����ɶڶ�������	$�	.�8�
A�O�U�b�o�%��>��=�h1�3��Eθn�T��Lع_%�e��m�1Y�!��-��eۼFA�I��0ҽ6�8:�Vs�ʾ
۾.���!���������
�*�<�
@�K�[�	q�{������������+�C�"a�^������
�<�T�`�s���������������&�7�F�Z�i����&��4��5�!G� i������������������A��S.�	����0��
����	����
��$�[,���������%�������������#�+�2�
9�G�L�a�j�	o�	y�A��3��]��RQo���>/[�5��
"%���pB�GPWr�G6t!&���`6b����@[l\-Q�MSK�'Z� �h�����O����6
�*��x��%{��5)�e��)5m]!f^��/$���nO,���<�4e�d
������9�ar rc]$�J����D���1�hj�-��,�8��?�\N��s���~�f��p�������tRkA�#�;�(���t���j.w�gOA���Ek&���!��Hn/Qhy*�X`$(����*�p��C�Ywe�Y4a�=�@S��:����=K��`�7���+�o��zWT�X�@3�����U�|��2�{�9�'q��"=iP�2CJ,g}#�o�8�x_wB�K��|���N�R7&Cz	�:2V<~0L_Ud��G��?���E�D���c3U;��v1�FV�TmF�L0v����0�iE�uT�M�����_�g�m��}�b���|H�����l	�d"�a�NI7VY�����������y
��b3.��zD�������\(�'�S���M���P�Z�+����v8��s��� ���uy�4A:)i�%�k��<�
H9��Z����j�[LqX1F.�BI;-us^�+W��	�x��~n>����>I
����{f#��?�}lq�����^J�c�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.7.12
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-01-31 12:36+0100
PO-Revision-Date: 2019-02-15 17:08+0300
Last-Translator: Emre Erkan <kara@karalamalar.net>
Language-Team: Emre Erkan <emre@ada.agency>
Language: tr_TR
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 2.1.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d alan dikkatinizi gerektiriyor%s eklendi%s zaten mevcut%s en az %s seçim gerektirir%s en az %s seçim gerektirir%s değeri gerekli(etiket yok)(başlıksız)(bu alan)+ Alan ekle1 alan dikkatinizi gerektiriyor<b>Hata</b>. Güncelleme paketi için kimlik doğrulaması yapılamadı. Lütfen ACF PRO lisansınızı kontrol edin ya da lisansınızı etkisizleştirip, tekrar etkinleştirin.<b> Hata</b>. Güncelleme sunucusu ile bağlantı kurulamadıDüzenleme ekranından <b>gizlemek</b> istediğiniz ögeleri <b>seçin</b>.Daha pürüzsüz bir deneyimACF PRO, tekrarlanabilir veri, esnek içerik yerleşimleri, harika bir galeri alanı ve ekstra yönetim seçenekleri sayfaları oluşturma gibi güçlü özellikler içerir!AkordeonLisansı etkinleştirEtkinEtkin <span class=“count”>(%s)</span>Etkin <span class=“count”>(%s)</span>EkleÖzel değerlere izin vermek için 'diğer' seçeneği ekleEkle / düzenleDosya ekleGörsel ekleGaleriye görsel ekleYeni ekleYeni elan ekleYeni alan grubu ekleYeni yerleşim ekleSatır ekleYerleşim ekleYeni seçenek ekleSatır ekleKural grubu ekleGaleriye ekleEklentilerAdvanced Custom FieldsAdvanced Custom Fields PROTümüTüm %s biçimleriYeni <a href="%s">ACF Pro sürümününe</a> 4 premium eklenti dahil edildi. Hem kişisel hem geliştirici lisansında, özel beceriler hiç olmadığı kadar edinilebilir ve erişilebilir!%s alan grubundaki tüm alanlarTüm görsellerTüm yazı tipleriTüm taksonomilerBütün kullanıcı rolleri‘Özel’ alanların eklenebilmesine izin verArşivler adresine izin verÖzel değere izin verGörünür metin olarak HTML kodlamasının görüntülenmesine izin verBoş geçilebilir mi?Düzenlenirken yeni terimlerin oluşabilmesine izin verBu akordeonun diğerlerini kapatmadan açılmasını sağla.İzin verilen dosya tipleriAlternatif metinGörünümGirdi alanından sonra görünürGirdi alanından önce görünürYeni bir yazı oluştururken görünürGirdi alanının içinde görünürSonuna ekleSona ekleUygulaArşivlerEmin misiniz?EkYazarOtomatik ekle &lt;br&gt;Otomatik paragraf ekleTüm araçlara geri dönBasitAlanlarının altındaEtiketlerin altındaDaha iyi ön yüz formlarıDaha iyi doğrulamaBlokİkisi de (Dizi)İçeri ve dışarı aktarma işlemleri yeni araçlar sayfasından kolayca yapılabilir.Toplu eylemlerToplu eylemlerTuş grubuTuş etiketiİptalBaşlıkKategorilerMerkezHaritayı ortalaDeğişiklik kayıtlarıKarakter limitiTekrar kontrol etİşaret kutusuİşaretlendiAlt sayfa (ebeveyni olan)SeçimSeçimlerTemizleKonumu temizleKendi yerleşiminizi oluşturmaya başlamak için aşağıdaki "%s " tuşuna tıklayınTinyMCE hazırlamak için tıklayınGeçiş yapmak için tıklayınKopya alanıKapatAlanı kapatPencereyi kapatDetayları daraltDaraltılmışRenk seçiciVirgül ile ayrılmış liste. Tüm tipler için boş bırakınYorumYorumlarKoşullu mantıkSeçilmiş terimleri yazıya bağlaİçerikİçerik düzenleyiciYeni satırların nasıl görüntüleneceğini denetlerKopyalandıPanoya kopyalaTerimleri oluşturBu gelişmiş özel alanları hangi düzenleme ekranlarının kullanacağını belirlemek için bir kural seti oluşturunŞu anki renkŞu anki kullanıcıŞu anki kullanıcı rolüMevcut sürümÖzel alanlarÖzel:Güçlü, profesyonel ve sezgisel alanlar ile WordPress'i özelleştirin.Harita yüksekliğini özelleştirVeritabanı yükseltmesi gerekiyorVeritabanı güncellemesi tamamlandı. <a href="%s">Ağ panosuna geri dön</a>Veritabanı güncellemesi tamamlandı. <a href="%s">Neler yeni bir göz atın</a>Tarih seçiciTamamBugünİleriÖncekiHfTarih zaman seçiciAMATamamŞimdiSaatMikrosaniyeMilisaniyeDakikaPMPSaniyeSeçZamanı seZamanZaman DilimiLisansı devre dışı bırakVarsayılanVarsayılan şablonVarsayılan değerÖnceki akordeonun durması için bir son nokta tanımlayın. Bu akordeon görüntülenmeyecek.Önceki sekmelerin durması için bir uç nokta tanımlayın. Bu yeni sekmeler için bir grup başlatacaktır.Hazırlık geciktirilsin mi?SilYerleşimi silAlanı silAçıklamaTartışmaGörüntüleGösterim biçimiSayfa yüklemesi sırasında bu akordeonu açık olarak görüntüle.İşaret kutusunun yanında görüntülenen metinBelgelerİndir ve yükleYeniden düzenlemek için sürükleyinÇoğaltYerleşimi çoğaltAlanı çoğaltBu ögeyi çoğaltKolayca içe / dışa aktarmaKolay yükseltmeDüzenleAlanı düzenleAlan grubunu düzenleDosya düzenleGörseli düzenleAlanı düzenleAlan grubunu düzenleElemanlarElliot CondonE-postaGömme boyutuUç noktaAdres girinHer seçeneği yeni bir satıra girin.Her varsayılan değeri yeni bir satıra girinDosya yüklenirken hata oluştu. Lütfen tekrar deneyinHTML’i güvenli hale getirÖzetAyrıntıları genişletAlan gruplarını dışarı aktarDışarı aktarım dosyası1 alan grubu içeri aktarıldı.%s alan grubu içeri aktarıldı.Öne çıkarılmış görselAlanAlan grubuAlan gruplarıAlan anahtarlarıAlan etiketiAlan adıAlan tipiAlan grubu silindi.Alan grubu taslağı güncellendi.Alan grubu çoğaltıldı.%s alan grubu çoğaltıldı.Alan grubu yayımlandı.Alan grubu kaydedildi.Alan grubu zamanlandı.Etkin, etiket yerleşimi, talimatlar yerleşimi ve açıklama için alan grubu ayarları eklendi.Alan grubu gönderildi.Alan grubu eşitlendi.%s alan grubu eşitlendi.Alan grubu başlığı gerekliAlan grubu güncellendi.Daha düşük sıralamaya sahip alan grupları daha önce görünürVar olmayan alan tipiAlanlarAlanlar artık menülere, menü elemanlarına, yorumlara, bileşenlere ve tüm kullanıcı formlarına eşlenebiliyor!DosyaDosya dizisiDosya noDosya adresiDosya adıDosya boyutuDosya boyutu en az %s olmalı.Dosya boyutu %s boyutunu geçmemeli.Dosya tipi %s olmalı.Yazı tipine göre filtreTaksonomiye göre filtreKurala göre filtreleFiltrelerŞu anki konumu bulEsnek içerikEsnek içerik, en az 1 yerleşim gerektirirDaha fazla kontrol için, hem bir değeri hem de bir etiketi şu şekilde belirtebilirsiniz:Form doğrulama artık sadece JS yerine PHP + AJAX ile yapılıyor.BiçimFormlarTaze arayüzÖn sayfaTam boyutGaleriPHP oluşturElveda eklentiler. Merhaba PROGoogle haritasıGrupGrup (bu alanın içinde seçili alanları grup olarak gösterir)Grup alanıHerhangi bir değerHiçbir değerYükseklikEkranda gizleYüksek (başlıktan sonra)YatayEğer düzenleme ekranında birden çok alan grubu ortaya çıkarsa, ilk alan grubunun seçenekleri kullanılır (en düşük sıralama numarasına sahip olan)GörselGörsel dizisiGörsel noGörsel adresiGörsel yüksekliği en az %dpx olmalı.Görsel yüksekliği %dpx değerini geçmemeli.Görsel genişliği en az %dpx olmalı.Görsel genişliği %dpx değerini geçmemeli.Alan gruplarını içeri aktarDosyayı içeri aktarİçe aktarılan dosya boş1 alan grubu içeri aktarıldı%s alan grubu içeri aktarıldıGeliştirilmiş veriGeliştirilmiş tasarımGeliştirilmiş kullanılabilirlikEtkin değilEtkin olmayan <span class=“count”>(%s)</span>Etkin olmayan <span class=“count”>(%s)</span>Popüler Select2 kütüphanesini ekleyerek yazı nesnesi, sayfa bağlantısı, taksonomi ve seçim kutusu gibi bir çok alan tipinde hem kullanışlılık hem de hız iyileştirmeleri gerçekleşti.Geçersiz dosya tipiBilgiEkleYüklendiYönerge yerleştirmeYönergelerYazarlara gösterilecek talimatlar. Veri gönderirken gösterilirKarşınızda ACF PRODevam etmeden önce veritabanınızı yedeklemeniz önemle önerilir. Güncelleştiriciyi şimdi çalıştırmak istediğinizden emin misiniz?AnahtarEtiketEtiket yerleştirmeEtiketler %s olarak görüntülenirBüyükEn son sürümYerleşimLimit olmaması için boş bırakınSola hizalıUzunlukKitaplıkLisans bilgisiLisans anahtarıOrtam kitaplığı seçimini sınırlayınBağlantıBağlantı dizisiBağlantı alanıBağlantı adresiTerimleri yükleYazının terimlerinden değerleri yükleYükleniyorYerel JSONKonumGiriş yapıldıACF daha iyi görünsün diye bir çok alan görsel yenilemeden geçirildi! Gözle görülür değişiklikler galeri, ilişki ve oEmbed (yeni) alanlarında!En yüksekEn fazlaEn fazla yerleşimEn fazla satırEn fazla seçimEn fazla değerEn fazla yazıEn fazla satır değerine ulaşıldı ({max} satır)En fazla seçim aşıldıEn yüksek değerlere ulaşıldı ({max} değerleri)OrtaMenüMenü ögesiMenü konumlarıMenülerMesajEn düşükEn azEn az yerleşimEn az satırEn az seçimEn az değerEn az gönderiEn az satır sayısına ulaşıldı ({min} satır)Daha fazla AJAXDaha fazla özelleştirmeSayfa yüklenmesini hızlandırmak adına daha çok alan AJAX ile güçlendirilmiş arama kullanıyor.TaşıTaşıma tamamlandı.Özel alanı taşıAlanı taşıAlanı başka gruba taşıÇöpe taşımak istediğinizden emin misiniz?Taşınabilir alanlarÇoklu seçimÇoklu genişletmeÇoklu değerİsimMetinYeni özelliklerYeni alanYeni alan grubuYeni form konumlarıYeni satırlarDaha fazla özelleştirmeye izin veren yeni PHP (ve JS) eylem ve filtreleri eklendi.Yeni ayarlarYeni otomatik JSON dışarı aktarma özelliği ile hız artıyor ve senkronizasyona imkan sağlanıyor.Yeni gruplama becerisi, bir alanı gruplar ve üst alanlar arasında taşıyabilmenize olanak sağlar.HayırBu seçenekler sayfası için hiç özel alan grubu bulunamadı. <a href="%s">Bir özel alan grubu oluştur</a>Hiç alan grubu bulunamadıÇöpte alan grubu bulunamadıHiç alan bulunamadıÇöpte alan bulunamadıBiçimlendirme yokHiç alan grubu seçilmemişHiç alan yok. İlk alanınızı oluşturmak için <strong>+ Alan ekle</strong> düğmesine tıklayın.Dosya seçilmediGörsel seçilmediEşleşme yokSeçenekler sayfayı mevcut değil%s yokKullanılabilir aç-kapa alan yokGüncelleme yok.Normal (içerikten sonra)BoşSayıKapalı metniAçık metniAçıkYeni pencerede/sekmede açılırSeçeneklerSeçenekler sayfasıSeçenekler güncellendiSıralaSıra no.DiğerSayfaSayfa öznitelikleriSayfa bağlantısıSayfa ebeveyniSayfa şablonuSayfa tipiEbeveynÜst sayfa (alt sayfası olan)ParolaKalıcı bağlantıYer tutucu metinKonumlandırmaLütfen ayrıca premium eklentilerin de (%s) en üst sürüme güncellendiğinden emin olun.Güncelleştirmelerin kilidini açmak için yukardaki alana lisans anahtarını girinLütfen yükseltmek için en az site seçin.Lütfen bu alan için bir hedef seçinPozisyonYazıYazı kategorisiYazı biçimiYazı NoYazı nesnesiYazı durumuYazı taksonomisiYazı şablonuYazı tipiYazı güncellendiYazılar sayfasıGüçlü özelliklerAlan etiketlerine ön ek ekleAlan isimlerine ön ek ekleÖnüne ekleEn başa tüm seçimleri tersine çevirmek için ekstra bir seçim kutusu ekleEn başa ekleyinÖnizleme boyutuProYayımlaRadyo düğmesiRadyo düğmeleriAralık<a href="%s">ACF PRO özellikleri</a> hakkında daha fazlasını okuyun.Yükseltme görevlerini okuyor...Veri mimarisinin yeniden düzenlenmesi sayesinde alt alanlar üst alanlara bağlı olmadan var olabiliyorlar. Bu da üst alanların dışına sürükle bırak yapılabilmesine olanak sağlıyor!KaydetİlişkiselİlişkiliKaldırYerleşimi çıkarSatır çıkarYeniden sıralaYerleşimi yeniden sıralaTekrarlayıcıGerekli mi?KaynaklarYüklenebilecek dosyaları sınırlandırınHangi görsellerin yüklenebileceğini sınırlandırınKısıtlıDönüş biçimiDönüş değeriSıralamayı ters çevirSiteleri incele ve güncelleSürümlerSatırSatırlarKurallar‘Özel’ değerleri alanın seçenekleri arasına kaydet‘Diğer’ değerlerini alanın seçenekleri arasına kaydetÖzel alanı kaydetBiçimi kaydetDiğerini kaydetTerimleri kaydetPürüzsüz (metabox yok)Pürüzsüz (bu alanı seçişmiş olan alanlarla değiştirir)AraAlan gruplarında araAlanlarda araAdres arayın…Ara…<a href="%s">%s sürümünde</a> neler yeni bir göz atın.Seç %sRenk seçAlan gruplarını seçDosya seçGörsel seçBağlantı seçSatır toparlandığında görüntülenecek alt alanı seçinBirden çok değer seçilsin mi?Çoğaltmak için bir ya da daha fazla alan seçinYazı tipi seçTaksonomi seçİçeri aktarmak istediğiniz Advanced Custom Fields JSON dosyasını seçin. Aşağıdaki içeri aktar tuşuna bastığınızda ACF alan gruplarını içeri aktaracak.Bu alanın görünümünü seçinDışa aktarma ve sonra dışa aktarma yöntemini seçtikten sonra alan gruplarını seçin. Sonra başka bir ACF yükleme içe bir .json dosyaya vermek için indirme düğmesini kullanın. Tema yerleştirebilirsiniz PHP kodu aktarma düğmesini kullanın.Görüntülenecek taksonomiyi seçinLütfen 1 karakter silinLütfen %d karakter silinLütfen 1 veya daha fazla karakter girinLütfen %d veya daha fazla karakter girinYükleme başarısız olduDaha fazla sonuç yükleniyor&hellip;Eşleşme yokBir sonuç bulundu, seçmek için enter tuşuna basın.%d sonuç bulundu. Dolaşmak için yukarı ve aşağı okları kullanın.Aranıyor&hellip;Sadece 1 öğe seçebilirsinizSadece %d öge seçebilirsinizHer sonuç içinde seçilmiş elemanlar görüntülenirSeçin daha büyükSeçim daha azGeri izlemeleri gönderAyraçTemel yaklaşma seviyesini belirleMetin alanı yüksekliğini ayarlaAyarlarOrtam yükleme tuşları gösterilsin mi?Bu alan grubunu şu koşulda gösterAlanı bu şart gerçekleşirse gösterAlan grubu listesinde görüntülenirVeri girilirken gösterilirYanTek değerTek kelime, boşluksuz. Alt çizgi ve tireye izin varSiteSite güncelSite için %s sürümünden %s sürümüne veritabanı güncellemesi gerekiyorKısa isimÜzgünüz, bu tarayıcı konumlandırma desteklemiyorDeğiştirme tarihine göre sıralaYüklenme tarihine göre sıralaBaşlığa göre sıralaİstenmeyen tespit edildiÖn yüzden dönecek değeri belirleyinÇoğaltılacak alanın görünümü için stili belirleyinSeçili alanları görüntülemek için kullanılacak stili belirtinDönecek değeri belirtYeni eklerin nereye ekleneceğini belirtinStandart (WP metabox)DurumAdım boyutuStilStilize edilmiş kullanıcı arabirimiAlt alanlarSüper yöneticiDestekEşitleEşitleme mevcutAlan grubunu eşitleSekmeTabloSekmelerEtiketlerTaksonomiTerim noTerim nesnesiMetinMetin alanıSadece metinEtkinken görüntülenen metinEtkin değilken görüntülenen metin<a href="%s">ACF</a> ile oluşturduğunuz için teşekkürler.%s v%s sürümüne güncellediğiniz için teşekkür ederiz!Güncelleme için teşekkür ederiz! ACF %s zamankinden daha büyük ve daha iyi. Umarız beğenirsiniz.%s alanı artık %s alan grubu altında bulunabilirGrup alanı birden çok alanı basitçe gruplamanıza olanak sağlar.Bağlantı alanı bir bağlantı (adres, başlık, hedef) seçmek ya da tanımlamak için basit bir yol sunar.Bu sayfadan başka bir sayfaya geçerseniz yaptığınız değişiklikler kaybolacakKopya alanı var olan alanları seçme ve görüntülemenize olanak sağlar.Eklentinin tasarımı yeni alan tipleri, ayarlar ve tasarımı da içerecek şekilde yenilendi!Aşağıdaki kod seçilmiş alan grubu/grupları için yerel bir sürüm kaydetmek için kullanılır. Yerel alan grubu daha hızlı yüklenme süreleri, sürüm yönetimi ve dinamik alanlar/ayarlar gibi faydalar sağlar. Yapmanız gereken bu kodu kopyalayıp temanızın functions.php dosyasına eklemek ya da harici bir dosya olarak temanıza dahil etmek.Şu siteler için VT güncellemesi gerekiyor. Güncellemek istediklerinizi işaretleyin ve %s tuşuna basın.Bir yazı düzenlenirken görüntülenecek biçimTema işlevlerinden dönen biçimBir değer kaydedilirken kullanılacak biçimoEmbed alanı videolar, görseller, tweetler, ses ve diğer içeriği kolayca gömebilmenizi sağlar.Artık alan isimlerinin başlangıcında “field_” kullanılmayacakBu alan, üzerinde yapılan değişiklikler kaydedilene kadar taşınamazBu alan için sınır {max} {label} {identifier}Bu alan için en az gereken {min} {label} {identifier}Bu isim DÜZENLEME sayfasında görüntülenecek isimdirBu sürüm veritabanınız için iyileştirmeler içeriyor ve yükseltme gerektiriyor.Küçük görselZaman seçiciAlan tıklanana kadar TinyMCE hazırlanmayacakBaşlıkGüncellemeleri etkinleştirmek için lütfen <a href="%s">Güncellemeler</a> sayfasında lisans anahtarınızı girin. Eğer bir lisans anahtarınız yoksa lütfen <a href="%s">detaylar ve fiyatlama</a> sayfasına bakın.Güncellemeleri açmak için lisans anahtarınızı aşağıya girin. Eğer bir lisans anahtarınız yoksa lütfen <a href=“%s” target=“_blank”>detaylar ve fiyatlama</a> sayfasına bakın.Aç - kapatTümünü aç/kapatAraç çubuğuAraçlarÜst düzey sayfa (ebeveynsiz)Üste hizalıDoğru / yanlışTipBilinmiyorBilinmeyen alanBilinmeyen alan grubuGüncelleGüncelleme mevcutDosyayı güncelleGörseli güncelleGüncelleme bilgisiEklentiyi güncelleGüncellemelerVeritabanını güncelleYükseltme bildirimiSiteleri yükseltYükseltme başarılı.Yükseltme başarısız oldu.Veri %s sürümüne yükseltiliyorACF PRO’ya yükseltmek çok kolay. Çevrimiçi bir lisans satın alın ve eklentiyi indirin!Yazıya yüklendiBu yazıya yüklenmişWeb adresiSeçimlerin tembel yüklenmesi için AJAX kullanılsın mı?KullanıcıKullanıcı dizisiKullanıcı formuKullanıcı NoKullanıcı nesnesiKullanıcı kuralıKullanıcı yeni %s ekleyemiyorE-postayı doğrulaDoğrulama başarısızDoğrulama başarılıDeğerDeğer içeriyorDeğer eşitseDeğer daha büyükDeğer daha azDeğer eşit değilseDeğer bir desenle eşleşirDeğer bir sayı olmalıDeğer geçerli bir web adresi olmalıDeğer %d değerine eşit ya da daha büyük olmalıDeğer %d değerine eşit ya da daha küçük olmalıDeğer %d karakteri geçmemelidirDeğerler %s olarak kaydedilecekDikeyAlanı görüntüleAlan grubunu görüntüleArka yüz görüntüleniyorÖn yüz görüntüleniyorGörselGörsel ve metinSadece görselHer türlü soruya cevap verebilecek <a href="%s">bir yükseltme rehberi</a> hazırladık, fakat yine de bir sorunuz varsa lütfen <a href="%s">yardım masası</a>nı kullanarak destek ekibimize danışın.%s sürümündeki değişiklikleri seveceğinizi düşünüyoruz.Premium işlevlerin size ulaştırılmasını daha heyecanlı bir hale getiriyoruz!WebsitesiHafta başlangıcıAdvanced Custom Fields eklentisine hoş geldinizNeler yeniBileşenGenişlikKapsayıcı öznitelikleriWysiwyg düzenleyiciEvetYaklaşacf_form() artık gönderim halinde bir sürü yeni ayar ile yeni bir yazı oluşturabilir.vesınıfkopyalahttp://www.elliotcondon.com/https://www.advancedcustomfields.com/ideşitseeşit değilsejQueryyerleşimyerleşimleryerleşimlerKopyalaSeçimoEmbedoEmbed alanıveyakirmizi : KırmızıDüzenleSeçGüncellegenişlik{available} {label} {identifier} kullanılabilir (en fazla {max}){required} {label} {identifier} gerekli (min {min})PK�[�JrK�K�lang/acf-ja.monu�[�������! ,6!,:X,D�,�,�,
�,-0-0E-)v-=�-5�-\.0q."�.��.;j/�/�/-�/
�/�/	00 0
(060J0Y0
a0l0t0�0�0�0�0�0��0��1
>2I2X2g2Av2�2�2�2�2 3)3B3I3
R3]3d3�3�3c�344"494N4`4w4}4�4
�4�4�4	�4�4�4�4�455559+5e5k5w5�5�5/�5�5�5�5�5�5#6[06
�6�6�6�6
�6�6�677&7.7
?7M7
T7b7
o7z7�7�7�7�7�7�7	�7�788&858
:8E8	V8
`8
k8v8�8�8
�8	�8 �8&�8�8&�8 9'939;9J9^9y9�9�9�9�9
�9
�9�9�9�9: :7:J:Re:�:�:�:
;;9;A@;�;
�;�;	�;	�;�;	�;�;"�;<<-<@<O<W<m<+~<C�<?�<.=5=
;=	F=	P=Z=b=w=�=
�=�=�=�=
�=�=�=�=	�=#>"*>"M>!p>�>.�>�>�>
�>�>?�?�?�?	�?�?�?4@<@yP@�@�@�@�@�@�@A"A)A1A9AEAdA
lAwA�A	�A��A4B8B@BPB]B
oB
}B!�B�B'�B2�B"C)C1C5C=CMCZC
lC!zC	�C<�C�C�C�C
	DD0D
MD[DhDxD1}D	�D�D	�D�D	�DJ�D4E/AENqE.�EQ�EQAF�F`�F�F
G,G<GUG
fG!tG�GT�GHH'H8HOHjHoH�H�H�H�H�H�H	�H�H�H�H	�H�H
�H	II
+I9I	BILI	]I5gIG�I,�IJJ
 J.J:JBJNJ
ZJ	hJrJ
J�J�J�J�J�J
�J2�JK� K�K
�K�K�K�K
L
LL$L3L	<L	FL$PL%uL
�L�L
�L�L	�L�L�L�L*�LM
+M6MLMSM
gMuM	�M�M�M�M	�M�M�M�M�MNN*N�:N�N2�OPP7PPPkP�P�P�P�P�P�P6�PQ$Q0;QlQ�Q
�Q'�Q�Q	�Q�Q�Q
RRR,R1R@RXR\RbRgRlR
uR�R�R�R	�R	�R!�RZ�R3-SEaSA�S(�T*U6=U@tUr�U<(V,eV/�V7�V3�V	.W8W�>Wk�WcPX�X
�X�X�X�X�X	YYYY&Y7YCYPY
cYqYyY�Y�Y�Y�Y�YQ�Y*ZIZ	NZ	XZbZtZ�Z�Z(�Z'�Z[
[ [1[B[T[
[[i[u[�}['!\MI\�\!�\
�\�\�\�\�\]]2]>]B]J]P]U]g]~]�]�]�]�]�]�]�]	�]�]�]�]�]6�]43^2h^9�a9�a4bDb]bpb}bP�b;�bJ%cApch�c�dc�d6e�Oe{5f�f'�f'�fg!g=g!Sgug�g*�g!�g�g�gh!h4hMhZhqh�h��h�riFjVjoj�j:�j�j!k'#k'Kk-sk�k�k�k�k	�k�kl3lu:l�l�l-�l$m!)m-Kmym�m�m�m�m$�m�m�m	nn-+n	Yn	cn	mnwnZ�n	�n�no-o@ofVo�o�o�o�o�o-po>p�p�p�p�pqq98qrq0�q�q!�q�q�qrr7rPrWrpr*wr3�r3�r
s)s0sIsbsxs�s�s$�s�s�st$'tLt	St]tst9�t!�t	�t]�t
DuOufumu0�uD�u�uvv;vWvpv�v�v0�v<�v6#w0Zw0�w6�wr�w0fx5�x9�x0y-8yfyrvy�y�y
zz0zFzWz:mz=�z=�z${!C{e{�{�{�{L�{c|cz|�|�|�|}$}:}$J}o}0|}�}�}�}�}�}�}
~	~
~6$~9[~3�~6�~a-r'���$��"��9�F�_�o�9v�
�����	L�V�i�m���*��	��˂҂��0�9�I�Z�a�h��{�	l�v�}�����	����-Є'��%&�=L�����	������˅؅	�-� ��4���dž$��3$�6X�����	����ÇЇ!���7�r>���f���(�I��������	��$�<‹N��0N�B�*Œ�=�9>��x�*
�$8�$]�*��9���-���$�4�$M�r�y�	��	��������ď�-�!�4�D�'W��f��c��<Z���������	ԑޑ��
�&�6�I�Y�o��������7Œ<��:�@�G�N�U�k�x�������ʔ��0�*1�\�	{�	����������	Õ0͕���-*�X�$_�����	����Ж����$�>�Z�$p������ʗ]��*��*.�'Y�<����6ך0�$?�d�	z�	��N��ݛ*�S�i�$����?Ü �$�:�G�b�x�������*ȝ��������;�H�d�q���?���ڞMu�Bß��3��9ۡW�Hm����Z_�A��D��3A�-u��������ͥ�p�@�G�^�0n�	��	����	ɧӧ�!��+�A�$Z������7Ĩ$��'!�I�lM�.������"�2�*B�-m�1��1ͪ���$�D�`������ī�˫Hì`�m�#}�������ŭۭ�	��d�f�j�}�����*��Ů	ȮҮ����	�	�	�!$�*F�q���Z��h��C�xHYU<�IV�K�
^��.������\�a��&�g4�B.l��Y�(R:����`�L
[Zw�9���	z�,_��
�H�t]��IE����y����Z�\�zJN�n�mv�f��+����XP���?�2��{�{W'�o�$
n���C�����L�0P�~S���#�� q�X�!d-���������Q�WF
J
����s �O�����#N"_cM*���p��QU,��&75�"A���q@hf����hk0��1���$}���	Te��e%�^�K�xDj�G%4����l��3B�w��3�9���������)i��A��|�a���p��~�k���)�:�>��u<�?�����t���bd�(5���=�����y6��o+�`c=gSV��s��Gv�|���*;/r8/����T]��@>�-����FRO���2�������[��}6�1��������i�u�8�E��M��!D����j�r�������b���m7	;'�����%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required'How to' guides(no title)+ Add Field<b>Connection Error</b>. Sorry, please try again<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.<b>Success</b>. Import tool added %s field groups: %s<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %sA new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActionsActivate LicenseAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allowed file typesAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCreate a set of rules to determine which edit screens will use these advanced custom fieldsCreated byCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise the map heightDatabase Upgrade RequiredDate PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDiscussionDisplayDisplay FormatDoneDownload & InstallDownload export fileDrag and drop to reorderDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineErrorError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField LabelField NameField TypeField TypesField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile NameFile SizeFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeFunctionsGalleryGenerate export codeGetting StartedGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicenseLicense KeyLimit the media library choiceLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo File selectedNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease note that all text will first be passed through the wp function Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedReturn FormatReturn ValueReturn formatReverse current orderRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OptionsSave OtherSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's newSee what's new inSelectSelect %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 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.Selected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightShow Media Upload Buttons?Show a different monthShow this field group ifShow this field ifShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)Step SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please seeTodayToggle AllToolbarTop Level Page (no parent)Top alignedTrue / FalseTutorialsTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgradeUpgrade NoticeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?UserUser FormUser RoleValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWarningWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopydetails & pricingeg. Show extra contentidis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?uploaded to this postversionwidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2015-08-11 23:33+0200
PO-Revision-Date: 2018-02-06 10:06+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: shogo kato <s_kato@crete.co.jp>
Language: ja_JP
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
Plural-Forms: nplurals=1; plural=0;
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%s個 のフィールドグループを複製しました%s個 のフィールドグループを同期しました%s は少なくとも %s個 選択してください%s の値は必須です使い方ガイド(無題)+ フィールドを追加<b>接続エラー</b> すみません、もう一度試してみてください<b>エラー</b> 更新サーバーに接続できません<b>エラー</b> アドオンのリストを読み込めませんでした編集画面で<b>表示しない</b>アイテムを<b>選択</b><b>成功</b> インポートツールは %s個 のフィールドグループを追加しました:%s<b>警告</b> インポートツールは %s個 のフィールドグループが既に存在しているのを検出したため無視しました:%s新しいフィールドに「oEmbed(埋め込みコンテンツ)」を追加しています。もっとも快適なカスタムフィールド体験ACF PROには、繰り返し可能なデータ、柔軟なコンテンツレイアウト、美しいギャラリーフィールド、オプションページを作成するなど、パワフルな機能が含まれています!ACFはそれぞれのフィールドを独立した投稿オブジェクトとして保存するようになりました。アクションライセンスをアクティベート選択肢「その他」を追加する追加 / 編集ファイルを追加する画像を追加するギャラリーに画像を追加新規追加新規フィールドを追加フィールドグループを新規追加新しいレイアウトを追加行を追加レイアウトを追加行を追加ルールを追加ギャラリーを追加アドオンAdvanced Custom FieldsAdvanced Custom Fields PRO全て4つのアドオンを<a href="%s">ACFのPROバージョン</a>として組み合わせました。個人または開発者ライセンスによって、以前よりお手頃な価格で有料機能を利用できます!この"タブ" の後に続く(または別の "タブ" が定義されるまでの)全てのフィールドは、このフィールドのラベルがタブの見出しとなりグループ化されます。全ての画像全ての投稿タイプ全てのタクソノミー全ての権限グループHTMLマークアップのコードとして表示を許可空の値を許可するか?許可するファイルタイプ入力欄の末尾に表示されます入力欄の先頭に表示されます新規投稿を作成時に表示されます入力欄に表示されます末尾に追加アーカイブメディア作成者自動的に&lt;br&gt;に変換自動的に段落に変換基本素晴らしい新機能を利用する前にデータベースを最新バージョンに更新してください。フィールドの下ラベルの下より良いフロントエンドフォームより良いオプションページより良いバリデーションより良いバージョンコントロールブロック一括操作ボタンのラベルカテゴリーセンターマップ初期状態のセンター更新履歴制限文字数再確認チェックボックス子ページ(親ページがある場合)選択肢選択肢クリア位置情報をクリア下の "%s" ボタンをクリックしてレイアウトの作成を始めてください閉じるフィールドを閉じるウィンドウを閉じる詳細を縮めるカラーピッカーカンマ区切りのリストで入力。全てのタイプを許可する場合は空白のままでコメントコメント条件判定コンテンツコンテンツエディタ改行をどのように表示するか制御どの編集画面でカスタムフィールドを表示するかを決定するルールを作成します。作成現在のユーザー現在の権限グループ現在のバージョンカスタムフィールドマップの高さを調整データベースのアップグレードが必要ですデイトピッカーライセンスのアクティベートを解除デフォルトデフォルトテンプレートデフォルト値削除レイアウトを削除フィールドを削除ディスカッション表示表示フォーマット完了ダウンロードしてインストールエクスポートファイルをダウンロードドラッグアンドドロップで並べ替えるドラッグして並び替え複製レイアウトを複製フィールドを複製この項目を複製簡単なアップグレード編集フィールドを編集フィールドグループを編集ファイルを編集する画像を編集するフィールドを編集フィールドグループを編集要素メール埋め込みサイズURLを入力選択肢を改行で区切って入力してくださいデフォルト値を入力するエラーファイルのアップロードに失敗しました。もう一度試してください。エラー.HTMLをエスケープ抜粋詳細を広げるフィールドグループをエクスポートフィールドグループを PHP形式 でエクスポートするアイキャッチ画像フィールドフィールドグループフィールドグループフィールドラベルフィールド名フィールドタイプフィールドタイプフィールドグループを削除しましたフィールドグループの下書きを更新しましたフィールドグループを複製しました。 %sフィールドグループを公開しましたフィールドグループを保存しましたフィールドグループを公開予約しましたフィールドグループの設定に「ラベルの配置」と「説明の配置」を追加しています。フィールドグループを送信しましたフィールドグループを同期しました。%sフィールドグループのタイトルは必須ですフィールドグループを更新しましたフィールドタイプが存在しませんフィールドコメントとウィジェット、全てのユーザーのフォームにフィールドを追加できます。ファイルファイル 配列ファイル IDファイルネームファイルサイズファイル URLファイルサイズファイルサイズは少なくとも %s 必要です。ファイルサイズは %s を超えてはいけません。ファイルタイプは %s でなければいけません。投稿タイプで絞り込みタクソノミーで絞り込みロールでフィルタするフィルター現在の位置情報を検索柔軟コンテンツ柔軟コンテンツは少なくとも1個のレイアウトが必要です下記のように記述すると、値とラベルの両方を制御することができます。フォームバリデーションは、JSのみより優れているPHP + AJAXで行われます。フォーマットフォームフロントページフルサイズファンクションギャラリーエクスポートコードを生成はじめにさようならアドオン、こんにちはPROGoogleマップ高さ画面に非表示高(タイトルの後)水平画像画像 配列画像 ID画像 URL画像の高さは少なくとも %dpx 必要です。画像の高さは %dpx を超えてはいけません。画像の幅は少なくとも %dpx 必要です。画像の幅は %dpx を超えてはいけません。インポートインポート / エクスポートにXML形式より優れているJSON形式が使えます。フィールドグループをインポートインポートファイルが空です改良されたデータ改良されたデザイン改良されたユーザビリティ内蔵した人気のSelect2ライブラリによって、投稿オブジェクトやページリンク、タクソノミーなど多くのフィールドタイプにおける選択のユーザビリティと速度の両方を改善しました。不正なファイルタイプお知らせインストール済み説明の配置説明投稿者向けの説明。編集時に表示されますACF PRO紹介処理前にデータベースのバックアップを強く推奨します。アップデーターを実行してもよろしいですか?ラベルラベルの配置大最新のバージョンレイアウト制限しない場合は空白のままで左揃え長さライブラリライセンスライセンスキー制限するメディアライブラリを選択読み込み中ローカルJSON場所位置ログイン済みACFがより良くなるよう、多くのフィールドのデザインを一新しました!目立った変化は、ギャラリーフィールドや関連フィールド、(新しい)oEmbedフィールドでわかるでしょう!最大数最大レイアウトの最大数最大行数最大選択数最大値最大投稿数最大行数に達しました({max} 行)選択の最大数に到達しました最大値( {max} ) に達しました{label}は最大数に達しました({max} {identifier})中メッセージ最小数最小レイアウトの最小数最小行数最小選択数最小値最小行数に達しました({min} 行)いっそうAJAXにページの読み込み速度を高速化するために、より多くのフィールドがAJAXを利用するようになりました。移動移動が完了しました。カスタムフィールドを移動フィールドを移動別のグループにフィールドを移動するゴミ箱に移動します。よろしいですか?フィールド移動複数選択複数値名前テキスト新規フィールド新規フィールドグループ新しいフォーム新しいギャラリー改行関連フィールドの新しい設定「フィルター」(検索、投稿タイプ、タクソノミー)。新しい設定新しいページリンクの選択肢に「アーカイブグループ」を追加しています。新しいJSON形式の自動エクスポート機能は、フィールド設定のバージョンコントロールを可能にします。新しいJSON形式の自動エクスポート機能の速度を改善。新しいフィールドグループでは、フィールドが親フィールドやフィールドグループ間を移動することができます。オプションページの新しい機能として、親と子の両方のメニューページを作ることができます。いいえこのオプションページにカスタムフィールドグループがありません. <a href="%s">カスタムフィールドグループを作成</a>フィールドグループが見つかりませんでしたゴミ箱の中にフィールドグループは見つかりませんでしたフィールドが見つかりませんでしたゴミ箱の中にフィールドは見つかりませんでしたファイルが選択されていませんなにもしない指定されたURLには埋め込む内容がありません.フィールドグループが選択されていませんフィールドはありません。<strong>+ 新規追加</strong>ボタンをクリックして最初のフィールドを作成してくださいファイルが選択されていません画像が選択されていません一致する項目がありませんオプションページはありません利用できるトグルフィールドがありません無通常(コンテンツエディタの後)空数値オプションオプションページオプションを更新しました順序順番その他ページページ属性ページリンク親ページページテンプレートページタイプ親ページ(子ページがある場合)親フィールドパスワードパーマリンクプレースホルダーのテキストタブの配置アップデートのロックを解除するためにライセンスキーを入力してくださいすべてのテキストが最初にWordPressの関数を通過しますのでご注意くださいこのフィールドの移動先を選択してください位置投稿投稿カテゴリー投稿フォーマット投稿 ID投稿オブジェクト投稿ステータス投稿タクソノミー投稿タイプ投稿更新済み投稿ページパワフルな機能先頭に追加プレビューサイズ公開ラジオボタンラジオボタンもっと<a href="%s">ACF PRO の機能</a>を見る。アップグレードタスクを読み込んでいます...データ構造を再設計したことでサブフィールドは親フィールドから独立して存在できるようになりました。これによって親フィールドの内外にフィールドをドラッグアンドドロップできるます。登録関連関連関連フィールド取り除くレイアウトを削除行を削除並べ替えレイアウトを並べ替え繰り返しフィールド必須か?リソースアップロード可能なファイルを制限アップロード可能な画像を制限返り値のフォーマット返り値返り値並び順を逆にするリビジョン行行数ルール「その他」の値を選択肢に追加するオプションを保存その他を保存シームレス(メタボックスなし)検索フィールドグループを検索フィールドを検索住所で検索...検索...新着情報を見る新着情報を見るセレクトボックス%s を選択色を選択フィールドグループを選択ファイルを選択する画像を選択する複数の値を選択できるか?投稿タイプを選択タクソノミーを選択インポートしたいACFのJSONファイルを選択してください。下のインポートボタンをクリックすると、ACFはフィールドグループをインポートします。エクスポートしたいフィールドグループとエクスポート方法を選んでください。ダウンロードボタンでは別のACFをインストールした環境でインポートできるJSONファイルがエクスポートされます。生成ボタンではテーマ内で利用できるPHPコードが生成されます。選択した要素が表示されます。トラックバックマップ初期状態のズームレベルテキストエリアの高さを指定メディアアップロードボタンを表示するか?別の月を表示するこのフィールドグループを表示する条件このフィールドグループの表示条件投稿編集中に表示されます兄弟フィールドサイド単一値スペースは不可、アンダースコアとダッシュは使用可能。スラッグよりスマートなフィールド設定ごめんなさい、このブラウザーはgeolocationに対応していません変更日で並び替えアップロード日で並べ替えタイトルで並び替えフロントエンドへの返り値を指定してください標準(WPメタボックス)ステップサイズスタイルスタイリッシュなUIサブフィールドネットワーク管理者XMLからJSONへ同期する利用可能な同期フィールドグループを同期するタブ表タブタグタクソノミータクソノミータームターム IDタームオブジェクトテキストテキストエリアテキストのみ%s v%sへのアップグレードありがとうございますアップグレードありがとうございます!ACF %s は規模、質ともに向上しています。気に入ってもらえたら幸いです。この %s フィールドは今 %s フィールドグループにありますこのページから移動した場合、変更は失われます以下のコードは選択したフィールドグループのローカルバージョンとして登録に使えます。ローカルフィールドグループは読み込み時間の短縮やバージョンコントロール、動的なフィールド/設定など多くの利点があります。以下のコードをテーマのfunctions.phpや外部ファイルにコピー&ペーストしてください。投稿編集中に表示されるフォーマットテンプレート関数で返されるフォーマットギャラリーフィールドは多くのマイナーチェンジをしています。"field_" はフィールド名の先頭に使うことはできませんこのタブは、テーブルスタイルの繰り返しフィールドか柔軟コンテンツフィールドが追加された場合、正しく表示されませんこのフィールドは変更が保存されるまで移動することはできませんこのフィールドは{identifier}が最高{max}個までですこのフィールドは{identifier}が最低{min}個は必要です{identifier}に{label}は最低{min}個必要です編集ページで表示される名前ですサムネイルタイトルアップデートを有効にするには、<a href="%s">アップデート</a>ページにライセンスキーを入力してください。ライセンスキーを持っていない場合は、こちらを<a href="%s">詳細と価格</a>参照してください。簡単なアップグレードのために、<a href="%s">ストアアカウントにログイン</a>してACF PROの無料コピーを申請してください。アップデートのロックを解除するには、以下にライセンスキーを入力してください。ライセンスキーを持っていない場合は、こちらを参照してください。本日全て 選択 / 解除ツールバー最上位のページ(親ページがない)上揃え真 / 偽チュートリアルタイプその内部では更新利用可能なアップデートファイルを更新する画像を更新するアップデート情報プラグインをアップデートアップデートアップグレードアップグレード通知バージョン %s へデータアップグレード中投稿にアップロードされるこの投稿にアップロード済みURL"タブ" を使うとフィールドのグループ化によって編集画面をより整理できます。選択肢をAJAXで遅延ロードするか?ユーザーユーザーフォーム権限グループ検証に失敗検証に成功値は数値でなければいけません値はURL形式でなければいけません数値は %d 以上でなければいけません数値は %d 以下でなければいけません垂直フィールドを表示フィールドグループを表示バックエンドで表示フロントエンドで表示ビジュアルビジュアル&テキストビジュアルのみ注意我々は多くの質問に応えるために<a href="%s">アップグレードガイド</a>を用意していますが、もし質問がある場合は<a href="%s">ヘルプデスク</a>からサポートチームに連絡をしてください。%s の変更は、きっと気に入っていただけるでしょう。我々はエキサイティングな方法で有料機能を提供することにしました!週の始まりようこそ Advanced Custom Fields新着情報ウィジェット幅ラッパーの属性Wysiwyg エディタはいズームacf_form()は新しい投稿をフロントエンドから作成できるようになりました。andチェック済みclass複製価格と詳細例:追加コンテンツを表示するid等しい等しくないjQueryレイアウトレイアウトoEmbedまたはred : 赤{layout} を削除しますか?この投稿にアップロードされるバージョンwidthあと{available}個 {identifier}には {label} を利用できます(最大 {max}個)あと{required}個 {identifier}には {label} を利用する必要があります(最小 {max}個)PK�[o��i�i�lang/acf-es_ES.monu�[�������qL)77-7676H7:7D�7�7
88+80F8)w8=�80�8"9�39;�9:%:M,:z:-~:
�:�:	�:�:�:
�:�:	;;
 ;+;:;B;Q;`;h;';�;�;�;��;��<C=
b=m=|=�=!�=�=�=A�=>,+>X>k>
t>>�> �>�>�>�>?	?
??$?A?^?cd?�?�?�?�?@ @7@=@J@W@d@q@x@
�@�@�@	�@�@�@�@�@�@�@�@A9ANAjAzA�A�A�A	�A�A/�A�A�AB"B7B?B#NBrB[B
�B�B�BC
C&CE.CtC�CG�C:�C*D6D TDuD�D�D�D�D!�D"E#@E!dE,�E,�E%�EF!$F%FF%lF-�F!�F*�F
G G(G
9GGG]G
dGrGG
�G�G�G$�G
�G�G�GH	H"H3HCHWHfH
kHvH	�H
�H
�H�H�H
�H�H
�H	�H	�H �H&I&<IcI|I�I�I�I�I�I�I�I�I�I
JJ
J
%J0JEJ`J{J�J�JR�JK*KGKeK1zK�K�KA�KL
LL'L	0L	:LDL"cL�L�L�L�L�L�L�L+MC-M?qM�M�M
�M	�M�M�M�M
NN=NZNaNpN
�N��NOO'O	0O#:O"^O"�O!�O�O.�O�OP/"P
RP`PpP�PQ�P��P�Q�Q�Q	�Q�Q�Q4�QRyR�R�R�R�R�R�R�R�R�RSSS.S:SYS
^SiS
rS}S�S
�S�S�S	�S��SiTmTuT�T�T
�T
�T!�T�T'�T2$UWU^U	cUmU|U�U�U�U�U�U�U
�U
�U!�U'V	+V<5VrVwV�V
�V�V�V
�V�V�VW1W	>WHW	XWbW	nWJxW�W/�WNX.OXQ~XQ�X"Y`%Y�Y�Y�Y�Y
�Y!�YZT-Z�Z�Z�Z�Z�Z�Z�Z[[[&[/[7[Q[Y[f[v[	|[�[�[�[	�[�[
�[	�[�[�[
�[�[	\\	#\Z-\5�\,�\�\�\
�\]]]']
3]
A]	O]Y]
f]q]�]�]�]/�]�]�]^^^
!^2/^b^�{^#_
,_7_D_W_
^_
l_w__�_	�_	�_$�_%�_
�_
```2`	I`S`W`\`+b`*�`�`�`
�`
�`�`3�`1a8a
LaZa	pa.za	�a�a�a�a�a�a0�a*b+Bbnbb��b#cCc#Rd5vd7�d>�d?#e#ce1�e%�eG�eV'f&~f:�f<�f2gPg	`gjg�g�g�g�g�g�gh!h0h5h6Bhyh~h,�h�h�h0�hi!i
7i
Ei'Si0{i4�i�i'�i$j:j	AjKjQj
]jhjtj|j�j�j�j�j�j�j�j�j
�j�j�j�j	k	kk,k1Ek!wkZ�k3�kE(lAnl^�m(n*8n#cn6�n@�nr�n<ro,�o/�o7p3Dp	xp�p5�p�p��pkqq��qur
|r�r�r�r�r�r�r�r�r
�r�rsss+s8s
KsYsasrs
�s�s�s�s�s�sQ�s:t<Yt�t	�t	�t�t�t�t�tuuu(7u'`u�u�u
�u�u�u�u�u
�uv�v'�vM�v&w.w!=w
_wjwqwww�w�w�w2�w�w�w�w�w�w%	x/x2x>xNxUx\x
dxox{x�x	�x�x	�x�x�x�x6�x4�xC4yx|�|�|<�|B�|F0}w}
�}�}�}H�}5~OH~1�~4�~��~I�%�6�N=���?��Ԁ����
�,�@�Z�p�}�������ȁ	ہ�9��6�Q�W��c��;�&��$�<�R�&m�!����TЄ%�;6�r�	��
������-ԅ���.�6�?�G�#M�"q������#�8�"P�s�������
ŇӇ���	���&�-�	J�T�k����	��������Cӈ�5�G�N�[�j�	|���>��
׉��,�	/�9�-M�{�m������,�<�R�Ga���)ŋX�RH�������	����ʌ͌��������	����!�)�
/�=�D�Q�e�q���������΍ۍ
����4�J�Y�!n�������Žю�����&�
5�C�P�	g�
q��������(��&�5	� ?�`�g�t�}�����Ő֐ܐ���
� �
1�?�)Z�������בb�V� o�+����8ْ�,�_3�����
����ɓܓ+�)�E�e�~�������ɔ4ܔM�V_�����ʕܕ����2�A�IG�������
ɖ�Ԗr�y���
��.��,ӗ-�+.�Z�5c�����8̘��&�:�NC����S�l�q�	z���
��M������������#���
��/�G�	P�Z�v�.������Ϝޜ&��
�*�
3�>��G�������
2�@�'O�w�-��:ž���	��4�;�C�G�O�a�r�
����'��-ʟ	��R�U�[�p����� ��Р������!�7�J�Y�Xh���;Сi�=v�H��l��j��m�%�4�O�$h���0��$ʤb�R�"l�����)̥#���"�B�I�	Q�[�#g���������Ħզڦ�����-�=�F�e�r�~���
��i��E�/]�	��������
��ʨר���	��+�?�Z�y�	��<��ީ�����
)�D7�#|����	W�	a�	k�u�������	����ʫӫ�+�/�E�Q�d�s���
��������=¬0�1�J�Z�g�y�@��Э׭
���	�7�
S�a�r�������9Ů!��*!�L�d��z�&!�9H�$���� ı(�&�5� E�f�<��^ò"�"3�$V�>{���	ֳ̳ ���!�A�a�%w�!����մݴI�8�>�<Y���#��5��"���4�H�-W�D��Iʶ�-2�`�w�~���
��
����÷˷���(�1�	7�	A�
K�V�m�|���
����"��$Ҹ-�� %�\F�?��H�v,�y��+�8I�.��B��H��=�Fҽ2�/L�7|�5��	��:�@��H�"����d�m�|��������������
+�6�P�c�u������������$�?�O�c�Tg�/��T��A�I�_�%n�����������!��$�$B�!g���	�����������������-��h��	\�f�#|���������������(���	�%�+�2�%O�u�
x�
������������������������
����7��53���s_%`z��)��>��9G^�He�go1�;�i[�m�
@��cd>�W+5+?0���|2�w5
�8�$.�;�Q���_�M�)I��ZJ#�����C<���~� "{�Zbt���A3��4��v�bX��x���]�Y��d�o,	-�v�����!�H)����W-�$Kmy�1�lra�;s����#�3����g��]U��>R�����q�{�Q���\L��*��R�56NvF�.�a�u�Oyl�@2n���<�h4i/(g"sBu��b��0S�1Y�$T%�r�X�� ��,L:��[x�khL�]=���D:6n�%N,�
�8/���m�����D+D/�����!�F���E@S��CX�G'7�#3�p�u�AI�����fl�B�<
������_=?���2��j�d��I�7�Ofe��}����J|�����F�W(V�����t���`�	ay�|-\j�&kc�i�9cV�}.:�=���GAq`O~�����}8?�jf��'^�{�	
��N����6JT�T��kE0&!z4����9&���p"U�B�'[o�x�S��^e�(��������Q�����M �\KP7zthP�RwHCP���Uw��M��~���rE�Kn*Y*���V��q
��Zp%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required(no title)+ Add Field1 field requires attention<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.A new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBoth (Array)Bulk ActionsBulk actionsButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customise WordPress with powerful, professional and intuitive fields.Customise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database Upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDelay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplays text alongside the checkboxDocumentationDownload & InstallDownload export fileDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againError validating requestError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeGalleryGenerate export codeGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)HeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOff TextOn TextOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease also ensure any premium add-ons (%s) have first been updated to the latest version.Please enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnder the HoodUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade completeUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutsnounClonenounSelectoEmbedorred : Redremove {layout}?verbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2017-06-27 15:35+1000
PO-Revision-Date: 2018-02-06 10:05+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Héctor Garrofé <info@hectorgarrofe.com>
Language: es_ES
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d campos requieren atención%s agregados%s ya existe%s grupo de campos duplicado.%s grupos de campos duplicado.%s grupo de campos sincronizado.%s grupos de campos sincronizado.%s requiere al menos %s selección%s requiere al menos %s seleccionesEl valor %s es requerido(sin título)+ Añadir Campo1 campo requiere atención<b>Error</b>. No se ha podido conectar con el servidor de actualización<b>Error</b>. No se pudo cargar la lista de agregados<b>Selecciona</b> los items para <b>esconderlos</b> en la pantalla de edición.Se agregó un nuevo campo para embeber contenido.Una experiencia de campos personalizados más fluidaACF PRO contiene poderosas características como campo de repetición, contenido con disposición flexible, un hermoso campo de galería y la habilidad de crear páginas de opciones extra en el panel de administración.ACF ahora guarda los ajustes de los campos como objetos post individualesActivar LicenciaActivoActivo <span class="count">(%s)</span>Activos <span class="count">(%s)</span>AgregarAgregar la opción 'otros' para permitir valores personalizadosAgregar / EditarAñadir archivoAñadir ImagenAgregar Imagen a GaleríaAñadir nuevoAgregar Nuevo CampoAñadir nuevo Field GroupAgregar Nuevo EsquemaAgregar FilaAgregar EsquemaAgregar nueva opciónAgregar filaAgregar grupo de reglasAgregar a galeríaAgregadosAdvanced Custom FieldsActualización de Base de Datos de Advanced Custom FieldsAdvanced Custom Fields PROTodos%s formatosTodos los 4 agregados premium han sido combinados en una nueva <a href="%s">version Pro de ACF</a>. Con lincencias personales y para desarrolladores disponibles, la funcionalidad premium es más acequible que nunca!Todos los campos que siguen de este "campo pestaña" (o hasta que otro "campo pestaña" sea definido) serán agrepados la etiqueta de este campo como título de la pestaña.Todos los campos del grupo de campo %sTodas las imágenesTodos los Tipos de PostTodas las taxonomíasTodos los roles de usuarioPermite añadir valores personalizadosPermitir las URLs de los archivosPermitir personalizaciónPermitir que el maquetado HTML se muestre como texto visible en vez de interpretarloPermitir Vacío?Permitir la creación de nuevos términos mientras se editaTipos de archivos permitidosTexto AltAparienciaAparece luego del campoAparece antes del campoAparece cuando se está creando un nuevo postAparece en el campoAnexarAñadir al finalAplicarArchivosAdjuntoAutorAgregar &lt;br&gt; automáticamenteAgregar párrafos automáticamenteBásicoAntes de comenzar a utilizar las nuevas y excelentes características, por favor actualizar tu base de datos a la versión más nueva.Debajo de los camposDebajo de las etiquetasMejores formularios para Front EndMejores Páginas de OpcionesMejor ValidaciónMejor Control por VersionesBloqueAmbos (Array)Acciones en loteAcciones en loteEtiqueta del BotónCancelarLeyendaCategoríasCentroCentrar inicialmente el mapaChangelogLímite de CaractéresChequear nuevamenteCheckboxPágina hija (tiene superior)ElecciónOpcionesLimpiarBorrar ubicaciónHaz click en el botón "%s" debajo para comenzar a crear tu esquemaHaz clic para iniciar TinyMCEClic para mostrarCerrarCerrar CampoCerrar VentanaColapsar DetallesColapsadoSelector de colorLista separada por comas.  Deja en blanco para todos los tiposComentarioComentariosLógica CondicionalConectar los términos seleccionados al postContenidoEditor de ContenidoControla cómo se muestran las nuevas líneasCrear TérminosCrea un conjunto de reglas para determinar qué pantallas de edición utilizarán estos campos personalizadosColor actualUsuario ActualRol del Usuario ActualVersión ActualCampos PersonalizadosPersonalizado:Personaliza Wordpress con campos poderosos, profesionales e intuitivos.Personalizar altura de mapaActualización de Base de Datos RequeridaActualización de base de datos completa. <a href="%s">Regresar al Escritorio de Red</a>Actualización de la base de datos completada. <a href="%s ">Vea las novedades</a>Selector de FechaHechoHoySiguienteAnteriorSeSelector de fecha y horaAMAHechoAhoraHoraMicrosegundoMilisegundominutoPMPSegundoEligeElegir tiempoTiempoZona horariaDesactivar LicenciaPor defectoPlantilla por DefectoValor por defecto¿Inicialización retrasada?BorrarEliminar EsquemaBorrar campoDescripciónDiscusiónMostrarFormato de VisualizaciónMuestra el texto junto a la casilla de verificaciónDocumentaciónDescargar e InstalarDescargar archivo de exportaciónArrastra para reordenarDuplicarDuplicar EsquemaDuplicar campoDuplicar este ítemFácil ActualizaciónEditarEditar CampoEditar Grupo de CamposEditar ArchivoEditar ImagenEditar campoEditar grupo de camposElementosElliot CondonEmailTamaño del EmbedPunto de TerminaciónIngresa URLIngresa cada opción en una nueva líneaIngresa cada valor en una nueva líneaError subiendo archivo.  Por favor intente nuevamente¡Error al validar la solicitud!Error.Escapar HTMLExtractoExpandir DetallesExportar Grupos de CamposExportar Field Groups a PHPImagen DestacadaCampoGrupo de CamposGrupos de CamposClaves de CampoEtiqueta del campoNombre del campoTipo de campoGrupo de campos eliminado.Borrador del Grupo de Campos actualizado.Grupo de campos duplicado. %sGrupo de campos publicado.Grupo de campos guardado.Grupo de Campos programado.Se agregaron ajustes de grupos de campos para posicionamiento de las etiquetas y las instruccionesGrupo de campos enviado.Grupo de campos sincronizado. %sEl título del grupo de campos es requeridoGrupo de campos actualizado.Los grupos de campos con menor orden aparecerán primeroTipo de campo inexistenteCamposLos campos ahora pueden ser mapeados a comentarios, widgets y todos los formularios de usuario!ArchivoArray de ArchivoID de ArchivoURL de ArchivoNombre del archivoTamaño de ArchivoEl tamaño de archivo debe ser al menos %s.El tamaño de archivo no debe exceder %s.El tipo de archivo debe ser %s.Filtrar por Tipo de PostFiltrar por TaxonomíaFiltrar por rolFiltrosEncontrar ubicación actualContenido FlexibleEl Contenido Flexible requiere por lo menos 1 layoutPara más control, puedes especificar tanto un valor como una etiqueta, así:La validación de los formularios es ahora realizada via PHP + AJAX en vez de sólo JSFormatoFormulariosPágina PrincipalTamaño CompletoGaleríaGenerar código de exportaciónAdiós Agregados.  Hola PROMapa de GoogleGrupoGrupo (muestra los campos seleccionados en un grupo dentro de este campo)AlturaEsconder en pantallaAlta (después del título)HorizontalSi múltiples grupos de campos aparecen en una pantalla de edición, las opciones del primer grupo serán utilizadas (el que tiene el menor número de orden)ImagenArray de ImagenID de ImagenURL de ImagenLa altura de la imagen debe ser al menos %dpx.La altura de la imagen no debe exceder %dpx.El ancho de la imagen debe ser al menos %dpx.El ancho de la imagen no debe exceder %dpx.ImportarImportar / Exportar ahora utilizan JSON en vez de XMLImportar Field GroupArchivo de imporación vacíoImportar un grupo de camposImportar %s grupos de camposDatos MejoradosDiseño MejoradoUsabilidad MejoradaInactivoActivo <span class="count">(%s)</span>Activos <span class="count">(%s)</span>Incluir la popular librería Select2 ha mejorado tanto la usabilidad como la velocidad a través de varios tipos de campos, incluyendo el objeto post , link a página, taxonomía y selección.Tipo de campo incorrectoInfoInsertarInstaladoUbicación de la instrucciónInstruccionesInstrucciones para los autores. Se muestra a la hora de introducir los datos.Presentando ACF PROEs fuertemente recomendado que hagas un backup de tu base de datos antes de continuar. Estás seguro que quieres ejecutar la actualización ahora?ClaveEtiquetaUbicación de la etiquetaLas etiquetas se mostrarán como %sGRandeÚltima VersiónLayoutDeja en blanco para ilimitadoAlineada a la izquierdaLongitudLibreríaInformación de la licenciaClave de LicenciaLimitar las opciones de la librería de mediosEnlaceMatriz de enlaceURL del enlaceCargar TérminosCargar valor de los términos del postCargandoJSON LocalUbicandoUbicaciónLogueadoMuchos campos han experimentado un mejorado visual para hacer que ACF luzca mejor que nunca! Hay cambios notables en los campos de galería, relación y oEmbed (nuevo)!MaxMáximoEsquemas MáximosMáximo de FilasSelección MáximaValor MáximoMáximos postsMáximo de filas alcanzado ({max} rows)Selección máxima alcanzadaValores máximos alcanzados ( {max} valores )Límite máximo de {label} alcanzado. ({max} {identifier})MedioMenúElemento del menúLocalizaciones de menúMenúsMensajeMinMínimoEsquemas MínimosMínimo de FilasSelección MínimaValor MínimoMínimos postsMínimo de filas alcanzado ({min} rows)Valores mínimos alcanzados ( {min} valores )Más AJAXMás campos utilizan búsqueda manejada por AJAX para acelerar la carga de páginaMoverMovimiento Completo.Mover Campo PersonalizadoMover CampoMover campo a otro grupoMover a papelera. Estás seguro?Moviendo CamposSelección MúltipleMúltiples ValoresNombreTextoNuevo CampoNuevo Grupo de CamposNuevos FormulariosNueva GaleríaNuevas LíneasNuevos ajustes para 'Filtros' en camp de Relación (Búsqueda, Tipo de Post, Taxonomía)Nuevos AjustesNuevo grupo archivos en el campo de selección de page_linkLa nueva funcionalidad de exporta a JSON permite que los ajustes de los campos se controlen por versionesLa nueva funcionalidad de exportar a JSON mejora la velocidadNueva funcionalidad de grupos permite mover campos entre grupos y padresNuevas funciones para las páginas de opciones permiten crear tanto páginas de menú hijas como superiores.NoNo se encontraron grupos de campos personalizados para esta página de opciones. <a href="%s">Crear Grupo de Campos Personalizados</a>No se han encontrado Grupos de CamposNo se han encontrado Grupos de Campos en la PapeleraNo se encontraron camposNo se encontraron Campos en PapeleraSin FormatoNo se encontró embed para la URL proporcionada.No se seleccionaron grupos de camposNo hay campos. Haz Click en el botón <strong>+ Añadir campo</strong> para crear tu primer campo.No se seleccionó archivoNo hay ninguna imagen seleccionadaNo se encontraron resultadosNo existen páginas de opcionesNo hay campos de conmutación disponiblesNo hay actualizaciones disponibles.NingunoNormal (después del contenido)VacíoNúmeroSin textoSobre textoAbrir en una nueva ventana/pestañaOpcionesPágina de OpcionesOpciones ActualizadasOrdenNúmero de ordenOtroPáginaAtributos de PáginaLink de páginaPágina SuperiorPlantilla de PáginaTipo de PáginaSuperiorPágina Superior (tiene hijas)Campos PadreContraseñaEnlace PermanenteMarcador de TextoUbicaciónTambién asegúrate de que todas las extensiones premium (%s) se hayan actualizado a la última versión.Por favor ingresa tu clave de licencia para habilitar actualizacionesPor favor selecciona el destino para este campoPosiciónPostCategoría de PostFormato de PostID de PostObjecto PostEstado del PostTaxonomía de PostPlantilla de entrada:Post TypePost actualizadoPágina de EntradasCaracterísticas PoderosasEtiquetas del prefijo de campoNombres de prefijos de camposAnteponerAnteponer un checkbox extra para invertir todas las opcionesAdelantar hasta el principioTamaño del PreviewProPublicarRadio ButtonBotones RadioLee más acerca de las <a href="%s">características de ACF PRO</a>.Leyendo tareas de actualización...Rediseñar la arquitectura de datos ha permitido que los sub campos vivan independientemente de sus padres.  Esto permite arrastrar y soltar campos desde y hacia otros campos padres!RegistrarRelaciónRelaciónCampod de RelaciónRemoverRemover esquemaRemover filaReordenarReordenar EsquemaRepeater¿Requerido?RecursosRestringir qué archivos pueden ser subidosRestringir cuáles imágenes pueden ser subidasRestringidoFormato de RetornoRetornar valorInvertir orden actualRevisar sitios y actualizarRevisionesFilaFilasReglasGuardar los valores "personalizados" a las opciones del campoGuardar 'otros' valores a las opciones del campoGuardar personalizaciónGuardar formatoGuardar OtroGuardar TérminosDirecto (sin metabox)Transparente (reemplaza este campo con los campos seleccionados)BuscarBuscar Grupo de CamposBuscar CamposBuscar dirección...Buscar...Ver las novedades de la <a href="% s ">versión %s</a>.Selecciona %sSelecciona ColorSelleciona Grupos de CamposSeleccionar archivoSeleccionar ImagenElige el enlaceElige un subcampo para indicar cuándo se colapsa la fila¿Seleccionar valores múltiples?Elige uno o más campos que quieras clonarSelecciona Tipo de PostSelecciona TaxonomíaSelecciona el archivo JSON de Advanced Custom Fields que te gustaría importar.  Cuando hagas click en el botón importar debajo, ACF importará los grupos de campos.Selecciona la apariencia de este campoSelecciona los grupos de campos que te gustaría exportar y luego elige tu método de exportación.  Utiliza el boton de descarga para exportar a un archivo .json el cual luego puedes importar en otra instalación de ACF. Utiliza el botón de generación para exportar a código PHP que puedes incluir en tu tema.Selecciona taxonomía a ser mostradaPor favor, borra 1 carácterPor favor, elimina %d caracteresPor favor, introduce 1 o más caracteresPor favor escribe %d o más caracteresError al cargarCargando más resultados&hellip;No se encontraron coincidenciasHay un resultado disponible, pulse Enter para seleccionarlo.%d resultados disponibles, utilice las flechas arriba y abajo para navegar por los resultados.Buscando&hellip;Sólo puede seleccionar 1 elementoSólo puede seleccionar %d elementosLos elementos seleccionados serán mostrados en cada resultadoEnviar TrackbacksSeparadorSetear el nivel inicial de zoomSetea el alto del área de textoAjustes¿Mostrar el botón Media Upload?Mostrar este grupo de campos siMostrar este campo siMostrado en lista de grupos de camposMostrado cuando se ingresan datosCampos de mismo nivelLateralValor IndividualUna sola palabra, sin espacios. Guiones bajos y barras están permitidos.SitioEl sitio está actualizadoEl sitio requiere actualización de base de datos de %s a %sSlugAjustes de campos más inteligentesDisculpas, este navegador no soporta geolocalizaciónOrdenar por fecha de modificaciónOrdenar por fecha de subidaOrdenar por títuloSpam detectadoEspecifica el valor retornado en el front endEspecifique el estilo utilizado para procesar el campo de clonaciónEspecifique el estilo utilizado para representar los campos seleccionadosEspecifique el valor devueltoEspecificar dónde se agregan nuevos adjuntosEstándar (WP metabox)EstadoTamaño del PasoEstiloUI estilizadaSub CamposSuper AdministradorSoporteReemplazamos XML por JSONSincronizarSincronización disponibleSincronizar grupo de camposPestañaTablaPestañasEtiquetasTaxonomíaTérmino de TaxonomíaID de TérminoObjeto de TérminoTextoArea de TextoSólo TextoTexto mostrado cuando está activoTexto mostrado cuando está inactivoGracias por crear con <a href=" %s ">ACF</a>.Gracias por actualizar a %s v%s!Gracias por actualizar! ACF %s es más grande y poderoso que nunca.  Esperamos que te guste.El campo %s puede ser ahora encontrado en el grupo de campos %sLos cambios que has realizado se perderán si navegas hacia otra páginaEl siguiente código puede ser utilizado para registrar una versión local del o los grupos seleccionados.  Un grupo de campos local puede brindar muchos beneficios como tiempos de carga más cortos, control por versiones y campos/ajustes dinámicos.  Simplemente copia y pega el siguiente código en el archivo functions.php de tu tema o inclúyelo como un archivo externo.Los siguientes sitios requieren una actualización de la base de datos. Marca los que desea actualizar y haga clic en %s.El formato mostrado cuando se edita un postEl formato retornado a través de las funciones del temaEl formato utilizado cuando se guarda un valorEl campo galería ha experimentado un muy necesario lavado de caraLa cadena "_field" no se debe utilizar al comienzo de un nombre de campoEl campo pestaña se visualizará incorrectamente cuando sea agregado a un campo de repetición con estilo Tabla o a un layout de contenido flexibleEste campo no puede ser movido hasta que sus cambios se hayan guardadoEste campo tiene un límite de  {max} {identifier}Este campo requiere al menos {min} {identifier}Este campo requiere al menos {min} {label} {identifier}Este es el nombre que aparecerá en la página EDITARMiniaturaSelector de horaTinyMCE no se iniciará hasta que se haga clic en el campoTítuloPara habilitar actualizaciones, por favor, introduzca su llave de licencia en la <a href="%s">página de actualizaciones</a>. Si no tiene una llave de licencia, por favor, consulta <a href="%s">detalles y precios</a>.Para facilitar la actualización, <a href="%s">accede a tu cuenta en nuestra tienda</a> y solicita una copia gratis de ACF PRO!Para desbloquear las actualizaciones, por favor a continuación introduce tu clave de licencia. Si no tienes una clave de licencia, consulta <a href="%s" target="_blank">detalles y precios</a>.InvertirInvertir TodosBarra de HerramientasHerramientasPágina de Nivel SuperiorAlineada arribaVerdadero / FalsoTipoDebajo del CapóDesconocidoCampo desconocidoGrupo de campos desconocidoActualizarActualización DisponibleActualizar ArchivoActualizar ImagenInformación de ActualizaciónActualizar PluginActualizacionesActualizar Base de datosNotificación de ActualizaciónMejorar los sitiosActualización completaActualizando datos a la versión %s.Subidos al postSubidos a este postUrlUsa "Campos Pestaña" para organizar mejor tu pantalla de edición agrupando campos.Usar AJAX para hacer lazy load de las opciones?Usar este campo como un punto de terminación y comenzar un nuevo grupo de pestañasUsuarioFormulario de UsuarioRol de UsuarioEl usuario no puede agregar nuevos %sValidar correo electrónicoValidación fallidaValidación exitosaValorEl valor debe ser un númeroEl valor debe ser una URL válidaEl valor debe ser mayor o igual a %dEl valor debe ser menor o igual a %dLos valores se guardarán como %sVerticalVer CampoVer Grupo de CamposViendo back endViendo front endVisualVisual y TextoSólo VisualNosotros también escribimos una <a href="%s">guía de actualización</a> para responder cualquier pregunta, pero si tienes una, por favor contacta nuestro equipo de soporte via <a href="%s">mesa de ayuda</a>Creemos que te encantarán los cambios en %s.Estamos cambiando la manera en que las funcionalidades premium son brindadas de un modo muy interesante!Sitio webLa semana comenza en Bienvenido a Advanced Custom FieldsQué hay de nuevoWidgetAnchoAtributos del ContenedorEditor WysiwygSíZoomacf_form() ahora puede crear nuevos postyChequeadoclasscopiarhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/ides igual ano es igual ajQueryesquemaesquemasClonarEligeoEmbedorojo : Rojoremover {layout}?EditarEligeActualizarancho{available} {label} {identifier} disponible (max {max}){required} {label} {identifier} requerido (min {min})PK�[~^�Z�Z�lang/acf-fi.ponu�[���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-22 14:17+0300\n"
"PO-Revision-Date: 2018-02-06 10:05+1000\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\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.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__;"
"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"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:67
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

#: acf.php:369 includes/admin/admin.php:117
msgid "Field Groups"
msgstr "Kenttäryhmät"

#: acf.php:370
msgid "Field Group"
msgstr "Kenttäryhmä"

#: acf.php:371 acf.php:403 includes/admin/admin.php:118
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New"
msgstr "Lisää uusi"

#: acf.php:372
msgid "Add New Field Group"
msgstr "Lisää uusi kenttäryhmä"

#: acf.php:373
msgid "Edit Field Group"
msgstr "Muokkaa kenttäryhmää"

#: acf.php:374
msgid "New Field Group"
msgstr "Lisää uusi kenttäryhmä"

#: acf.php:375
msgid "View Field Group"
msgstr "Katso kenttäryhmää"

#: acf.php:376
msgid "Search Field Groups"
msgstr "Etsi kenttäryhmiä"

#: acf.php:377
msgid "No Field Groups found"
msgstr "Kenttäryhmiä ei löytynyt"

#: acf.php:378
msgid "No Field Groups found in Trash"
msgstr "Kenttäryhmiä ei löytynyt roskakorista"

#: 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
msgid "Fields"
msgstr "Kentät"

#: acf.php:402
msgid "Field"
msgstr "Kenttä"

#: acf.php:404
msgid "Add New Field"
msgstr "Lisää uusi kenttä"

#: acf.php:405
msgid "Edit Field"
msgstr "Muokkaa kenttää"

#: acf.php:406 includes/admin/views/field-group-fields.php:41
#: includes/admin/views/settings-info.php:105
msgid "New Field"
msgstr "Uusi kenttä"

#: acf.php:407
msgid "View Field"
msgstr "Näytä kenttä"

#: acf.php:408
msgid "Search Fields"
msgstr "Etsi kenttiä"

#: acf.php:409
msgid "No Fields found"
msgstr "Kenttiä ei löytynyt"

#: acf.php:410
msgid "No Fields found in Trash"
msgstr "Kenttiä ei löytynyt roskakorista"

#: acf.php:449 includes/admin/admin-field-group.php:390
#: includes/admin/admin-field-groups.php:567
msgid "Inactive"
msgstr "Ei-aktiivinen"

#: acf.php:454
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Ei-aktiivinen <span class=\"count\">(%s)</span>"
msgstr[1] "Ei-aktiivisia <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-group.php:68
#: includes/admin/admin-field-group.php:69
#: includes/admin/admin-field-group.php:71
msgid "Field group updated."
msgstr "Kenttäryhmä päivitetty"

#: includes/admin/admin-field-group.php:70
msgid "Field group deleted."
msgstr "Kenttäryhmä poistettu"

#: includes/admin/admin-field-group.php:73
msgid "Field group published."
msgstr "Kenttäryhmä julkaistu"

#: includes/admin/admin-field-group.php:74
msgid "Field group saved."
msgstr "Kenttäryhmä tallennettu"

#: includes/admin/admin-field-group.php:75
msgid "Field group submitted."
msgstr "Kenttäryhmä lähetetty."

#: includes/admin/admin-field-group.php:76
msgid "Field group scheduled for."
msgstr "Kenttäryhmä ajoitettu."

#: includes/admin/admin-field-group.php:77
msgid "Field group draft updated."
msgstr "Luonnos kenttäryhmästä päivitetty"

#: includes/admin/admin-field-group.php:183
msgid "Location"
msgstr "Sijainti"

#: includes/admin/admin-field-group.php:184
msgid "Settings"
msgstr "Asetukset"

#: includes/admin/admin-field-group.php:269
msgid "Move to trash. Are you sure?"
msgstr "Haluatko varmasti siirtää roskakoriin?"

#: includes/admin/admin-field-group.php:270
msgid "checked"
msgstr "valittu"

#: includes/admin/admin-field-group.php:271
msgid "No toggle fields available"
msgstr "Ei toggle kenttiä saatavilla"

#: includes/admin/admin-field-group.php:272
msgid "Field group title is required"
msgstr "Kenttäryhmän otsikko on pakollinen"

#: includes/admin/admin-field-group.php:273
#: includes/api/api-field-group.php:751
msgid "copy"
msgstr "kopioi"

#: includes/admin/admin-field-group.php:274
#: includes/admin/views/field-group-field-conditional-logic.php:54
#: 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
msgid "or"
msgstr "tai"

#: includes/admin/admin-field-group.php:276
msgid "Parent fields"
msgstr "Yläkentät"

#: includes/admin/admin-field-group.php:277
msgid "Sibling fields"
msgstr "Serkkukentät"

#: includes/admin/admin-field-group.php:278
msgid "Move Custom Field"
msgstr "Siirrä muokattua kenttää"

#: includes/admin/admin-field-group.php:279
msgid "This field cannot be moved until its changes have been saved"
msgstr "Tätä kenttää ei voi siirtää ennen kuin muutokset on talletettu"

#: includes/admin/admin-field-group.php:280
msgid "Null"
msgstr "Tyhjä"

#: includes/admin/admin-field-group.php:281 includes/input.php:258
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "Tekemäsi muutokset menetetään, jos siirryt pois tältä sivulta"

#: includes/admin/admin-field-group.php:282
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Merkkijonoa \"field_\" ei saa käyttää kenttänimen alussa"

#: includes/admin/admin-field-group.php:360
msgid "Field Keys"
msgstr "Kenttäavaimet"

#: includes/admin/admin-field-group.php:390
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Käytössä"

#: includes/admin/admin-field-group.php:801
msgid "Move Complete."
msgstr "Siirto valmis."

#: includes/admin/admin-field-group.php:802
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Kenttä %s löytyy nyt %s-kenttäryhmästä"

#: includes/admin/admin-field-group.php:803
msgid "Close Window"
msgstr "Sulje ikkuna"

#: includes/admin/admin-field-group.php:844
msgid "Please select the destination for this field"
msgstr "Valitse kohde kenttälle"

#: includes/admin/admin-field-group.php:851
msgid "Move Field"
msgstr "Siirrä kenttä"

#: includes/admin/admin-field-groups.php:74
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Käytössä <span class=\"count\">(%s)</span>"
msgstr[1] "Käytössä <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:142
#, php-format
msgid "Field group duplicated. %s"
msgstr "Kenttäryhmä monistettu. %s"

#: includes/admin/admin-field-groups.php:146
#, php-format
msgid "%s field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s kenttäryhmä monistettu."
msgstr[1] "%s kenttäryhmät monistettu."

#: includes/admin/admin-field-groups.php:227
#, php-format
msgid "Field group synchronised. %s"
msgstr "Kenttäryhmä synkronoitu. %s"

#: includes/admin/admin-field-groups.php:231
#, php-format
msgid "%s field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s kenttäryhmä synkronoitu."
msgstr[1] "%s kenttäryhmät synkronoitu."

#: includes/admin/admin-field-groups.php:394
#: includes/admin/admin-field-groups.php:557
msgid "Sync available"
msgstr "Synkronointi saatavissa"

#: includes/admin/admin-field-groups.php:507 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:355
msgid "Title"
msgstr "Otsikko"

#: includes/admin/admin-field-groups.php:508
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/install-network.php:21
#: includes/admin/views/install-network.php:29
#: pro/fields/class-acf-field-gallery.php:382
msgid "Description"
msgstr "Kuvaus"

#: includes/admin/admin-field-groups.php:509
msgid "Status"
msgstr "Status"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:607
msgid "Customise WordPress with powerful, professional and intuitive fields."
msgstr ""
"Muokkaa WordPressiä tehokkailla, ammattimaisilla ja intuitiivisilla kentillä."

#: includes/admin/admin-field-groups.php:609
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Muutosloki"

#: includes/admin/admin-field-groups.php:614
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Katso mitä uutta <a href=”%s”>versiossa %s</a> ."

#: includes/admin/admin-field-groups.php:617
msgid "Resources"
msgstr "Resurssit"

#: includes/admin/admin-field-groups.php:619
msgid "Website"
msgstr "Kotisivu"

#: includes/admin/admin-field-groups.php:620
msgid "Documentation"
msgstr "Dokumentaatio"

#: includes/admin/admin-field-groups.php:621
msgid "Support"
msgstr "Tuki"

#: includes/admin/admin-field-groups.php:623
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:628
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Kiitos, että luot sisältöä <a href=\"%s\">ACF:llä</a>."

#: includes/admin/admin-field-groups.php:668
msgid "Duplicate this item"
msgstr "Monista tämä kohde"

#: includes/admin/admin-field-groups.php:668
#: includes/admin/admin-field-groups.php:684
#: includes/admin/views/field-group-field.php:49
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate"
msgstr "Monista"

#: includes/admin/admin-field-groups.php:701
#: includes/fields/class-acf-field-google-map.php:112
#: includes/fields/class-acf-field-relationship.php:656
msgid "Search"
msgstr "Etsi"

#: includes/admin/admin-field-groups.php:760
#, php-format
msgid "Select %s"
msgstr "Valitse %s"

#: includes/admin/admin-field-groups.php:768
msgid "Synchronise field group"
msgstr "Synkronoi kenttäryhmä"

#: includes/admin/admin-field-groups.php:768
#: includes/admin/admin-field-groups.php:798
msgid "Sync"
msgstr "Synkronointi"

#: includes/admin/admin-field-groups.php:780
msgid "Apply"
msgstr "Käytä"

#: includes/admin/admin-field-groups.php:798
msgid "Bulk Actions"
msgstr "Massatoiminnot"

#: includes/admin/admin.php:113
#: includes/admin/views/field-group-options.php:118
msgid "Custom Fields"
msgstr "Lisäkentät"

#: includes/admin/install-network.php:88 includes/admin/install.php:70
#: includes/admin/install.php:121
msgid "Upgrade Database"
msgstr "Päivitä tietokanta"

#: includes/admin/install-network.php:140
msgid "Review sites & upgrade"
msgstr "Katso sivuja & päivitä"

#: includes/admin/install.php:187
msgid "Error validating request"
msgstr "Virhe pyynnön käsittelyssä"

#: includes/admin/install.php:210 includes/admin/views/install.php:105
msgid "No updates available."
msgstr "Päivityksiä ei ole saatavilla."

#: includes/admin/settings-addons.php:51
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Lisäosat"

#: includes/admin/settings-addons.php:87
msgid "<b>Error</b>. Could not load add-ons list"
msgstr "<b>Virhe</b>. Lisäosa luetteloa ei voitu ladata"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Katso mitä uutta"

#: includes/admin/settings-tools.php:50
#: includes/admin/views/settings-tools-export.php:19
#: includes/admin/views/settings-tools.php:31
msgid "Tools"
msgstr "Työkalut"

#: includes/admin/settings-tools.php:147 includes/admin/settings-tools.php:380
msgid "No field groups selected"
msgstr "Ei kenttäryhmää valittu"

#: includes/admin/settings-tools.php:184
#: includes/fields/class-acf-field-file.php:155
msgid "No file selected"
msgstr "Ei tiedostoa valittu"

#: includes/admin/settings-tools.php:197
msgid "Error uploading file. Please try again"
msgstr "Virhe ladattaessa tiedostoa. Ole hyvä ja yritä uudelleen."

#: includes/admin/settings-tools.php:206
msgid "Incorrect file type"
msgstr "Virheellinen tiedostomuoto"

#: includes/admin/settings-tools.php:223
msgid "Import file empty"
msgstr "Tuotu tiedosto on tyhjä"

#: includes/admin/settings-tools.php:331
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Tuotu 1 kenttäryhmä"
msgstr[1] "Tuotu %s kenttäryhmää"

#: includes/admin/views/field-group-field-conditional-logic.php:28
msgid "Conditional Logic"
msgstr "Ehdollinen logiikka"

#: includes/admin/views/field-group-field-conditional-logic.php:54
msgid "Show this field if"
msgstr "Näytä tämä kenttä, jos"

#: includes/admin/views/field-group-field-conditional-logic.php:103
#: includes/locations.php:247
msgid "is equal to"
msgstr "on sama kuin"

#: includes/admin/views/field-group-field-conditional-logic.php:104
#: includes/locations.php:248
msgid "is not equal to"
msgstr "ei ole sama kuin"

#: includes/admin/views/field-group-field-conditional-logic.php:141
#: includes/admin/views/html-location-rule.php:80
msgid "and"
msgstr "ja"

#: includes/admin/views/field-group-field-conditional-logic.php:156
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Lisää sääntöryhmä"

#: includes/admin/views/field-group-field.php:41
#: pro/fields/class-acf-field-flexible-content.php:403
#: pro/fields/class-acf-field-repeater.php:296
msgid "Drag to reorder"
msgstr "Muuta järjestystä vetämällä ja pudottamalla"

#: includes/admin/views/field-group-field.php:45
#: includes/admin/views/field-group-field.php:48
msgid "Edit field"
msgstr "Muokkaa kenttää"

#: includes/admin/views/field-group-field.php:48
#: includes/fields/class-acf-field-file.php:137
#: includes/fields/class-acf-field-image.php:122
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:342
msgid "Edit"
msgstr "Muokkaa"

#: includes/admin/views/field-group-field.php:49
msgid "Duplicate field"
msgstr "Monista kenttä"

#: includes/admin/views/field-group-field.php:50
msgid "Move field to another group"
msgstr "Siirrä kenttä toiseen ryhmään"

#: includes/admin/views/field-group-field.php:50
msgid "Move"
msgstr "Siirrä"

#: includes/admin/views/field-group-field.php:51
msgid "Delete field"
msgstr "Poista kenttä"

#: includes/admin/views/field-group-field.php:51
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete"
msgstr "Poista"

#: includes/admin/views/field-group-field.php:67
msgid "Field Label"
msgstr "Kentän nimiö"

#: includes/admin/views/field-group-field.php:68
msgid "This is the name which will appear on the EDIT page"
msgstr "Tätä nimeä käytetään Muokkaa-sivulla"

#: includes/admin/views/field-group-field.php:77
msgid "Field Name"
msgstr "Kentän nimi"

#: includes/admin/views/field-group-field.php:78
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "Yksi sana, ei välilyöntejä. Alaviivat ja viivamerkit ovat sallittuja."

#: includes/admin/views/field-group-field.php:87
msgid "Field Type"
msgstr "Kenttätyyppi"

#: includes/admin/views/field-group-field.php:98
#: includes/fields/class-acf-field-tab.php:88
msgid "Instructions"
msgstr "Ohjeet"

#: includes/admin/views/field-group-field.php:99
msgid "Instructions for authors. Shown when submitting data"
msgstr "Ohjeet kirjoittajille. Näytetään muokkausnäkymässä"

#: includes/admin/views/field-group-field.php:108
msgid "Required?"
msgstr "Pakollinen?"

#: includes/admin/views/field-group-field.php:131
msgid "Wrapper Attributes"
msgstr "Kääreen attribuutit"

#: includes/admin/views/field-group-field.php:137
msgid "width"
msgstr "leveys"

#: includes/admin/views/field-group-field.php:152
msgid "class"
msgstr "luokka"

#: includes/admin/views/field-group-field.php:165
msgid "id"
msgstr "id"

#: includes/admin/views/field-group-field.php:177
msgid "Close Field"
msgstr "Sulje kenttä"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Järjestys"

#: 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
msgid "Label"
msgstr "Nimiö"

#: 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
msgid "Name"
msgstr "Nimi"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Avain"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Tyyppi"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Ei kenttiä. Klikkaa <strong>+ Lisää kenttä</strong> painiketta luodaksesi "
"ensimmäisen kenttäsi."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Lisää kenttä"

#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Säännöt"

#: 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 ""
"Tästä voit määrittää, missä muokkausnäkymässä tämä kenttäryhmä näytetään"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Tyyli"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "Standardi (WP metalaatikko)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Saumaton (ei metalaatikkoa)"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Sijainti"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Korkea (otsikon jälkeen)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Normaali (sisällön jälkeen)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Reuna"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Nimiön sijainti"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:102
msgid "Top aligned"
msgstr "Tasaa ylös"

#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:103
msgid "Left aligned"
msgstr "Tasaa vasemmalle"

#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Ohjeen sijainti"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Tasaa nimiön alapuolelle"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Tasaa kentän alapuolelle"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Järjestysnumero"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr ""
"Kenttäryhmät, joilla on pienempi järjestysnumero, tulostetaan ensimmäisenä."

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "Näytetään kenttäryhmien listauksessa"

#: includes/admin/views/field-group-options.php:107
msgid "Hide on screen"
msgstr "Piilota näytöltä"

#: includes/admin/views/field-group-options.php:108
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>Valitse</b> kohteita <b>piilottaaksesi</b> ne muokkausnäkymästä."

#: 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 ""
"Jos muokkausnäkymässä on useita kenttäryhmiä, ensimmäisen (pienin "
"järjestysnumero) kenttäryhmän piilotusasetuksia käytetään"

#: includes/admin/views/field-group-options.php:115
msgid "Permalink"
msgstr "Kestolinkki"

#: includes/admin/views/field-group-options.php:116
msgid "Content Editor"
msgstr "Sisältöeditori"

#: includes/admin/views/field-group-options.php:117
msgid "Excerpt"
msgstr "Katkelma"

#: includes/admin/views/field-group-options.php:119
msgid "Discussion"
msgstr "Keskustelu"

#: includes/admin/views/field-group-options.php:120
msgid "Comments"
msgstr "Kommentit"

#: includes/admin/views/field-group-options.php:121
msgid "Revisions"
msgstr "Tarkastettu"

#: includes/admin/views/field-group-options.php:122
msgid "Slug"
msgstr "Polkutunnus (slug)"

#: includes/admin/views/field-group-options.php:123
msgid "Author"
msgstr "Kirjoittaja"

#: includes/admin/views/field-group-options.php:124
msgid "Format"
msgstr "Muoto"

#: includes/admin/views/field-group-options.php:125
msgid "Page Attributes"
msgstr "Sivun attribuutit"

#: includes/admin/views/field-group-options.php:126
#: includes/fields/class-acf-field-relationship.php:670
msgid "Featured Image"
msgstr "Artikkelikuva"

#: includes/admin/views/field-group-options.php:127
msgid "Categories"
msgstr "Kategoriat"

#: includes/admin/views/field-group-options.php:128
msgid "Tags"
msgstr "Avainsanat"

#: includes/admin/views/field-group-options.php:129
msgid "Send Trackbacks"
msgstr "Lähetä paluuviitteet"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Näytä tämä kenttäryhmä, jos"

#: includes/admin/views/install-network.php:4
msgid "Upgrade Sites"
msgstr "Päivitä sivustot"

#: includes/admin/views/install-network.php:9
#: includes/admin/views/install.php:3
msgid "Advanced Custom Fields Database Upgrade"
msgstr "Advanced Custom Fields tietokantapäivitys"

#: 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."
msgstr ""
"Seuraavat sivut vaativat tietokantapäivityksen. Valitse ne, jotka haluat "
"päivittää ja klikkaa %s"

#: includes/admin/views/install-network.php:20
#: includes/admin/views/install-network.php:28
msgid "Site"
msgstr "Sivu"

#: includes/admin/views/install-network.php:48
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Sivusto edellyttää tietokannan päivityksen (%s -> %s)"

#: includes/admin/views/install-network.php:50
msgid "Site is up to date"
msgstr "Sivusto on ajan tasalla"

#: includes/admin/views/install-network.php:63
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Tietokanta on päivitetty. <a href=\"%s\">Palaa verkon hallinnan "
"ohjausnäkymään</a>"

#: 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 ""
"Tietokannan varmuuskopio on erittäin suositeltavaa ennen kuin jatkat. Oletko "
"varma, että halua jatkaa päivitystä nyt?"

#: includes/admin/views/install-network.php:158
msgid "Upgrade complete"
msgstr "Päivitys valmis"

#: includes/admin/views/install-network.php:162
#: includes/admin/views/install.php:9
#, php-format
msgid "Upgrading data to version %s"
msgstr "Päivitetään data versioon %s"

#: includes/admin/views/install-notice.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Toista rivejä"

#: includes/admin/views/install-notice.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Joustava sisältö"

#: includes/admin/views/install-notice.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galleria"

#: includes/admin/views/install-notice.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Asetukset-sivu"

#: includes/admin/views/install-notice.php:26
msgid "Database Upgrade Required"
msgstr "Tietokanta on päivitettävä"

#: includes/admin/views/install-notice.php:28
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Kiitos, että päivitit %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 ""
"Ennen kuin alat käyttämään uusia mahtavia ominaisuuksia, ole hyvä ja päivitä "
"tietokantasi uuteen versioon."

#: 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 ""
"Varmista myös, että kaikki premium lisäosat (%s) on ensin päivitetty "
"uusimpaan versioon."

#: includes/admin/views/install.php:7
msgid "Reading upgrade tasks..."
msgstr "Luetaan päivitys tehtäviä..."

#: includes/admin/views/install.php:11
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "Tietokannan päivitys on valmis. <a href=\"%s\">Katso mitä on uutta</a>"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Lataa ja asenna"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Asennettu"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Tervetuloa Advanced Custom Fields -lisäosaan!"

#: 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 ""
"Kiitos, että päivitit! ACF %s on suurempi ja parempi kuin koskaan ennen. "
"Toivomme, että pidät siitä."

#: includes/admin/views/settings-info.php:17
msgid "A smoother custom field experience"
msgstr "Sujuvampi kenttien muokkaus kokemus"

#: includes/admin/views/settings-info.php:22
msgid "Improved Usability"
msgstr "Käytettävyyttä parannettu"

#: 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 ""
"Mukaan otettu Select2-kirjasto on parantanut sekä käytettävyyttä että "
"nopeutta erilaisissa kenttätyypeissä kuten artikkelioliossa, sivun linkissä, "
"taksonomiassa ja valinnassa."

#: includes/admin/views/settings-info.php:27
msgid "Improved Design"
msgstr "Parantunut muotoilu"

#: 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 ""
"Monet kentät ovat käyneet läpi visuaalisen uudistuksen ja ACF näyttää "
"paremmalta kuin koskaan ennen! Huomattavat muutokset ovat nähtävissä "
"Galleria, Suodata artikkeleita ja oEmbed (uusi) kentissä!"

#: includes/admin/views/settings-info.php:32
msgid "Improved Data"
msgstr "Parannetut data"

#: 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 ""
"Data arkkitehtuurin uudelleen suunnittelu mahdollisti alakenttien "
"riippumattomuuden vanhemmistaan. Tämän muutoksen myötä voit vetää ja "
"tiputtaa kenttiä riippumatta kenttähierarkiasta"

#: includes/admin/views/settings-info.php:39
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Hyvästi lisäosat. Tervetuloa PRO"

#: includes/admin/views/settings-info.php:44
msgid "Introducing ACF PRO"
msgstr "Esittelyssä ACF PRO"

#: includes/admin/views/settings-info.php:45
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Muutamme erinomaisesti tapaa, jolla korkealuokkaiset toiminnallisuudet "
"toimitetaan!"

#: includes/admin/views/settings-info.php:46
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Kaikki 4 premium lisäosaa on yhdistetty uuteen <a href=\"%s\">ACF:n PRO "
"versioon</a>. Lisensseistä saatavilla on sekä henkilökohtaisia että "
"kehittäjien lisenssejä, joten korkealuokkaiset toiminnallisuudet ovat nyt "
"edullisimpia ja saavutettavampia kuin koskaan ennen!"

#: includes/admin/views/settings-info.php:50
msgid "Powerful Features"
msgstr "Tehokkaat ominaisuudet"

#: 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 ""
"ACF PRO sisältää tehokkaita ominaisuuksia, kuten toistuva data, joustavat "
"sisältö layoutit, kaunis galleriakenttä sekä mahdollisuus luoda ylimääräisiä "
"ylläpitäjän asetussivuja!"

#: includes/admin/views/settings-info.php:52
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lue lisää <a href=\"%s\">ACF PRO:n ominaisuuksista</a>."

#: includes/admin/views/settings-info.php:56
msgid "Easy Upgrading"
msgstr "Helppo päivitys"

#: includes/admin/views/settings-info.php:57
#, php-format
msgid ""
"To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
"and claim a free copy of ACF PRO!"
msgstr ""
"Tehdäksesi päivityksen helpoksi, <a href=\"%s\">Kirjaudu kauppaan</a> ja "
"lataa ilmainen kopio ACF PRO:sta!"

#: includes/admin/views/settings-info.php:58
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>"
msgstr ""
"Kirjoitimme myös <a href=\"%s\">päivitysoppaan</a> vastataksemme "
"kysymyksiin. Jos jokin asia vielä vaivaa mieltäsi, ota yhteyttä "
"asiakaspalveluumme <a href=\"%s\">neuvontapalvelun</a> kautta."

#: includes/admin/views/settings-info.php:66
msgid "Under the Hood"
msgstr "Konepellin alla"

#: includes/admin/views/settings-info.php:71
msgid "Smarter field settings"
msgstr "Älykkäämmät kenttäasetukset"

#: includes/admin/views/settings-info.php:72
msgid "ACF now saves its field settings as individual post objects"
msgstr "ACF tallentaa nyt kenttäasetukset yksittäisenä artikkelioliona"

#: includes/admin/views/settings-info.php:76
msgid "More AJAX"
msgstr "Enemmän AJAXia"

#: includes/admin/views/settings-info.php:77
msgid "More fields use AJAX powered search to speed up page loading"
msgstr ""
"Useammat kentät käyttävät AJAX käyttöistä hakua ja näin sivujen lataus "
"nopeutuu"

#: includes/admin/views/settings-info.php:81
msgid "Local JSON"
msgstr "Paikallinen JSON"

#: includes/admin/views/settings-info.php:82
msgid "New auto export to JSON feature improves speed"
msgstr "Uusi automaattinen JSON-vienti parantaa nopeutta"

#: includes/admin/views/settings-info.php:88
msgid "Better version control"
msgstr "Parempi versionhallinta"

#: includes/admin/views/settings-info.php:89
msgid ""
"New auto export to JSON feature allows field settings to be version "
"controlled"
msgstr "Uusi automaattinen JSON-vienti sallii kenttäasetuksia versionhallinnan"

#: includes/admin/views/settings-info.php:93
msgid "Swapped XML for JSON"
msgstr "XML vaihdettu JSON:iin"

#: includes/admin/views/settings-info.php:94
msgid "Import / Export now uses JSON in favour of XML"
msgstr "Tuonti / Vienti käyttää nyt JSONia"

#: includes/admin/views/settings-info.php:98
msgid "New Forms"
msgstr "Uudet lomakkeet"

#: includes/admin/views/settings-info.php:99
msgid "Fields can now be mapped to comments, widgets and all user forms!"
msgstr ""
"Kentät voidaan nyt linkittää kommentteihin, vimpaimiin ja kaikkiin käyttäjä "
"lomakkeisiin!"

#: includes/admin/views/settings-info.php:106
msgid "A new field for embedding content has been added"
msgstr "Lisättiin uusi kenttä sisällön upottamiseen"

#: includes/admin/views/settings-info.php:110
msgid "New Gallery"
msgstr "Uusi galleria"

#: includes/admin/views/settings-info.php:111
msgid "The gallery field has undergone a much needed facelift"
msgstr "Galleriakenttä on käynyt läpi suuresti tarvitun kasvojenkohotuksen"

#: includes/admin/views/settings-info.php:115
msgid "New Settings"
msgstr "Uudet asetukset"

#: includes/admin/views/settings-info.php:116
msgid ""
"Field group settings have been added for label placement and instruction "
"placement"
msgstr ""
"Kenttäryhmien asetuksiin lisättiin määritykset nimiön ja ohjeiden sijainnille"

#: includes/admin/views/settings-info.php:122
msgid "Better Front End Forms"
msgstr "Paremmat Front Endin lomakkeet"

#: includes/admin/views/settings-info.php:123
msgid "acf_form() can now create a new post on submission"
msgstr "acf_form() voi nyt luoda uuden artikkelin pyydettäessä"

#: includes/admin/views/settings-info.php:127
msgid "Better Validation"
msgstr "Parempi validointi"

#: includes/admin/views/settings-info.php:128
msgid "Form validation is now done via PHP + AJAX in favour of only JS"
msgstr ""
"Lomakkeen validointi tehdään nyt PHP + AJAX sen sijaan, että käytettäisiin "
"pelkästään JS:ää"

#: includes/admin/views/settings-info.php:132
msgid "Relationship Field"
msgstr "Suodata artikkeleita -kenttä"

#: includes/admin/views/settings-info.php:133
msgid ""
"New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
msgstr ""
"Uudet Suodata artikkeleita -kentän asetukset 'Suodattamille' (Etsi, "
"Artikkelityyppi, Taksonomia)"

#: includes/admin/views/settings-info.php:139
msgid "Moving Fields"
msgstr "Kenttien siirtäminen"

#: includes/admin/views/settings-info.php:140
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents"
msgstr ""
"Uusi kenttäryhmien toiminnallisuus sallii sinun siirtää kenttiä ryhmien & "
"vanhempien välillä"

#: includes/admin/views/settings-info.php:144
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Sivun URL"

#: includes/admin/views/settings-info.php:145
msgid "New archives group in page_link field selection"
msgstr "Uusi arkistoryhmä page_link -kentän valintana"

#: includes/admin/views/settings-info.php:149
msgid "Better Options Pages"
msgstr "Paremmat asetukset sivut"

#: includes/admin/views/settings-info.php:150
msgid ""
"New functions for options page allow creation of both parent and child menu "
"pages"
msgstr ""
"Uusi toiminnallisuus asetukset-sivulle, joka sallii sekä vanhempi että lapsi "
"menu-sivujen luomisen"

#: includes/admin/views/settings-info.php:159
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Uskomme, että tulet rakastamaan muutoksia %s:ssa"

#: includes/admin/views/settings-tools-export.php:23
msgid "Export Field Groups to PHP"
msgstr "Vie kenttäryhmä PHP:llä"

#: 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 ""
"Tällä koodilla voit rekisteröidä valitut kenttäryhmät paikallisesti. "
"Paikallinen kenttäryhmä tarjoaa monia etuja, kuten nopeammat latausajat, "
"versionhallinnan & dynaamiset kentät/asetukset. Kopioi ja liitä koodi "
"teemasi functions.php tiedostoon tai sisällytä se ulkoisen tiedoston avulla."

#: includes/admin/views/settings-tools.php:5
msgid "Select Field Groups"
msgstr "Valitse kenttäryhmät"

#: includes/admin/views/settings-tools.php:35
msgid "Export Field Groups"
msgstr "Vie kenttäryhmiä"

#: 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 ""
"Valitse kenttäryhmät, jotka haluat viedä ja valitse sitten vientimetodisi. "
"Käytä Lataa-painiketta viedäksesi .json-tiedoston, jonka voit sitten tuoda "
"toisessa ACF asennuksessa. Käytä Generoi-painiketta luodaksesi PHP koodia, "
"jonka voit sijoittaa teemaasi."

#: includes/admin/views/settings-tools.php:50
msgid "Download export file"
msgstr "Lataa vientitiedosto"

#: includes/admin/views/settings-tools.php:51
msgid "Generate export code"
msgstr "Generoi vientikoodi"

#: includes/admin/views/settings-tools.php:64
msgid "Import Field Groups"
msgstr "Tuo kenttäryhmiä"

#: 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 ""
"Valitse JSON-tiedosto, jonka haluat tuoda. Kenttäryhmät tuodaan, kun "
"klikkaat Tuo-painiketta."

#: includes/admin/views/settings-tools.php:77
#: includes/fields/class-acf-field-file.php:35
msgid "Select File"
msgstr "Valitse tiedosto"

#: includes/admin/views/settings-tools.php:86
msgid "Import"
msgstr "Tuo"

#: includes/api/api-helpers.php:856
msgid "Thumbnail"
msgstr "Pienoiskuva"

#: includes/api/api-helpers.php:857
msgid "Medium"
msgstr "Keskikokoinen"

#: includes/api/api-helpers.php:858
msgid "Large"
msgstr "Iso"

#: includes/api/api-helpers.php:907
msgid "Full Size"
msgstr "Täysikokoinen"

#: includes/api/api-helpers.php:1248 includes/api/api-helpers.php:1831
#: pro/fields/class-acf-field-clone.php:992
msgid "(no title)"
msgstr "(ei otsikkoa)"

#: 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:986
msgid "Parent"
msgstr "Vanhempi"

#: includes/api/api-helpers.php:3885
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Kuvan leveys täytyy olla vähintään %dpx."

#: includes/api/api-helpers.php:3890
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Kuvan leveys ei saa ylittää %dpx."

#: includes/api/api-helpers.php:3906
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Kuvan korkeus täytyy olla vähintään %dpx."

#: includes/api/api-helpers.php:3911
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Kuvan korkeus ei saa ylittää %dpx."

#: includes/api/api-helpers.php:3929
#, php-format
msgid "File size must be at least %s."
msgstr "Tiedoston koko täytyy olla vähintään %s."

#: includes/api/api-helpers.php:3934
#, php-format
msgid "File size must must not exceed %s."
msgstr "Tiedoston koko ei saa ylittää %s:"

#: includes/api/api-helpers.php:3968
#, php-format
msgid "File type must be %s."
msgstr "Tiedoston koko täytyy olla %s."

#: includes/fields.php:144
msgid "Basic"
msgstr "Perus"

#: includes/fields.php:145 includes/forms/form-front.php:47
msgid "Content"
msgstr "Sisältö"

#: includes/fields.php:146
msgid "Choice"
msgstr "Valinta-kentät"

#: includes/fields.php:147
msgid "Relational"
msgstr "Relationaalinen"

#: includes/fields.php:148
msgid "jQuery"
msgstr "jQuery"

#: 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-repeater.php:450
msgid "Layout"
msgstr "Asettelu"

#: includes/fields.php:326
msgid "Field type does not exist"
msgstr "Kenttätyyppi ei ole olemassa"

#: includes/fields.php:326
msgid "Unknown"
msgstr "Tuntematon"

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Painikeryhmä"

#: 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 "Valinnat"

#: 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 "Syötä jokainen valinta uudelle riville."

#: 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 "Halutessasi voit määrittää sekä arvon että nimiön tähän tapaan:"

#: 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 "koira_istuu : Koira istuu"

#: 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 "Salli tyhjä?"

#: 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:114
#: includes/fields/class-acf-field-number.php:123
#: includes/fields/class-acf-field-radio.php:276
#: includes/fields/class-acf-field-range.php:142
#: 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:410
msgid "Default Value"
msgstr "Oletusarvo"

#: includes/fields/class-acf-field-button-group.php:169
#: 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:143
#: 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:411
msgid "Appears when creating a new post"
msgstr "Kentän oletusarvo"

#: 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 "Vaakasuuntainen"

#: 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 "Pystysuuntainen"

#: includes/fields/class-acf-field-button-group.php:191
#: 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:833
msgid "Return Value"
msgstr "Palauta arvo"

#: includes/fields/class-acf-field-button-group.php:192
#: 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 "Määritä palautettu arvo front endiin"

#: 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 "Arvo"

#: 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 "Molemmat (palautusmuoto on tällöin taulukko)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:780
msgid "Checkbox"
msgstr "Valintaruutu"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Valitse kaikki"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Lisää uusi valinta"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Salli mukautettu"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Salli käyttäjän syöttää omia arvojaan"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Tallenna mukautettu"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr ""
"Tallenna 'Muu’-kentän arvo kentän valinta vaihtoehdoksi tulevaisuudessa"

#: 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 "Syötä jokainen oletusarvo uudelle riville."

#: includes/fields/class-acf-field-checkbox.php:398
msgid "Toggle"
msgstr "Valitse kaikki?"

#: includes/fields/class-acf-field-checkbox.php:399
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "Näytetäänkö ”Valitse kaikki” valintaruutu"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Värinvalitsin"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Tyhjennä"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Oletus"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Valitse väri"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Nykyinen väri"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Päivämäärävalitsin"

#: includes/fields/class-acf-field-date_picker.php:33
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Sulje"

#: includes/fields/class-acf-field-date_picker.php:34
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Tänään"

#: includes/fields/class-acf-field-date_picker.php:35
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Seuraava"

#: includes/fields/class-acf-field-date_picker.php:36
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Edellinen"

#: includes/fields/class-acf-field-date_picker.php:37
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "Vk"

#: includes/fields/class-acf-field-date_picker.php:207
#: includes/fields/class-acf-field-date_time_picker.php:181
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Muokkausnäkymän muoto"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:182
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Missä muodossa haluat päivämäärän näkyvän muokkausnäkymässä?"

#: includes/fields/class-acf-field-date_picker.php:216
#: includes/fields/class-acf-field-date_picker.php:247
#: includes/fields/class-acf-field-date_time_picker.php:191
#: includes/fields/class-acf-field-date_time_picker.php:208
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Mukautettu:"

#: includes/fields/class-acf-field-date_picker.php:226
msgid "Save Format"
msgstr "Tallennusmuoto"

#: includes/fields/class-acf-field-date_picker.php:227
msgid "The format used when saving a value"
msgstr "Arvo tallennetaan tähän muotoon"

#: includes/fields/class-acf-field-date_picker.php:237
#: includes/fields/class-acf-field-date_time_picker.php:198
#: includes/fields/class-acf-field-post_object.php:432
#: includes/fields/class-acf-field-relationship.php:697
#: includes/fields/class-acf-field-select.php:426
#: includes/fields/class-acf-field-time_picker.php:124
msgid "Return Format"
msgstr "Palautusmuoto"

#: includes/fields/class-acf-field-date_picker.php:238
#: 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 ""
"Missä muodossa haluat päivämäärän näkyvän, kun sivupohjan funktiot "
"palauttavat sen?"

#: includes/fields/class-acf-field-date_picker.php:256
#: includes/fields/class-acf-field-date_time_picker.php:215
msgid "Week Starts On"
msgstr "Viikon ensimmäinen päivä"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Päivämäärä- ja kellonaikavalitsin"

#: includes/fields/class-acf-field-date_time_picker.php:33
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Valitse aika"

#: includes/fields/class-acf-field-date_time_picker.php:34
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Aika"

#: includes/fields/class-acf-field-date_time_picker.php:35
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Tunti"

#: includes/fields/class-acf-field-date_time_picker.php:36
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "minuuttia"

#: includes/fields/class-acf-field-date_time_picker.php:37
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunti"

#: includes/fields/class-acf-field-date_time_picker.php:38
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "millisekunti"

#: includes/fields/class-acf-field-date_time_picker.php:39
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "mikrosekunti"

#: includes/fields/class-acf-field-date_time_picker.php:40
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Aikavyöhyke"

#: includes/fields/class-acf-field-date_time_picker.php:41
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Nyt"

#: includes/fields/class-acf-field-date_time_picker.php:42
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Sulje"

#: includes/fields/class-acf-field-date_time_picker.php:43
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Valitse"

#: includes/fields/class-acf-field-date_time_picker.php:45
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "AM"

#: includes/fields/class-acf-field-date_time_picker.php:46
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "A"

#: includes/fields/class-acf-field-date_time_picker.php:49
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "PM"

#: includes/fields/class-acf-field-date_time_picker.php:50
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "P"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "Sähköposti"

#: includes/fields/class-acf-field-email.php:123
#: includes/fields/class-acf-field-number.php:132
#: 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
msgid "Placeholder Text"
msgstr "Täyteteksti"

#: includes/fields/class-acf-field-email.php:124
#: includes/fields/class-acf-field-number.php:133
#: 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
msgid "Appears within the input"
msgstr "Näkyy input-kentän sisällä"

#: includes/fields/class-acf-field-email.php:132
#: includes/fields/class-acf-field-number.php:141
#: includes/fields/class-acf-field-password.php:80
#: includes/fields/class-acf-field-range.php:181
#: includes/fields/class-acf-field-text.php:133
msgid "Prepend"
msgstr "Etuliite"

#: includes/fields/class-acf-field-email.php:133
#: includes/fields/class-acf-field-number.php:142
#: includes/fields/class-acf-field-password.php:81
#: includes/fields/class-acf-field-range.php:182
#: includes/fields/class-acf-field-text.php:134
msgid "Appears before the input"
msgstr "Näkyy ennen input-kenttää"

#: includes/fields/class-acf-field-email.php:141
#: includes/fields/class-acf-field-number.php:150
#: includes/fields/class-acf-field-password.php:89
#: includes/fields/class-acf-field-range.php:190
#: includes/fields/class-acf-field-text.php:142
msgid "Append"
msgstr "Loppuliite"

#: includes/fields/class-acf-field-email.php:142
#: includes/fields/class-acf-field-number.php:151
#: includes/fields/class-acf-field-password.php:90
#: includes/fields/class-acf-field-range.php:191
#: includes/fields/class-acf-field-text.php:143
msgid "Appears after the input"
msgstr "Näkyy input-kentän jälkeen"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Tiedosto"

#: includes/fields/class-acf-field-file.php:36
msgid "Edit File"
msgstr "Muokkaa tiedostoa"

#: includes/fields/class-acf-field-file.php:37
msgid "Update File"
msgstr "Päivitä tiedosto"

#: includes/fields/class-acf-field-file.php:38
#: includes/fields/class-acf-field-image.php:43 includes/media.php:57
#: pro/fields/class-acf-field-gallery.php:44
msgid "Uploaded to this post"
msgstr "Tähän kenttäryhmään ladatut kuvat"

#: includes/fields/class-acf-field-file.php:126
msgid "File name"
msgstr "Tiedoston nimi"

#: 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-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: pro/fields/class-acf-field-gallery.php:690
#: pro/fields/class-acf-field-gallery.php:719
msgid "File size"
msgstr "Tiedoston koko"

#: includes/fields/class-acf-field-file.php:139
#: 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
#: pro/fields/class-acf-field-gallery.php:531
msgid "Remove"
msgstr "Poista"

#: includes/fields/class-acf-field-file.php:155
msgid "Add File"
msgstr "Lisää tiedosto"

#: includes/fields/class-acf-field-file.php:206
msgid "File Array"
msgstr "Tiedosto"

#: includes/fields/class-acf-field-file.php:207
msgid "File URL"
msgstr "Tiedoston URL"

#: includes/fields/class-acf-field-file.php:208
msgid "File ID"
msgstr "Tiedoston ID"

#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:213
#: pro/fields/class-acf-field-gallery.php:655
msgid "Library"
msgstr "Kirjasto"

#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:214
#: pro/fields/class-acf-field-gallery.php:656
msgid "Limit the media library choice"
msgstr "Rajoita valintaa mediakirjastosta"

#: includes/fields/class-acf-field-file.php:221
#: includes/fields/class-acf-field-image.php:219
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:661
msgid "All"
msgstr "Kaikki"

#: includes/fields/class-acf-field-file.php:222
#: includes/fields/class-acf-field-image.php:220
#: pro/fields/class-acf-field-gallery.php:662
msgid "Uploaded to post"
msgstr "Vain tähän artikkeliin ladatut"

#: includes/fields/class-acf-field-file.php:229
#: includes/fields/class-acf-field-image.php:227
#: pro/fields/class-acf-field-gallery.php:669
msgid "Minimum"
msgstr "Minimiarvo(t)"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-file.php:241
msgid "Restrict which files can be uploaded"
msgstr "Määritä tiedoston koko"

#: includes/fields/class-acf-field-file.php:240
#: includes/fields/class-acf-field-image.php:256
#: pro/fields/class-acf-field-gallery.php:698
msgid "Maximum"
msgstr "Maksimiarvo(t)"

#: includes/fields/class-acf-field-file.php:251
#: includes/fields/class-acf-field-image.php:285
#: pro/fields/class-acf-field-gallery.php:727
msgid "Allowed file types"
msgstr "Sallitut tiedostotyypit"

#: includes/fields/class-acf-field-file.php:252
#: 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"
msgstr "Erota pilkulla. Jätä tyhjäksi, jos haluat sallia kaikki tiedostyypit"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Kartta"

#: includes/fields/class-acf-field-google-map.php:40
msgid "Locating"
msgstr "Paikannus"

#: includes/fields/class-acf-field-google-map.php:41
msgid "Sorry, this browser does not support geolocation"
msgstr "Pahoittelut, mutta tämä selain ei tuo paikannusta"

#: includes/fields/class-acf-field-google-map.php:113
msgid "Clear location"
msgstr "Tyhjennä paikkatieto"

#: includes/fields/class-acf-field-google-map.php:114
msgid "Find current location"
msgstr "Etsi nykyinen sijainti"

#: includes/fields/class-acf-field-google-map.php:117
msgid "Search for address..."
msgstr "Etsi osoite..."

#: includes/fields/class-acf-field-google-map.php:147
#: includes/fields/class-acf-field-google-map.php:158
msgid "Center"
msgstr "Sijainti"

#: includes/fields/class-acf-field-google-map.php:148
#: includes/fields/class-acf-field-google-map.php:159
msgid "Center the initial map"
msgstr "Kartan oletussijainti"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Zoom"
msgstr "Zoomaus"

#: includes/fields/class-acf-field-google-map.php:171
msgid "Set the initial zoom level"
msgstr "Aseta oletuszoomaus"

#: includes/fields/class-acf-field-google-map.php:180
#: includes/fields/class-acf-field-image.php:239
#: includes/fields/class-acf-field-image.php:268
#: includes/fields/class-acf-field-oembed.php:281
#: pro/fields/class-acf-field-gallery.php:681
#: pro/fields/class-acf-field-gallery.php:710
msgid "Height"
msgstr "Korkeus"

#: includes/fields/class-acf-field-google-map.php:181
msgid "Customise the map height"
msgstr "Muotoile kartan korkeus"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Ryhmä"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:389
msgid "Sub Fields"
msgstr "Alakentät"

#: includes/fields/class-acf-field-group.php:475
#: pro/fields/class-acf-field-clone.php:840
msgid "Specify the style used to render the selected fields"
msgstr "Määritä tyyli, jota käytetään valittujen kenttien luomisessa"

#: 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-repeater.php:458
msgid "Block"
msgstr "Lohko"

#: 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-repeater.php:457
msgid "Table"
msgstr "Taulukko"

#: 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-repeater.php:459
msgid "Row"
msgstr "Rivi"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Kuva"

#: includes/fields/class-acf-field-image.php:40
msgid "Select Image"
msgstr "Valitse kuva"

#: includes/fields/class-acf-field-image.php:41
#: pro/fields/class-acf-field-gallery.php:42
msgid "Edit Image"
msgstr "Muokkaa kuvaa"

#: includes/fields/class-acf-field-image.php:42
#: pro/fields/class-acf-field-gallery.php:43
msgid "Update Image"
msgstr "Päivitä kuva"

#: includes/fields/class-acf-field-image.php:44
msgid "All images"
msgstr "Kaikki kuvat"

#: includes/fields/class-acf-field-image.php:140
msgid "No image selected"
msgstr "Ei kuvia valittu"

#: includes/fields/class-acf-field-image.php:140
msgid "Add Image"
msgstr "Lisää kuva"

#: includes/fields/class-acf-field-image.php:194
msgid "Image Array"
msgstr "Kuva"

#: includes/fields/class-acf-field-image.php:195
msgid "Image URL"
msgstr "Kuvan URL"

#: includes/fields/class-acf-field-image.php:196
msgid "Image ID"
msgstr "Kuvan ID"

#: includes/fields/class-acf-field-image.php:203
msgid "Preview Size"
msgstr "Esikatselukuvan koko"

#: includes/fields/class-acf-field-image.php:204
msgid "Shown when entering data"
msgstr "Näytetään muokkausnäkymässä"

#: includes/fields/class-acf-field-image.php:228
#: includes/fields/class-acf-field-image.php:257
#: pro/fields/class-acf-field-gallery.php:670
#: pro/fields/class-acf-field-gallery.php:699
msgid "Restrict which images can be uploaded"
msgstr "Määritä millaisia kuvia voidaan ladata"

#: includes/fields/class-acf-field-image.php:231
#: includes/fields/class-acf-field-image.php:260
#: includes/fields/class-acf-field-oembed.php:270
#: pro/fields/class-acf-field-gallery.php:673
#: pro/fields/class-acf-field-gallery.php:702
msgid "Width"
msgstr "Leveys"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Linkki"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Valitse linkki"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "Avaa uuteen ikkunaan/välilehteen"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Linkkitaulukko (array)"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Linkin URL-osoite"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Viesti"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:135
msgid "New Lines"
msgstr "Uudet rivit"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:136
msgid "Controls how new lines are rendered"
msgstr "Määrittää kuinka uudet rivit muotoillaan"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:140
msgid "Automatically add paragraphs"
msgstr "Lisää automaattisesti kappale"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:141
msgid "Automatically add &lt;br&gt;"
msgstr "Lisää automaattisesti &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:142
msgid "No Formatting"
msgstr "Ei muotoilua"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escape HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "Haluatko, että HTML-merkinnät näkyvät tekstinä?"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Numero"

#: includes/fields/class-acf-field-number.php:159
#: includes/fields/class-acf-field-range.php:151
msgid "Minimum Value"
msgstr "Minimiarvo"

#: includes/fields/class-acf-field-number.php:168
#: includes/fields/class-acf-field-range.php:161
msgid "Maximum Value"
msgstr "Maksimiarvo"

#: includes/fields/class-acf-field-number.php:177
#: includes/fields/class-acf-field-range.php:171
msgid "Step Size"
msgstr "Askelluksen koko"

#: includes/fields/class-acf-field-number.php:215
msgid "Value must be a number"
msgstr "Arvon täytyy olla numero"

#: includes/fields/class-acf-field-number.php:233
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Arvon täytyy olla sama tai suurempi kuin %d"

#: includes/fields/class-acf-field-number.php:241
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Arvon täytyy olla sama tai pienempi kuin %d"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:219
msgid "Enter URL"
msgstr "Syötä URL"

#: includes/fields/class-acf-field-oembed.php:234
#: includes/fields/class-acf-field-taxonomy.php:898
msgid "Error."
msgstr "Virhe."

#: includes/fields/class-acf-field-oembed.php:234
msgid "No embed found for the given URL."
msgstr "Upotettavaa ei löytynyt annetusta URL-osoitteesta."

#: includes/fields/class-acf-field-oembed.php:267
#: includes/fields/class-acf-field-oembed.php:278
msgid "Embed Size"
msgstr "Upotuksen koko"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Arkistot"

#: 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
msgid "Filter by Post Type"
msgstr "Suodata tyypin mukaan"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:392
#: includes/fields/class-acf-field-relationship.php:631
msgid "All post types"
msgstr "Kaikki artikkelityypit"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:398
#: includes/fields/class-acf-field-relationship.php:637
msgid "Filter by Taxonomy"
msgstr "Suodata taksonomian mukaan"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:406
#: includes/fields/class-acf-field-relationship.php:645
msgid "All taxonomies"
msgstr "Kaikki taksonomiat"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Salli arkistojen URL-osoitteita"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:422
#: includes/fields/class-acf-field-select.php:396
#: includes/fields/class-acf-field-user.php:418
msgid "Select multiple values?"
msgstr "Valitse useita arvoja?"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Salasana"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:702
msgid "Post Object"
msgstr "Artikkeliolio"

#: includes/fields/class-acf-field-post_object.php:438
#: includes/fields/class-acf-field-relationship.php:703
msgid "Post ID"
msgstr "Artikkelin ID"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Valintanappi"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Muu"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "Lisää 'Muu' vaihtoehto salliaksesi mukautettuja arvoja"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Tallenna Muu"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Tallenna 'Muu’-kentän arvo kentän valinnaksi"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Liukusäädin"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Suodata artikkeleita"

#: includes/fields/class-acf-field-relationship.php:37
msgid "Minimum values reached ( {min} values )"
msgstr "Pienin määrä arvoja saavutettu ({min} arvoa)"

#: includes/fields/class-acf-field-relationship.php:38
msgid "Maximum values reached ( {max} values )"
msgstr "Maksimiarvo saavutettu ( {max} artikkelia )"

#: includes/fields/class-acf-field-relationship.php:39
msgid "Loading"
msgstr "Ladataan"

#: includes/fields/class-acf-field-relationship.php:40
msgid "No matches found"
msgstr "Ei yhtään osumaa"

#: includes/fields/class-acf-field-relationship.php:423
msgid "Select post type"
msgstr "Valitse artikkelityyppi"

#: includes/fields/class-acf-field-relationship.php:449
msgid "Select taxonomy"
msgstr "Valitse taksonomia"

#: includes/fields/class-acf-field-relationship.php:539
msgid "Search..."
msgstr "Etsi..."

#: includes/fields/class-acf-field-relationship.php:651
msgid "Filters"
msgstr "Suodattimet"

#: includes/fields/class-acf-field-relationship.php:657
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Artikkelityyppi"

#: includes/fields/class-acf-field-relationship.php:658
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:763
msgid "Taxonomy"
msgstr "Taksonomia"

#: includes/fields/class-acf-field-relationship.php:665
msgid "Elements"
msgstr "Elementit"

#: includes/fields/class-acf-field-relationship.php:666
msgid "Selected elements will be displayed in each result"
msgstr "Valitut elementit näytetään jokaisessa tuloksessa"

#: includes/fields/class-acf-field-relationship.php:677
msgid "Minimum posts"
msgstr "Vähimmäismäärä artikkeleita"

#: includes/fields/class-acf-field-relationship.php:686
msgid "Maximum posts"
msgstr "Maksimi artikkelit"

#: includes/fields/class-acf-field-relationship.php:790
#: pro/fields/class-acf-field-gallery.php:800
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s vaatii vähintään %s valinnan"
msgstr[1] "%s vaatii vähintään %s valintaa"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:785
msgctxt "noun"
msgid "Select"
msgstr "Valintalista"

#: includes/fields/class-acf-field-select.php:38
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "Yksi tulos on saatavilla. Valitse se painamalla enter-näppäintä."

#: includes/fields/class-acf-field-select.php:39
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"%d tulosta on saatavilla. Voit navigoida tuloksian välillä käyttämällä "
"”ylös” ja ”alas” -näppäimiä."

#: includes/fields/class-acf-field-select.php:40
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Osumia ei löytynyt"

#: includes/fields/class-acf-field-select.php:41
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Kirjoita yksi tai useampi merkki"

#: includes/fields/class-acf-field-select.php:42
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Kirjoita %d tai useampi merkkiä"

#: includes/fields/class-acf-field-select.php:43
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Poista 1 merkki"

#: includes/fields/class-acf-field-select.php:44
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Poista %d merkkiä"

#: includes/fields/class-acf-field-select.php:45
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Voit valita vain yhden kohteen"

#: includes/fields/class-acf-field-select.php:46
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Voit valita vain %d kohdetta"

#: includes/fields/class-acf-field-select.php:47
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Lataa lisää tuloksia &hellip;"

#: includes/fields/class-acf-field-select.php:48
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Etsii&hellip;"

#: includes/fields/class-acf-field-select.php:49
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Lataus epäonnistui"

#: includes/fields/class-acf-field-select.php:255 includes/media.php:54
msgctxt "verb"
msgid "Select"
msgstr "Valitse"

#: includes/fields/class-acf-field-select.php:406
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Tyylikäs käyttöliittymä"

#: includes/fields/class-acf-field-select.php:416
msgid "Use AJAX to lazy load choices?"
msgstr "Haluatko ladata valinnat laiskasti (käyttää AJAXia)?"

#: includes/fields/class-acf-field-select.php:427
msgid "Specify the value returned"
msgstr "Määritä palautetun arvon muoto"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Erotusmerkki"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Välilehti"

#: 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 ""
"Välilehtikentän ulkoasu rikkoutuu, jos lisätään taulukko-tyyli toistin "
"kenttä tai joustava sisältö kenttä asettelu"

#: includes/fields/class-acf-field-tab.php:83
msgid ""
"Use \"Tab Fields\" to better organize your edit screen by grouping fields "
"together."
msgstr ""
"Ryhmittele kenttiä käyttämällä ”välilehtikenttiä”. Näin saat selkeämmän "
"muokkausnäkymän."

#: 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 ""
"Kaikki kentät, jotka seuraavat tätä \"välilehtikenttää\" (tai kunnes toinen "
"\"välilehtikenttä\" määritellään) ryhmitellään yhteen ja välilehden "
"otsikoksi tulee tämän kentän nimiö."

#: includes/fields/class-acf-field-tab.php:98
msgid "Placement"
msgstr "Sijainti"

#: includes/fields/class-acf-field-tab.php:110
msgid "End-point"
msgstr "Välilehtiryhmän aloitus"

#: includes/fields/class-acf-field-tab.php:111
msgid "Use this field as an end-point and start a new group of tabs"
msgstr "Valitse ”kyllä”, jos haluat aloittaa uuden välilehtiryhmän."

#: includes/fields/class-acf-field-taxonomy.php:713
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Ei %s"

#: includes/fields/class-acf-field-taxonomy.php:732
msgid "None"
msgstr "Ei mitään"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Select the taxonomy to be displayed"
msgstr "Valitse taksonomia, joka näytetään"

#: includes/fields/class-acf-field-taxonomy.php:773
msgid "Appearance"
msgstr "Ulkoasu"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Select the appearance of this field"
msgstr "Valitse ulkoasu tälle kenttälle"

#: includes/fields/class-acf-field-taxonomy.php:779
msgid "Multiple Values"
msgstr "Mahdollisuus valita useita arvoja"

#: includes/fields/class-acf-field-taxonomy.php:781
msgid "Multi Select"
msgstr "Valitse useita"

#: includes/fields/class-acf-field-taxonomy.php:783
msgid "Single Value"
msgstr "Mahdollisuus valita vain yksi arvo"

#: includes/fields/class-acf-field-taxonomy.php:784
msgid "Radio Buttons"
msgstr "Valintanappi"

#: includes/fields/class-acf-field-taxonomy.php:803
msgid "Create Terms"
msgstr "Uusien ehtojen luominen"

#: includes/fields/class-acf-field-taxonomy.php:804
msgid "Allow new terms to be created whilst editing"
msgstr "Salli uusien ehtojen luominen samalla kun muokataan"

#: includes/fields/class-acf-field-taxonomy.php:813
msgid "Save Terms"
msgstr "Tallenna ehdot"

#: includes/fields/class-acf-field-taxonomy.php:814
msgid "Connect selected terms to the post"
msgstr "Yhdistä valitut ehdot artikkeliin"

#: includes/fields/class-acf-field-taxonomy.php:823
msgid "Load Terms"
msgstr "Lataa ehdot"

#: includes/fields/class-acf-field-taxonomy.php:824
msgid "Load value from posts terms"
msgstr "Lataa arvo artikkelin ehdoista"

#: includes/fields/class-acf-field-taxonomy.php:838
msgid "Term Object"
msgstr "Ehto"

#: includes/fields/class-acf-field-taxonomy.php:839
msgid "Term ID"
msgstr "Ehdon ID"

#: includes/fields/class-acf-field-taxonomy.php:898
#, php-format
msgid "User unable to add new %s"
msgstr "Käyttäjä ei voi lisätä uutta %s"

#: includes/fields/class-acf-field-taxonomy.php:911
#, php-format
msgid "%s already exists"
msgstr "%s on jo olemassa"

#: includes/fields/class-acf-field-taxonomy.php:952
#, php-format
msgid "%s added"
msgstr "%s lisättiin"

#: includes/fields/class-acf-field-taxonomy.php:997
msgid "Add"
msgstr "Lisää"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Teksti"

#: includes/fields/class-acf-field-text.php:151
#: includes/fields/class-acf-field-textarea.php:116
msgid "Character Limit"
msgstr "Merkkirajoitus"

#: includes/fields/class-acf-field-text.php:152
#: includes/fields/class-acf-field-textarea.php:117
msgid "Leave blank for no limit"
msgstr "Jos et halua rajoittaa, jätä tyhjäksi"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Tekstialue"

#: includes/fields/class-acf-field-textarea.php:125
msgid "Rows"
msgstr "Rivit"

#: includes/fields/class-acf-field-textarea.php:126
msgid "Sets the textarea height"
msgstr "Aseta tekstialueen koko"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Kellonaikavalitsin"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "”Tosi / Epätosi” -valinta"

#: includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159 includes/input.php:267
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Kyllä"

#: 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 "Ei"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Näytä teksti valintaruudun rinnalla"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Päällä -teksti"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Teksti, joka näytetään kun valinta on aktiivinen"

#: includes/fields/class-acf-field-true_false.php:165
msgid "Off Text"
msgstr "Pois päältä -teksti"

#: includes/fields/class-acf-field-true_false.php:166
msgid "Text shown when inactive"
msgstr "Teksti, joka näytetään kun valinta ei ole aktiivinen"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "Url"

#: includes/fields/class-acf-field-url.php:147
msgid "Value must be a valid URL"
msgstr "Arvon täytyy olla validi URL"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Käyttäjä"

#: includes/fields/class-acf-field-user.php:393
msgid "Filter by role"
msgstr "Suodata roolin mukaan"

#: includes/fields/class-acf-field-user.php:401
msgid "All user roles"
msgstr "Kaikki käyttäjäroolit"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "Wysiwyg-editori"

#: includes/fields/class-acf-field-wysiwyg.php:359
msgid "Visual"
msgstr "Graafinen"

#: includes/fields/class-acf-field-wysiwyg.php:360
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Teksti"

#: includes/fields/class-acf-field-wysiwyg.php:366
msgid "Click to initialize TinyMCE"
msgstr "Klikkaa ottaaksesi käyttöön graafisen editorin"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Tabs"
msgstr "Välilehdet"

#: includes/fields/class-acf-field-wysiwyg.php:424
msgid "Visual & Text"
msgstr "Graafinen ja teksti"

#: includes/fields/class-acf-field-wysiwyg.php:425
msgid "Visual Only"
msgstr "Vain graafinen"

#: includes/fields/class-acf-field-wysiwyg.php:426
msgid "Text Only"
msgstr "Vain teksti"

#: includes/fields/class-acf-field-wysiwyg.php:433
msgid "Toolbar"
msgstr "Työkalupalkki"

#: includes/fields/class-acf-field-wysiwyg.php:443
msgid "Show Media Upload Buttons?"
msgstr "Näytä Lisää media -painike?"

#: includes/fields/class-acf-field-wysiwyg.php:453
msgid "Delay initialization?"
msgstr "Viivytä alustusta?"

#: includes/fields/class-acf-field-wysiwyg.php:454
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "Graafista editoria ei käytetä ennen kuin kenttää klikataan"

#: includes/forms/form-comment.php:166 includes/forms/form-post.php:303
#: pro/admin/admin-options-page.php:308
msgid "Edit field group"
msgstr "Muokkaa kenttäryhmää"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "Validoi sähköposti"

#: includes/forms/form-front.php:103
#: pro/fields/class-acf-field-gallery.php:573 pro/options-page.php:81
msgid "Update"
msgstr "Päivitä"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Artikkeli päivitetty"

#: includes/forms/form-front.php:229
msgid "Spam Detected"
msgstr "Roskapostia havaittu"

#: includes/input.php:259
msgid "Expand Details"
msgstr "Enemmän tietoja"

#: includes/input.php:260
msgid "Collapse Details"
msgstr "Vähemmän tietoja"

#: includes/input.php:261
msgid "Validation successful"
msgstr "Kenttäryhmän validointi onnistui"

#: includes/input.php:262 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Lisäkentän validointi epäonnistui"

#: includes/input.php:263
msgid "1 field requires attention"
msgstr "Yksi kenttä vaatii huomiota"

#: includes/input.php:264
#, php-format
msgid "%d fields require attention"
msgstr "%d kenttää vaativat huomiota"

#: includes/input.php:265
msgid "Restricted"
msgstr "Rajoitettu"

#: includes/input.php:266
msgid "Are you sure?"
msgstr "Oletko varma?"

#: includes/input.php:270
msgid "Cancel"
msgstr "Peruuta"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Artikkeli"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Sivu"

#: includes/locations.php:96
msgid "Forms"
msgstr "Lomakkeet"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Liite"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Kaikki %s muodot"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentti"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Nykyinen käyttäjärooli"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super pääkäyttäjä"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Nykyinen käyttäjä"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Kirjautunut sisään"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Käyttää front endiä"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Käyttää back endiä"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Valikkokohde"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Valikko"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Valikkosijainnit"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Valikot"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Sivun vanhempi"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Sivupohja"

#: includes/locations/class-acf-location-page-template.php:98
#: includes/locations/class-acf-location-post-template.php:151
msgid "Default Template"
msgstr "Oletus sivupohja"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Sivun tyyppi"

#: includes/locations/class-acf-location-page-type.php:145
msgid "Front Page"
msgstr "Etusivu"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Posts Page"
msgstr "Artikkelit -sivu"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Top Level Page (no parent)"
msgstr "Ylätason sivu (sivu, jolla ei ole vanhempia)"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Parent Page (has children)"
msgstr "Vanhempi sivu (sivu, jolla on alasivuja)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Child Page (has parent)"
msgstr "Lapsi sivu (sivu, jolla on vanhempi)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Artikkelin kategoria"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Artikkelin muoto"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Artikkelin tila"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Artikkelin taksonomia"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Sivupohja"

#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy Term"
msgstr "Taksonomian ehto"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Käyttäjälomake"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Lisää / Muokkaa"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Rekisteröi"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Käyttäjän rooli"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Vimpain"

#: includes/media.php:55
msgctxt "verb"
msgid "Edit"
msgstr "Muokkaa"

#: includes/media.php:56
msgctxt "verb"
msgid "Update"
msgstr "Päivitä"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s arvo on pakollinen"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO -lisäosan"

#: pro/admin/admin-options-page.php:200
msgid "Publish"
msgstr "Julkaistu"

#: pro/admin/admin-options-page.php:206
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Yhtään lisäkenttäryhmää ei löytynyt tälle asetussivulle. <a href=\"%s\">Luo "
"lisäkenttäryhmä</a>"

#: pro/admin/admin-settings-updates.php:78
msgid "<b>Error</b>. Could not connect to update server"
msgstr "<b>Virhe</b>. Ei voitu yhdistää päivityspalvelimeen"

#: pro/admin/admin-settings-updates.php:162
#: pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Päivitykset"

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Poista lisenssi käytöstä "

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Aktivoi lisenssi"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Näytä lisenssitiedot"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Ottaaksesi käyttöön päivitykset, syötä lisenssiavaimesi alle. Jos sinulla ei "
"ole lisenssiavainta, katso <a href=\"%s\" target=”_blank”>tarkemmat tiedot & "
"hinnoittelu</a>"

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Lisenssiavain"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Päivitä tiedot"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Nykyinen versio"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Uusin versio"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Päivitys saatavilla?"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Päivitä lisäosa"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "Syötä lisenssiavain saadaksesi päivityksiä"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Tarkista uudelleen"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Päivitys Ilmoitus"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klooni"

#: pro/fields/class-acf-field-clone.php:808
msgid "Select one or more fields you wish to clone"
msgstr "Valitse kentä(t), jotka haluat kopioida"

#: pro/fields/class-acf-field-clone.php:825
msgid "Display"
msgstr "Näytä"

#: pro/fields/class-acf-field-clone.php:826
msgid "Specify the style used to render the clone field"
msgstr "Määritä tyyli, jota käytetään kloonikentän luomisessa"

#: pro/fields/class-acf-field-clone.php:831
msgid "Group (displays selected fields in a group within this field)"
msgstr "Ryhmä (valitut kentät näytetään ryhmänä tämän klooni-kentän sisällä)"

#: pro/fields/class-acf-field-clone.php:832
msgid "Seamless (replaces this field with selected fields)"
msgstr "Saumaton (korvaa tämä klooni-kenttä valituilla kentillä)"

#: pro/fields/class-acf-field-clone.php:853
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Kenttän nimiö näytetään seuraavassa muodossa: %s"

#: pro/fields/class-acf-field-clone.php:856
msgid "Prefix Field Labels"
msgstr "Kentän nimiön etuliite"

#: pro/fields/class-acf-field-clone.php:867
#, php-format
msgid "Values will be saved as %s"
msgstr "Arvot tallennetaan muodossa: %s"

#: pro/fields/class-acf-field-clone.php:870
msgid "Prefix Field Names"
msgstr "Kentän nimen etuliite"

#: pro/fields/class-acf-field-clone.php:988
msgid "Unknown field"
msgstr "Tuntematon kenttä"

#: pro/fields/class-acf-field-clone.php:1027
msgid "Unknown field group"
msgstr "Tuntematon kenttäryhmä"

#: pro/fields/class-acf-field-clone.php:1031
#, php-format
msgid "All fields from %s field group"
msgstr "Kaikki kentät kenttäryhmästä %s"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:174
#: pro/fields/class-acf-field-repeater.php:470
msgid "Add Row"
msgstr "Lisää rivi"

#: pro/fields/class-acf-field-flexible-content.php:34
msgid "layout"
msgstr "asettelu"

#: pro/fields/class-acf-field-flexible-content.php:35
msgid "layouts"
msgstr "asettelua"

#: pro/fields/class-acf-field-flexible-content.php:36
msgid "remove {layout}?"
msgstr "poista {layout}?"

#: pro/fields/class-acf-field-flexible-content.php:37
msgid "This field requires at least {min} {identifier}"
msgstr "Tämä kenttä vaatii vähintään {min} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:38
msgid "This field has a limit of {max} {identifier}"
msgstr "Tämän kentän yläraja on {max} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:39
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Tämä kenttä vaatii vähintään {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:40
msgid "Maximum {label} limit reached ({max} {identifier})"
msgstr "Maksimi {label} saavutettu ({max} {identifier})"

#: pro/fields/class-acf-field-flexible-content.php:41
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} saatavilla (max {max})"

#: pro/fields/class-acf-field-flexible-content.php:42
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} vaadittu (min {min})"

#: pro/fields/class-acf-field-flexible-content.php:43
msgid "Flexible Content requires at least 1 layout"
msgstr "Vaaditaan vähintään yksi asettelu"

#: pro/fields/class-acf-field-flexible-content.php:273
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klikkaa ”%s” -painiketta luodaksesi oman asettelun"

#: pro/fields/class-acf-field-flexible-content.php:406
msgid "Add layout"
msgstr "Lisää asettelu"

#: pro/fields/class-acf-field-flexible-content.php:407
msgid "Remove layout"
msgstr "Poista asettelu"

#: pro/fields/class-acf-field-flexible-content.php:408
#: pro/fields/class-acf-field-repeater.php:298
msgid "Click to toggle"
msgstr "Piilota/Näytä"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder Layout"
msgstr "Järjestä asettelu uudelleen"

#: pro/fields/class-acf-field-flexible-content.php:554
msgid "Reorder"
msgstr "Järjestä uudelleen"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Delete Layout"
msgstr "Poista asettelu"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Duplicate Layout"
msgstr "Monista asettelu"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Add New Layout"
msgstr "Lisää uusi asettelu"

#: pro/fields/class-acf-field-flexible-content.php:628
msgid "Min"
msgstr "Min"

#: pro/fields/class-acf-field-flexible-content.php:641
msgid "Max"
msgstr "Maks"

#: pro/fields/class-acf-field-flexible-content.php:668
#: pro/fields/class-acf-field-repeater.php:466
msgid "Button Label"
msgstr "Painikkeen teksti"

#: pro/fields/class-acf-field-flexible-content.php:677
msgid "Minimum Layouts"
msgstr "Asetteluita vähintään"

#: pro/fields/class-acf-field-flexible-content.php:686
msgid "Maximum Layouts"
msgstr "Asetteluita enintään"

#: pro/fields/class-acf-field-gallery.php:41
msgid "Add Image to Gallery"
msgstr "Lisää kuva galleriaan"

#: pro/fields/class-acf-field-gallery.php:45
msgid "Maximum selection reached"
msgstr "Et voi valita enempää kuvia"

#: pro/fields/class-acf-field-gallery.php:321
msgid "Length"
msgstr "Pituus"

#: pro/fields/class-acf-field-gallery.php:364
msgid "Caption"
msgstr "Kuvateksti"

#: pro/fields/class-acf-field-gallery.php:373
msgid "Alt Text"
msgstr "Vaihtoehtoinen teksti"

#: pro/fields/class-acf-field-gallery.php:544
msgid "Add to gallery"
msgstr "Lisää galleriaan"

#: pro/fields/class-acf-field-gallery.php:548
msgid "Bulk actions"
msgstr "Massatoiminnot"

#: pro/fields/class-acf-field-gallery.php:549
msgid "Sort by date uploaded"
msgstr "Lajittele latauksen päivämäärän mukaan"

#: pro/fields/class-acf-field-gallery.php:550
msgid "Sort by date modified"
msgstr "Lajittele viimeisimmän muokkauksen päivämäärän mukaan"

#: pro/fields/class-acf-field-gallery.php:551
msgid "Sort by title"
msgstr "Lajittele otsikon mukaan"

#: pro/fields/class-acf-field-gallery.php:552
msgid "Reverse current order"
msgstr "Käännän nykyinen järjestys"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Close"
msgstr "Sulje"

#: pro/fields/class-acf-field-gallery.php:624
msgid "Minimum Selection"
msgstr "Pienin määrä kuvia"

#: pro/fields/class-acf-field-gallery.php:633
msgid "Maximum Selection"
msgstr "Suurin määrä kuvia"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Insert"
msgstr "Lisää"

#: pro/fields/class-acf-field-gallery.php:643
msgid "Specify where new attachments are added"
msgstr "Määritä mihin uudet liitteet lisätään"

#: pro/fields/class-acf-field-gallery.php:647
msgid "Append to the end"
msgstr "Lisää loppuun"

#: pro/fields/class-acf-field-gallery.php:648
msgid "Prepend to the beginning"
msgstr "Lisää alkuun"

#: pro/fields/class-acf-field-repeater.php:36
msgid "Minimum rows reached ({min} rows)"
msgstr "Pienin määrä rivejä saavutettu ({min} riviä)"

#: pro/fields/class-acf-field-repeater.php:37
msgid "Maximum rows reached ({max} rows)"
msgstr "Suurin määrä rivejä saavutettu ({max} riviä)"

#: pro/fields/class-acf-field-repeater.php:343
msgid "Add row"
msgstr "Lisää rivi"

#: pro/fields/class-acf-field-repeater.php:344
msgid "Remove row"
msgstr "Poista rivi"

#: pro/fields/class-acf-field-repeater.php:419
msgid "Collapsed"
msgstr "Piilotettu"

#: pro/fields/class-acf-field-repeater.php:420
msgid "Select a sub field to show when row is collapsed"
msgstr "Valitse alakenttä, joka näytetään, kun rivi on piilotettu"

#: pro/fields/class-acf-field-repeater.php:430
msgid "Minimum Rows"
msgstr "Pienin määrä rivejä"

#: pro/fields/class-acf-field-repeater.php:440
msgid "Maximum Rows"
msgstr "Suurin määrä rivejä"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Yhtään Asetukset-sivua ei ole olemassa"

#: pro/options-page.php:51
msgid "Options"
msgstr "Asetukset"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Asetukset päivitetty"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Ottaaksesi käyttöön päivitykset, ole hyvä ja syötä lisenssiavaimesi <a href="
"\"%s\">Päivitykset</a> -sivulle. jos sinulla ei ole lisenssiavainta, katso "
"<a href=\"%s\">tarkemmat tiedot & hinnoittelu</a>"

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "http://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Disabled"
#~ msgstr "Poistettu käytöstä"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Poistettu käytöstä <span class=”count”>(%s)</span>"
#~ msgstr[1] "Poistettu käytöstä <span class=”count”>(%s)</span>"

#~ msgid "Getting Started"
#~ msgstr "Miten pääset alkuun"

#~ msgid "Field Types"
#~ msgstr "Kenttätyypit"

#~ msgid "Functions"
#~ msgstr "Funktiot"

#~ msgid "Actions"
#~ msgstr "Toiminnot"

#~ msgid "'How to' guides"
#~ msgstr "\"Miten\" oppaat"

#~ msgid "Tutorials"
#~ msgstr "Oppaat"

#~ msgid "FAQ"
#~ msgstr "UKK"

#~ msgid "Created by"
#~ msgstr "Tekijä"

#~ msgid "Error loading update"
#~ msgstr "Virhe ladattaessa päivitystä"

#~ msgid "Error"
#~ msgstr "Virhe"

#~ msgid "See what's new"
#~ msgstr "Katso mitä uutta"

#~ msgid "eg. Show extra content"
#~ msgstr "Esim. näytä ylimääräinen sisältö"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "Yksi kenttä vaatii huomiota"
#~ msgstr[1] "%d kenttää vaatii huomiota."

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Virhe lisenssin URL:n validoinnissa (websivu ei täsmää). Ole hyvä ja "
#~ "aktivoi lisenssisi uudelleen"

#~ msgid "See what's new in"
#~ msgstr "Katso mitä uutta löytyy"

#~ msgid "version"
#~ msgstr "versiosta"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Onnistui!</b> Tuontityökalu lisäsi %s kenttäryhmään: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Varoitus!</b> Tuontityökalu havaitsi %s kenttäryhmää on jo olemassa ja "
#~ "siksi ne jätettiin huomiotta: %s\t"

#~ msgid "Upgrade ACF"
#~ msgstr "Päivitä ACF"

#~ msgid "Upgrade"
#~ msgstr "Päivitä"

#~ msgid "Drag and drop to reorder"
#~ msgstr "Vedä ja pudota muuttaaksesi järjestystä"

#~ msgid "Show a different month"
#~ msgstr "Näytä eri kuuakusi"

#~ msgid "Return format"
#~ msgstr "Palautusmuoto"

#~ msgid "uploaded to this post"
#~ msgstr "ladattu tähän artikkeliin"

#~ msgid "File Size"
#~ msgstr "Tiedoston koko"

#~ msgid "No File selected"
#~ msgstr "Ei tiedostoa valittu"

#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr "Huomioithan, että teksti syötetään aina funktiolle  "

#~ msgid "Warning"
#~ msgstr "Varoitus"

#~ msgid "Add new %s "
#~ msgstr "Lisää uusi %s "

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr ""
#~ "Olemme pahoillamme, mutta tapahtui <b>Yhteysvirhe</b>. Ole hyvä ja yritä "
#~ "uudelleen"

#~ msgid "Save Options"
#~ msgstr "Tallenna asetukset"

#~ msgid "License"
#~ msgstr "lisenssi"

#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Saadaksesi mahdollisuuden päivityksiin, syötä lisenssiavain. Jos sinulla "
#~ "ei ole lisenssiavainta, katso"

#~ msgid "details & pricing"
#~ msgstr "lisätiedot & hinnoittelu"

#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

#~ msgid "Show Field Keys"
#~ msgstr "Näytä kenttäavain"

#~ msgid "Import / Export"
#~ msgstr "Tuonti / vienti"

#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "Kenttäryhmät luodaan järjestyksessä alkaen pienimmästä järjestysnumerosta"

#~ msgid "Upgrading data to "
#~ msgstr "Päivitetään data versioon %s"

#~ msgid "Hide / Show All"
#~ msgstr "Piilota / Näytä kaikki"

#~ msgid "Pending Review"
#~ msgstr "Odottaa tarkistusta"

#~ msgid "Draft"
#~ msgstr "Luonnos"

#~ msgid "Future"
#~ msgstr "Tuleva"

#~ msgid "Private"
#~ msgstr "Yksityinen"

#~ msgid "Revision"
#~ msgstr "Tarkastettu"

#~ msgid "Trash"
#~ msgstr "Roskakori"

#~ msgid "ACF PRO Required"
#~ msgstr "Vaaditaan 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."
#~ msgstr ""
#~ "Olemme havainneet ongelman, joka vaatii huomiotasi: Tämä websivu käyttää "
#~ "premium lisäosia (%s), jotka eivät enää ole yhteensopivia ACF:n kanssa."

#~ msgid ""
#~ "Don't panic, you can simply roll back the plugin and continue using ACF "
#~ "as you know it!"
#~ msgstr ""
#~ "Ei kuitenkaan hätää! Voit helposti palata ja jatkaa ACF:n käyttöä "
#~ "sellaisena kuin sen tunnet!"

#~ msgid "Roll back to ACF v%s"
#~ msgstr "Palaa takaisin ACF v%s:ään"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "Lue miksi ACF PRO vaaditaan sivustollani"

#~ msgid "Data Upgrade"
#~ msgstr "Tietojen päivitys"

#~ msgid "Data upgraded successfully."
#~ msgstr "Tietojen päivitys onnistui!"

#~ msgid "Data is at the latest version."
#~ msgstr "Tiedot ovat ajan tasalla."

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "Yksi vaadittu kenttä on tyhjä"
#~ msgstr[1] "%s valittua kenttää ovat tyhjiä"

#~ msgid "Load & Save Terms to Post"
#~ msgstr "Lataa & tallenna taksonomian ehdot artikkeliin"

#~ msgid ""
#~ "Load value based on the post's terms and update the post's terms on save"
#~ msgstr ""
#~ "Lataa arvo perustuen artikkelin ehtoihin ja päivitä artikkelin ehdot "
#~ "tallennettaessa"
PK�[�E¤���lang/acf-hu_HU.monu�[������|e�p&Dq&�&�&�&0�&0')I'5s'\�'0("7(�Z(;�(;)C)-T)
�)�)	�)�)�)
�)�)�)�)
�)*	**'*/*F*�J*�"+�+�+�+�+�+ ,4,M,T,
],h,o,�,�,c�,- ---D-Y-k-�-�-�-
�-�-�-	�-�-�-�-�-..!.'.96.p.v.�.�.�.�.�.�.�.�.#�.[/
g/r/
�/�/�/�/�/�/
�/�/
�/0
00$03080K0`0y0	�0�0�0�0�0
�0�0	�0
�0
�01
1
1	1 (1&I1p1&v1�1�1�1�1�1�1�1�12
2
"2-292T2k2~2R�2�23!363P3AW3�3
�3�3	�3	�3�3�3�3�344"4+34C_4?�4�4�4
�4	�45
5"525
M5X5_5n5
�5�5�5�5	�5�5.�5�5�5

66+6�>6�6�6	�6774&7[7yo7�7�7�788848A8I8Q8]8|8
�8�8�8��8B9F9V9c9
u9
�9!�9�9'�92�9(:/:7:;:K:X:
j:!x:	�:<�:�:�:�:
;;.;
K;Y;f;v;	{;�;	�;�;	�;J�;</
<N=<.�<Q�<Q
=_=`b=�=�=�=>!>!2>T>Tm>�>�>�>�>
?(?-?D?I?P?X?e?u?	{?�?�?�?	�?�?
�?	�?�?
�?�?	@
@5@GQ@�@�@
�@�@�@�@�@
�@	�@�@
AA#A+A8A@A
MA2[A�A��AOB
XBcBpB
�B
�B�B�B�B	�B	�B
�B�B
�B�B	CCC*$COC
\CgC}C�C
�C�C	�C�C�C�C�C�CDD(D@DQD�aD�D2F3FCF^FwF�F�F�F�F�F�FG6GFGKG0bG�G�G
�G'�G�G	HHH
'H2H>HSHWH]HbH
kHyH�H�H	�H!�HZ�H(I*BI6mIr�I<J,TJ/�J7�J3�J	K'K�-Kk�Kc?L�L�L�L�L	�L�L�L�L�LMMM
,M:MBMJMYMvMQ�M�M�M	�M	NN#N9N(PN'yN�N
�N�N�N��N'rO�O!�O
�O�O�O�O�O2�O(P,P4P9PKPbPnP~P�P�P�P�P	�P�P�P�P6�P4Q<CQ{�T�TU,U>AUE�U>�UIV�OVD�V+W�GWH&XoX�XL�X�XYY %YFYWYjY�Y�Y�Y�Y�Y�YZ3ZJZ�RZ�8[�[ �[\ \!?\!a\�\�\�\�\�\*�\$�\	]y#]�]�]"�]�]&�]#^8^>^
N^
\^g^s^�^�^�^�^ �^__2_;_BJ_	�_�_�_�_�_�_�_�_``/0`]``�`�`�`�`�`a"a3aPaiara�a�a�a�a�a�a�a@b+Gbsb�b�b�b�b�b�bcc'c;c
BcPc
dc6rc6�c�c8�cd$d,dBd%_d�d�d�d�d	�d�d
�d!�d�de*elJe�e)�e�ef+fe2f�f�f�f	�f�f	�f�fgg3g<g$[gB�gd�gg(h	�h	�h�h�h�h�h�h#�hi	!i+i?iTi`iei|i�i�i_�ij j 6jWj$vj��jhk�k
�k�k
�kD�kl|l�l�l�l�l�l �l
m
mm%m/1m
am
lmwm�m��mPnXntn�n�n�nK�n6o:Uo@�o�o�o�o�o
p%p<pRLp
�pY�pqq.qJq$^q1�q�q'�q
�qr	rr r-r	:rqDr�rY�r`#s=�sn�st1t�tb�t
u*&uQu*iu�u5�u&�um
vxv�v�v�v�v�v�vww(w7wLwdwlwtw{w�w�w
�w�w�w�w�wxx2x=ExK�x	�x
�x�x�xy!&yHy%\y�y�y�y�y�y�y
�yz !zABz%�z��z�{
�{�{�{�{�{|'
|!5|
W|	b|l|�|�|�|�|�|
�|@�|}5}F}f}o}�}�}�}�}�}�}~~:~O~c~}~�~��~_5~�%��ڀ"�*�B� `��� ����	ρفc�N�h�5��&��%��P�o�����!����ƃӃ	�
���� �:�Q�e�t�/��_��; �.\�J��uօGL�@��HՆP�-o������������"�����ˉЉ�����#�:�M�_�y�
������ ʊ�l�;s���ċۋ���*�>?�=~���Ɍ݌����B�7�)H�r������
��q���
 �+�4�"I�l�u�����������ďԏ ��D�H[�J� 2�v������=8%�����lH�r���;+�����~Y e/s�[n@��Q�x�#5�%o�!U�1�	IN_���~���q���)l���}�a3�����k+��ky�4�����f�Bc�'w��i��`j�������$���"�J�1R�^Q����wG<sS@�E4���=)*�#�bA��P�
fiz��g�E�VN,6��PV��>?,���"��S�R�ev��&|h8tT(�g��yu����F�0�
���'`?t�;�*����M�[��W�qF_L��ou�	�-K�M�:�U��|Gz{�m��B������]A��&
��7�
�Y��m7���6��d�C�]xDprHX��a.�Z�LI}.��pd�X��9<\9T��WO$O��{�����!��K5>��������3jb-n�/C2D���:��^��hc�(���Z��0��\%s requires at least %s selection%s requires at least %s selections%s value is required'How to' guides+ Add Field<b>Connection Error</b>. Sorry, please try again<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Success</b>. Import tool added %s field groups: %s<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %sA new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActionsActivate LicenseAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 post typesAll user rolesAllow Null?Appears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutCloseClose FieldClose WindowCollapse DetailsColor PickerCommentCommentsConditional LogicContentContent EditorControls how new lines are renderedCreate a set of rules to determine which edit screens will use these advanced custom fieldsCreated byCurrent VersionCustom FieldsCustomise the map heightDate PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDiscussionDisplayDisplay FormatDoneDownload & InstallDownload export fileDrag and drop to reorderDrag to reorderDuplicateDuplicate LayoutDuplicate fieldEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldElementsEmailEmbed SizeEnter URLEnter each choice on a new line.Enter each default value on a new lineErrorError uploading file. Please try againError.ExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField LabelField NameField TypeField TypesField group draft updated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group title is requiredField group updated.Field type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile NameFile SizeFile URLFilter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFunctionsGalleryGenerate export codeGetting StartedGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalImageImage ArrayImage IDImage URLImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLibraryLicenseLicense KeyLimit the media library choiceLoadingLocal JSONLocatingLocationMany 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!MaxMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum rows reached ({min} rows)More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo File selectedNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlease enter your license key above to unlock updatesPlease note that all text will first be passed through the wp function PositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesReturn FormatReturn ValueReturn formatReverse current orderRevisionsRowsRulesSave 'other' values to the field's choicesSave OptionsSave OtherSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's newSee what's new inSelectSelect ColorSelect Field GroupsSelect FileSelect ImageSelect multiple values?Select post typeSelect taxonomySelect 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 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.Selected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightShow Media Upload Buttons?Show a different monthShow this field group ifShow this field ifShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)Step SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONTabTableTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please seeTodayToolbarTop alignedTrue / FalseTutorialsTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgradeUpgrade NoticeUpgrading data to version %sUploaded to postUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?UserUser FormUser RoleValidation failedValidation successfulValue must be a numberValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupWarningWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedcopydetails & pricingeg. Show extra contentis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?uploaded to this postversion{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.2.9
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2015-08-11 23:26+0200
PO-Revision-Date: 2018-02-06 10:06+1000
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Elliot Condon <e@elliotcondon.com>
Language: hu_HU
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n != 1);
X-Generator: Poedit 1.8.1
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%s mező esetében legalább %s értéket ki kell választani%s mező esetében legalább %s értéket ki kell választani%s kitöltése kötelező'Hogyan?' útmutatók+ Mező hozzáadása<b>Kapcsolódási hiba</b>. Elnézést, próbáljuk meg újra.<b>Hiba</b>. Nem hozható létre kapcsolat a frissítési szerverrel.<b>Hiba</b>. A bővítmények listáját nem lehet betölteni.<b>Sikeres</b>. Az importáló eszköz %s mezőcsoportot adott hozzá: %s<b>Figyelmeztetés</b>. Az importáló eszköz észlelte, hogy %s mezőcsoport már létezik, így ezeket figyelmen kívül hagyta: %sÚj mezőtípus áll rendelkezésre beágyazott tartalmak számára.Az egyéni mezők használatának élményeAz 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 a mezőbeállításokat már külön bejegyzésobjektumokba mentiMűveletek (actions)Licenc aktiválása'Egyéb' választási lehetőség hozzáadása egyéni érték megadásáhozHozzáadás / SzerkesztésFájl hozzáadásaKép hozzáadásaKép hozzáadása a galériáhozÚj hozzáadásaMező hozzáadásaÚj mezőcsoport hozzáadásaÚj elrendezés hozzáadásaSor hozzáadásaElrendezés hozzáadásaSor hozzáadásaSzabálycsoport hozzáadásaHozzáadás galériáhozKiegészítő bővítményekAdvanced Custom FieldsÖsszesAz új <a href="%s">ACF PRO változat</a> 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.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.Minden bejegyzéstípusMinden felhasználói szerepkörÜres mező engedélyezéseBeviteli mező után jelenik megBeviteli mező előtt jelenik megÚj bejegyzés létrehozásánálBeviteli mezőben jelenik megUtótagArchívumokCsatolmánySzerző&lt;br&gt; címke automatikus hozzáadásaBekezdések automatikus hozzáadásaAlapvetőMielőtt használni kezdenénk az elképesztő új szolgáltatásokat, frissítsük az adatbázist a legújabb verzióra.Mezők alattMezőfeliratok alattJobb felhasználó oldali űrlapokJobb beállítás oldalakJobb ellenőrzés és érvényesítésJobb verziókezelésBlokkCsoportműveletGomb felirataKategóriaKözéppontTérkép kezdő középpontjaVáltozások (changelog)KarakterkorlátIsmételt ellenőrzésJelölődoboz (checkbox)Gyermekoldal (van szülőoldala)VálasztásVálasztási lehetőségekTörlésHely törléseKattintsunk lent a "%s" gombra egyéni tartalom létrehozásához.BezárásMező bezárásaAblak bezárásaRészletek bezárásaSzínválasztóHozzászólásHozzászólásokLogikai feltételekTartalomTartalomszerkesztőAz új sorok megjelenítésének szabályozásaHozzunk létre szabályokat, hogy melyik szerkesztőképernyők használják a mezőcsoportotSzerzőJelenlegi verzióEgyéni mezőkTérkép magasságaDátumválasztóLicenc deaktiválásaAlapértelmezettAlapértelmezett sablonmintaAlapértelmezett értékTörlésElrendezés törléseMező törléseInterakcióMegjelenítésMegjelenítési formátumKészLetöltés és telepítésExportfájl letöltéseRendezéshez fogjuk meg és húzzuk a mezőt a megfelelő helyreÁtrendezéshez húzzuk a megfelelő helyreDuplikálásElrendezés duplikálásaMező duplikálásaEgyszerű frissítésSzerkesztésMező szerkesztéseMezőcsoport szerkesztéseFájl szerkesztéseKép szerkesztéseMező szerkesztéseElemekEmail (email)Beágyazási méretURL megadásaMinden választási lehetőséget új sorba kell írniMinden alapértelmezett értéket új sorba kell írniHibaHiba a fájl feltöltése során. Próbáljuk meg újra.Hiba.KivonatRészletek kibontásaMezőcsoportok exportálásaMezőcsoport exportálása PHP kódbaKiemelt képMezőMezőcsoportMezőfeliratMezőnévMezőtípusMezőtípusokMezőcsoport vázlata frissítve.Mezőcsoport közzétéve.Mezőcsoport elmentve.Bejegyzéscsoport előjegyezve.A mezőcsoport beállításai kiegészültek a mezőfeliratok és útmutatók elhelyezési lehetőségeivel.Mezőcsoport elküldve.A mezőcsoport címét kötelező megadniMezőcsoport frissítve.Mezőtípus nem létezikMezőkA mezők már hozzászólásokhoz, widgetekhez és felhasználói adatlapokhoz is hozzárendelhetők.FájlFájl adattömb (array)Fájl azonosítóFájlnévFájlméretFájl URLSzűrés bejegyzéstípusraSzűrés osztályozásraSzűrés szerepkörreSzűrőkJelenlegi hely meghatározásaRugalmas tartalom (flexible content)Rugalmas tartalomnál legalább egy elrendezést definiálni kell.A testreszabhatóság érdekében az érték és a felirat is meghatározható a következő módon:Az űrlapok érvényesítése már nem kizárólag JS által, hanem PHP + AJAX megoldással történik.FormátumAdatlapokKezdőoldalFunkciók (functions)GalériaKód generálásaKezdjük elViszlát kiegészítők, helló PROGoogle TérképMagasságNe legyen láthatóMagasan (cím után)VízszintesKépKép adattömb (array)Kép azonosítóKép URLImportálásAz importálás és exportálás JSON formátumban történik a korábbi XML megoldás helyett.Mezőcsoportok importálásaAz importfájl üres.Továbbfejlesztett adatszerkezetTovábbfejlesztett megjelenésTovábbfejlesztett használhatóságA 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.Érvénytelen fájltípus.InformációTelepítveÚtmutató elhelyezéseÚtmutatóÚtmutató a szerzők számára, az adatok bevitelénél jelenik megAz ACF PRO bemutatásaA folytatás előtt ajánlatos biztonsági mentést készíteni az adatbázisról. Biztosan futtatni akarjuk a frissítést?FeliratMezőfelirat elhelyezéseNagy méretLegújabb verzióTartalom elrendezésMellőzéséhez hagyjuk üresen BalraMédiatárLicencLicenckulcsKiválasztható médiatár elemek korlátozásaBetöltésHelyi JSONHelymeghatározásMegjelenítés helyeSzá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.MaximumTartalmak maximális számaSorok maximális számaMaximális választásMaximum értékBejegyzések maximális számaElértük a sorok maximális számát (legfeljebb {max} sor adható hozzá)Elértük a kiválasztható elemek maximális számátElértük a mező maximális értékét (legfeljebb {max}){label} elrendezésből több nem adható hozzá (maximum {max})Közepes méretÜzenetMinimumTartalmak minimális számaSorok minimális számaMinimális választásMinimum értékNem érjük el a sorok minimális számát (legalább {min} sort hozzá kell adni)Több AJAXTöbb mező használ AJAX-alapú keresést az oldal gyorsabb betöltésének érdekében.ÁthelyezésÁthelyezés befejeződött.Egyéni mező áthelyezéseMező áthelyezéseMező áthelyezése másik csoportbaÁthelyezés a lomtárba. Biztosak vagyunk benne?Mezők áthelyezéseTöbbszörös választó (multi select)Több értékNévÚj mezőÚj mezőcsoportÚj űrlapokÚj galériaÚj sorokÚ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.Új beállításokÚj 'Archívumok' csoport az oldalhivatkozás mezőtípus választási lehetőségeinél.Az új JSON autoexport szolgáltatás lehetővé teszi a mezőbeállítások verziókezelését.Az új JSON autoexport szolgáltatás javítja a sebességet.A mezőcsoportok új szolgáltatásaival az egyes mezők csoportok és szülőmezők között is mozgathatók.A beállítás oldalakhoz kapcsolódó új funkciók segítségével szülő- és gyermekoldalak is létrehozhatók.NemNincsenek mezőcsoportok ehhez a beállítás oldalhoz. <a href="%s">Mezőcsoport hozzáadása</a>Nincsenek mezőcsoportokNem található mezőcsoport a lomtárban.Mezők nem találhatókNem található mezőcsoport a lomtárban.Nincs fájl kiválasztvaNem található beágyazható elem a megadott URL-en.Nincsenek mezőcsoportok kiválasztva.Nincsenek mezők. Kattintsunk a <strong>+Mező hozzáadása</strong> gombra az első mező létrehozásához.Nincs fájl kiválasztvaKép nincs kiválasztvaNincs egyezésNincsenek beállítás oldalakVáltómezők nem elérhetőkNincsNormál (tartalom után)NullSzám (number)BeállításokBeállítások oldalBeállítások elmentveSorrendSorrendEgyébOldalOldal tulajdonságaiOldalhivatkozásOldal szülőOldal-sablonmintaOldaltípusSzülőoldal (vannak gyermekei)Fölérendelt mezőkJelszó (password)Közvetlen hivatkozásHelyőrző szövegAdjuk meg a licenckulcsot a frissítések engedélyezéséhezMinden szöveg elsőként áthalad a következő beépített WP funkción: PozícióBejegyzésBejegyzés-kategóriaBejegyzés-formátumBejegyzés azonosítóBejegyzés objektum (post object)Bejegyzés-állapotBejegyzés-osztályozás (taxonómia)Bejegyzés típusaBejegyzés frissítveBejegyzések oldalaHatékony szolgáltatásokElőtagElőnézeti méretKözzétételVálasztógomb (radio button)Választógombok (radio buttons)További információk az <a href="%s">ACF PRO változatról</a>.Frissítési feladatok beolvasása...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.RegisztrálásRelációsKapcsolat (relationship)Kapcsolat mezőtípusElrendezés eltávolításaSor eltávolításaÁtrendezésElrendezés sorrendjének módosításaIsmétlő csoportmező (repeater)KötelezőForrásokVisszaadott formátumVisszaadott értékVisszaadott formátumFordított sorrendVáltozatokSorokSzabályokEgyéni értékek mentése a mező választási lehetőségeihezBeállítások mentéseSorrend mentéseÁtmenet nélkül (nincs doboz)KeresésMezőcsoportok kereséseMezők kereséseCím keresése...Keresés...Újdonságok áttekintéseÚjdonságok áttekintése:Választólista (select)Szín kiválasztásaMezőcsoportok kiválasztásaFájl kiválasztásaKép kiválasztásaTöbbszörös választásBejegyzéstípus kiválasztásaOsztályozás kiválasztásaVá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 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.A kiválasztott elemek jelennek meg az eredményekbenVisszakövetés (trackback) küldéseKezdeti nagyítási szintSzövegterület magassága (sorok)'Média hozzáadása' gomb megjelenítéseMásik hónap megjelenítéseMezőcsoport megjelenítése, haMező megjelenítése, haAdatok bevitelénél jelenik megEgyenrangú mezőkOldalsávEgyetlen értékEgyetlen szó, szóközök és ékezetek nélkül, alulvonás és kötőjel használata megengedettKeresőbarát név (slug)Okosabb mezőbeállításokEz a böngésző nem támogatja a helymeghatározástRendezés módosítási dátum szerintRendezés feltöltési dátum szerintRendezés cím szerintHatározzuk meg a mező felhasználói oldalon (front end) megjelenő értékétHagyományos (WP doboz)LépésközStílusStílusformázott kezelőfelületAlmezőkSzuper adminXML helyett JSONLap (tab)TáblázatCímkeOsztályozás (taxonomy)Osztályozási kifejezés (term)Kifejezés azonosítóKifejezés objektumSzöveg (text)Szövegterület (text area)Köszönjük a frissítést az %s %s verzióra!Köszönjük a frissítést! Az ACF %s nagyobb és jobb, mint valaha. Reméljük, tetszeni fog!Megjelenítési formátum a bejegyzés szerkesztése soránA sablonfunkciók által visszaadott formátumA galéria mezőtípus jelentős és esedékes felfrissítésen esett át.Táblázat stílusú ismétlő csoportmezőhöz vagy rugalmas tartalomhoz rendelve a lapok helytelenül jelennek meg.A mező nem helyezhető át, amíg a változtatások nincsenek elmentveEnnél a mezőnél legfeljebb {max} {identifier} adható hozzá.Ennél a mezőnél legalább {min} {identifier} hozzáadása kötelező.Ennél a mezőnél legalább {min} {label} {identifier} hozzáadása szükségesEz a felirat jelenik meg a szerkesztőoldalonBélyegképCímA frissítések engedélyezéséhez adjuk meg a licenckulcsot a <a href="%s">Frissítések</a> oldalon. Ha még nem rendelkezünk licenckulcsal, tekintsük át a licencek <a href="%s">részleteit és árait</a>.A még könnyebb frissítés érdekében csak <a href="%s">jelenkezzünk be a felhasználói fiókunkba</a> és igényeljünk egy ingyenes ACF PRO változatot!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:MaEszközsávFentIgaz / Hamis (true/false)OktatóanyagokTípusA motorháztető alattFrissítésFrissítés elérhetőFájl frissítéseKép frissítéseFrissítési információBővítmény frissítéseFrissítésekFrissítésFrissítési figyelmeztetésAdatok frissítése %s verzióraFeltöltve a bejegyzéshezHasználjunk lapokat a szerkesztőképernyők tartalmának rendezéséhez és a mezők csoportosításához.AJAX használata a lehetőségek halasztott betöltéséhezFelhasználó (user)Felhasználói adatlapFelhasználói szerepkörÉrvényesítés sikertelenÉrvényesítés sikeresAz érték nem számAz értéknek nagyobbnak vagy egyenlőnek kell lennie, mint %dAz értéknek kisebbnek vagy egyenlőnek kell lennie, mint %dFüggőlegesMező megtekintéseMezőcsoport megtekintéseFigyelmeztetésA felmerülő kérdések megválaszolására egy <a href="%s">frissítési útmutató</a> is rendelkezésre áll. Amennyiben az útmutató nem ad választ a kérdésre, vegyük fel a kapcsolatot a <a href="%s">támogató csapattal</a>.Úgy gondoljuk, tetszeni fognak a változások a(z) %s verzióban.Hét kezdőnapjaÜdvözlet! Itt az Advanced Custom FieldsÚjdonságokWidgetWysiwyg szerkesztőIgenNagyításAz acf_form() már képes új bejegyzést létrehozni egy felhasználó oldali (front end) űrlap elküldésekor.ésbejelölvemásolatrészletek és árakpl. Extra tartalom megjelenítéseegyenlőnem egyenlőjQueryelrendezéselrendezésBeágyazott objektum (oEmbed)vagyvoros : Vörösbiztosan eltávolítsuk?feltöltve ehhez a bejegyzéshezverzió{available} {label} {identifier} adható még hozzá (maximum {max}){required} {label} {identifier} hozzáadása szükséges (minimum {min})PK�[v����lang/acf-id_ID.monu�[�����=�#�/�/
006(0:_0D�0�0�0
1110610g1)�1=�152\620�2"�2��2;�3�3�3�3M�364-:4
h4s4	|4�4�4
�4�4�4�4
�4�4�4�4
55',5T5o5�s5�K6
�6�6�6
7A7[7,g7�7
�7�7�7 �788$8
-888?8\8y8c8�8�8�89)9;9R9X9e9
r9}9�9	�9�9�9�9�9�9�9�9�99:@:P:V:b:o:	�:�:/�:�:�:�:"�:
;;#$;H;[U;
�;�;�;�;
�;�;<G,<t<�<�<�<
�<�<
�<�<�<�<Q�<
C=N=]=b=u=�=�=	�=�=�=�=�=>
>>	">
,>
7>B>S>\>
b>	m>	w> �>&�>�>&�>�>�>	?? ?4?O?^?d?p?
}?�?
�?
�?�?�?�?�?@@+@RF@�@�@�@�@1A2ALAASA�A
�A�A	�A	�A�A	�A�A"�AB,B@BSBbBjB�B+�BC�B?CACHC
NC	YC	cCmCuC�C�C
�C�C�C�C
�C��C{D�D�D	�D#�D"�D"�D!
E,E.3EbEvE
�E�E�E��E[FoF	tF~F�F4�F�Fy�FdGjGzG�G�G�G�G�G�G�G�G�G
�G	H%H
-H8HAH	JH�TH�H�HIII
0I
>I!LInI'�I2�I�I�I�I�I�IJJ
-J
;J!IJ'kJ	�J<�J�J�J�J
KK'K
DKRK_KoK1tK	�K�K	�K�K	�KJ�K+L/8LNhL.�LQ�LQ8M�M`�M�MN#N3NLN
]N!kN�NT�N�NOO/OFOaOwO|O�O�O�O�O�O�O	�O�O�O�O	�O�O
P	PP
8PFP	OPYP	jP5tP,�P�P�P
�P�P�PQQ
Q	-Q7Q
DQOQaQ/iQ�Q�Q�Q
�Q2�Q�Q�R�R
�R�R�R�R
�R
SSS(S	1S	;S$ES%jS
�S
�S�S
�S�S�S	�S�S�ST*
T5T
BT
MTXTnTuT
�T�T	�T�T�T�T	�T�T�T
UU0#UTUlU}U��U#VAV#PW2tW�W�W�W�W�WX&X?XRXlX�X�X�X6�X�X�X,�X"Y'Y0>YoY�Y
�Y'�Y�Y�Y	�Y�Y�Y

ZZ!Z6Z;ZJZbZfZlZqZvZ
Z�Z�Z�Z	�Z	�Z!�ZZ�Z37[Ek[A�[r�\(f]*�]6�]@�]r2^<�^,�^/_7?_3w_	�_�_��_ka`c�`1a7a
>aIaQaWara~a	�a�a�a�a�a�a�a�a
�a�abbb(b7bHbZbwb�b�bQ�b�b<cPc	Uc	_cic�c�c�c�c(�c'd-d
6dAdRdcdud
|d�d��d':eMbe�e!�e
�e�e�e�efff2$fWf[fcfifnf�f�f�f�f�f�f�f�f�f	�f�f�fgg6g4Lg�g�j�j�j�j�j#k(k<k
Xkfkvk-�kB�k2lE8l8~lY�l5m#Gm�kmD
nRn[nln%rn�n7�n
�n�n�no o,o?oWojo
wo�o�o�o�o�o+�o	p$p�*p�q�q�q�q�qG�q2r5?rur�r�r�r&�r�rssss$s?s_s^es�s�s�s�st$t:t
?tJtWt`tgt	wt�t�t
�t�t�t�t	�t�t7�t+u=uCuPu]uou{u3�u�u�u�u(�u
vv&!vHvfWv�v�v�v�v
ww+wEKw�w�w�w�w
�w�w�w�w	�w	x)x<xDxTx\xmx'x�x�x�x�x�x
�xyyy	-y7yCyOy`ygymy	�y�y(�y-�y�y,�y#z*z6z>zNzaz{z�z�z�z�z�z�z�z�z�z�z{4{M{c{X�{�{�{
|*|HB|�|�|N�|�|
�|}	}}&}/} ;}*\}�}�}�}�}�}�}~/~XH~L�~�~�~�~!
6 Abnu�
���=�D�	Q�
[�$f�(��#��'؀�;�B�T�m�~������K�\�a�r�	��5��ǂ�ނa�g�x�
~���#����ă̃ك
����
:�
E�P�\�	c��m� �%�.�>�M�^�m�%~���(��.��� �$�,�
<�J�
Z�h�$x�$��†MԆ	"�,�A�Y�j� ����
��ʇهއ��	�
�
�M!�o�&�Z��4�T6�O��ۉj�L�*l���0���
�2�"C�af�ȋ���"�%1�W�	r�|�����
��
����Ȍ
Όٌ�
������*�
G�
U�	`�j�
{�;��%��
���
�!�-�
<�G�
W�
b�	m�9w���	��ˎ؎2���1��
����
�'�4�@�L�	_�i�u�$|�&��Ȑѐ
����/�6�<�	B�(L�u���������‘ӑ�����'�-�6�B�
T�_�;l�����Ғ|�_�{�%|�/��Ҕ���
��=�U�p�$�� ��Еߕ
�8��.�4�/I�y�~�+��&Ȗ"��-(�V�k�r�����
������
��ȗޗ������	
��*�7�G�	L�	V�)`�s��4��O3�8��p��$-�)R�8|�:��{�Bl�,��4ܜ<�)N�	x������k=�u���(�/�<�D�!M�o�
|�����������
ǟ՟���	�
��,�@�V�j������àZǠ%"�AH���
����#��ԡ���1'�1Y���������Ģ֢
ݢ����,��Fң�(-�
V�d�k�q�������/��Ȥ	̤֤ܤ����!�3�:�A�H�O�
T�b�w�����4��8ͥ(hi�!8�J��.�,���)4��!���F��%}L�Q���A���V��t�����0m+�w=��#�%��;j�D��):0�
/�������������b@���(�����	��A�Ok��*����6E���z�6�pH�T{<�N��
`"��p����NUQ#��R��OE�y���	���\�%�
g r�}|GK��V��3t]�u-+y�Zc;q��&���M��a��x�*����h�`#�C�i�X�r���$(��2
����d���k��S�u?�3-�2���!�{<:+��|����T4�C�9���[��nBl�
�����P&���������=]^��$��n7S[L�^����6,���U<Fc�P��@�b�.'�/8~�'e�eq_��>	������2��s~9Z>�7s�' .�������J�?"&17z�0�w���8H5�
��l�o�3�9�o��fI���X"W1v���d�Y=��:�),�����G/5g�aM�f-D Yv_*���m�x;$�B���I1W�\4KR��j�5�%d fields require attention%s added%s already exists%s field group duplicated.%s field groups duplicated.%s field group synchronised.%s field groups synchronised.%s requires at least %s selection%s requires at least %s selections%s value is required'How to' guides(no title)+ Add Field1 field requires attention<b>Connection Error</b>. Sorry, please try again<b>Error</b>. Could not connect to update server<b>Error</b>. Could not load add-ons list<b>Select</b> items to <b>hide</b> them from the edit screen.<b>Success</b>. Import tool added %s field groups: %s<b>Warning</b>. Import tool detected %s field groups already exist and have been ignored: %sA new field for embedding content has been addedA smoother custom field experienceACF 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 now saves its field settings as individual post objectsActionsActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields Database UpgradeAdvanced Custom Fields PROAllAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!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 imagesAll post typesAll taxonomiesAll user rolesAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllowed file typesAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendArchivesAttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBasicBefore you start using the new awesome features, please update your database to the newest version.Below fieldsBelow labelsBetter Front End FormsBetter Options PagesBetter ValidationBetter version controlBlockBulk actionsButton LabelCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to toggleCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCreated byCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustomise the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Date PickerDeactivate LicenseDefaultDefault TemplateDefault ValueDeleteDelete LayoutDelete fieldDescriptionDisabledDisabled <span class="count">(%s)</span>Disabled <span class="count">(%s)</span>DiscussionDisplay FormatDoneDownload & InstallDownload export fileDrag and drop to reorderDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsEmailEmbed SizeEnd-pointEnter URLEnter each choice on a new line.Enter each default value on a new lineErrorError uploading file. Please try againError.Escape HTMLExcerptExpand DetailsExport Field GroupsExport Field Groups to PHPFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField TypesField group deleted.Field group draft updated.Field group duplicated. %sField group published.Field group saved.Field group scheduled for.Field group settings have been added for label placement and instruction placementField group submitted.Field group synchronised. %sField group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to comments, widgets and all user forms!FileFile ArrayFile IDFile NameFile SizeFile URLFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JSFormatFormsFront PageFull SizeFunctionsGalleryGenerate export codeGetting StartedGoodbye Add-ons. Hello PROGoogle MapHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.ImportImport / Export now uses JSON in favour of XMLImport Field GroupsImport file emptyImproved DataImproved DesignImproved UsabilityIncluding the popular Select2 library has improved both usability and speed across a number of field types including post object, page link, taxonomy and select.Incorrect file typeInfoInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?LabelLabel placementLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicenseLicense KeyLimit the media library choiceLoad TermsLoad value from posts termsLoadingLocal JSONLocatingLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )Maximum {label} limit reached ({max} {identifier})MediumMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)Minimum values reached ( {min} values )More AJAXMore fields use AJAX powered search to speed up page loadingMoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FieldNew Field GroupNew FormsNew GalleryNew LinesNew Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)New SettingsNew archives group in page_link field selectionNew auto export to JSON feature allows field settings to be version controlledNew auto export to JSON feature improves speedNew field group functionality allows you to move a field between groups & parentsNew functions for options page allow creation of both parent and child menu pagesNoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo File selectedNo FormattingNo embed found for the given URL.No field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo toggle fields availableNo updates available.NoneNormal (after content)NullNumberOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParent Page (has children)Parent fieldsPasswordPermalinkPlaceholder TextPlacementPlease enter your license key above to unlock updatesPlease select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TypePost updatedPosts PagePowerful FeaturesPrependPrepend an extra checkbox to toggle all choicesPreview SizePublishRadio ButtonRadio ButtonsRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRelationship FieldRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReturn formatReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'other' values to the field's choicesSave OptionsSave OtherSave TermsSeamless (no metabox)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's newSee what's new inSelectSelect %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect a sub field to show when row is collapsedSelect multiple values?Select post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelected elements will be displayed in each resultSend TrackbacksSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show a different monthShow this field group ifShow this field ifShown in field group listShown when entering dataSibling fieldsSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSmarter field settingsSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpecify the returned value on front endStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSwapped XML for JSONSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTaxonomy TermTerm IDTerm ObjectTextText AreaText OnlyThank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe changes you made will be lost if you navigate away from this pageThe 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 sites require a DB upgrade. Check the ones you want to update and then click “Upgrade Database”.The format displayed when editing a postThe format returned via template functionsThe gallery field has undergone a much needed faceliftThe string "field_" may not be used at the start of a field nameThe tab field will display incorrectly when added to a Table style repeater field or flexible content field layoutThis field cannot be moved until its changes have been savedThis field has a limit of {max} {identifier}This field requires at least {min} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThumbnailTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>To help make upgrading easy, <a href="%s">login to your store account</a> and claim a free copy of ACF PRO!To unlock updates, please enter your license key below. If you don't have a licence key, please seeTodayToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTutorialsTypeUnder the HoodUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgradeUpgrade ACFUpgrade DatabaseUpgrade NoticeUpgrade completeUpgrading data toUpgrading data to version %sUploaded to postUploaded to this postUrlUse "Tab Fields" to better organize your edit screen by grouping fields together.Use AJAX to lazy load choices?Use this field as an end-point and start a new group of tabsUserUser FormUser RoleUser unable to add new %sValidation failedValidation successfulValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!Week Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submissionandcheckedclasscopydetails & pricingeg. Show extra contentidis equal tois not equal tojQuerylayoutlayoutsoEmbedorred : Redremove {layout}?uploaded to this postversionwidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2016-01-25 09:18-0800
PO-Revision-Date: 2018-02-06 10:06+1000
Language-Team: Elliot Condon <e@elliotcondon.com>
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 1.8.1
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
X-Poedit-SourceCharset: UTF-8
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
Plural-Forms: nplurals=1; plural=0;
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language: id_ID
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Bidang %d memerlukan perhatian%s ditambahkan%s sudah adaGrup bidang %s diduplikatbidang grup %s disinkronkan.%s diperlukan setidaknya %s pilihanNilai %s diharuskanPanduan "Bagaimana Caranya"(tanpa judul)+ Tambah Bidang1 Bidang memerlukan perhatian<b>Error Koneksi.</b> Maaf, silakan coba lagi<b>Kesalahan.</b> Tidak dapat terhubung ke server yang memperbarui<b>Kesalahan</b>. Tidak dapat memuat daftar add-on<b>Pilih</b> item untuk <b>menyembunyikan</b> mereka dari layar edit.<b>Sukses</b>. Impor alat ditambahkan %s grup bidang: %s<b>Peringatan</b>. Impor alat terdeteksi grup bidang %s sudah ada dan telah diabaikan: %sBidang baru untuk melekatkan konten telah ditambahkanPengalaman bidang kustom yang halusACF PRO memiliki fitur canggih seperti data yang berulang, layout konten yang fleksibel, bidang galeri yang cantik dan kemampuan membuat laman opsi ekstra admin!ACF sekarang menyimpan pengaturan bidang sebagai objek post individuTindakanAktifkan LisensiAktifAktif <span class="count">(%s)</span>TambahTambah pilihan 'lainnya' untuk mengizinkan nilai kustomTambah / EditTambahkan FileTambahkan GambarTambahkan Gambar ke GaleriTambah BaruTambah bidang baruTambah Grup Bidang BaruTambah Layout BaruTambah BarisTambah LayoutTambah BarisTambahkan peraturan grupTambahkan ke galeriAdd-onAdvanced Custom FieldsPeningkatan Database Advanced Custom FieldsAdvanced Custom Fields PROSemuaSemua 4 add-on premium sudah dikombinasikan kedalam  <a href="%s">versi Pro ACF</a>. Dengan ketersediaan lisensi personal dan pengembang, fungsi premuim lebih terjangkan dan dapat diakses keseluruhan daripada sebelumnya!Semua bidang mengikuti "bidang tab" (atau sampai "bidang tab" lainnya ditemukan) akan dikelompokkan bersama-sama menggunakan label bidang ini sebagai judul tab.Semua gambarSemua Tipe PostSemua TaksonomiSemua peran penggunaMemungkinkan HTML markup untuk menampilkan teks terlihat sebagai renderIzinkan Nol?Izinkan ketentuan baru dibuat pengeditannya sementaraJenis file yang diperbolehkanTampilanMuncul setelah inputMuncul sebelum inputMuncul ketika membuat sebuah post baruMuncul didalam inputMenambahkanArsipLampiranAuthorOtomatis Tambah &lt;br&gt;Tambah paragraf secara otomatisDasarSebelum Anda mula menggunakan fitur keren, silahkan tingkatkan database Anda ke versi terbaru.Di bawah bidangDi bawah labelForm Front End TerbaikOpsi Laman Lebih BaikValidasi lebih baikKontolr versi terbaikBlokAksi besarLabel tombolKategoriTengahPusat peta awalChangelogBatas KarakterPeriksa lagiKotak centangLaman Anak (memiliki parent)PilihanPilihanBersihkanBersihkan lokasiKlik tombol"%s" dibawah untuk mulai membuat layout AndaKlik untuk toggleTutupTutup BidangTutup windowPersempit RincianDisempitkanPengambil WarnaDaftar dipisahkan koma. Kosongkan untuk semua jenisKomentarKomentarLogika KondisionalHubungkan ketentuan yang dipilih ke postKontenKonten EdiorKontrol bagaimana baris baru diberikanBuat KetentuanBuat pengaturan peraturan untuk menentukan layar edit yang akan menggunakan advanced custom fields iniDibuat olehPengguna saat iniPeran pengguna saat iniVersi sekarangBidang KustomSesuaikan ketinggian petaDiperlukan Peningkatan DatabaseUpgrade database selesai. <a href="%s">Kembali ke dasbor jaringan</a>Pengambil TanggalNonaktifkan LisensiDefaultTemplate DefaultNilai DefaultHapusHapus LayoutHapus bidangDeskripsiDimatikanDimatikan <span class="count">(%s)</span>DiskusiFormat tampilanSelesaiUndah dan InstalUndih file eskporSeret dan jatuhkan untuk mengatur ulangSeret untuk menyusun ulangDuplikatDuplikat LayoutDuplikat BidangDuplikat item iniUpgrade MudahEditEdit BidangEdit Grup BidangEdit FileEdit GambarEdit BidangEdit Grup BidangElemenEmailUkuran Embed (Semat)End-pointMasukkan URLMasukkan setiap pilihan pada baris baru.Masukkan setiap nilai default pada baris baruErrorKesalahan mengunggah file. Silakan coba lagiError.Keluar HTMLKutipanPerluas RincianEkspor Grup BidangEkspor grup bidang ke PHPGambar FiturBidangGrup BidangGrup BidangKunci BidangLabel BidangNama BidangJenis BidangJenis FieldGrup bidang dihapus.Draft grup bidang diperbarui.Grup bidang diduplikat. %sGrup bidang diterbitkan.Grup bidang disimpan.Grup bidang dijadwalkan untuk.Pengaturan grup bidang telah ditambahkan untuk penempatan label dan penempatan instruksiGrup bidang dikirim.Grup bidang disinkronkan. %sJudul grup bidang diperlukanGrup bidang diperbarui.Bidang kelompok dengan urutan yang lebih rendah akan muncul pertama kaliJenis bidang tidak adaBidangBidang sekarang dapat dipetakan ke komentar, widget dan semua bentuk pengguna!FileFile ArrayID FileNama fileUkuran FileURL FileUkuran FileUkuran file harus setidaknya %s.Ukuran file harus tidak boleh melebihi %s.Jenis file harus %s.Saring dengan jenis postFilter dengan TaksonomiSaring berdasarkan peranSaringanTemukan lokasi saat iniKonten FleksibelKonten fleksibel memerlukan setidaknya 1 layoutUntuk kontrol lebih, Anda dapat menentukan keduanya antara nilai dan bidang seperti ini:Validasi form sekarang dilakukan melalui PHP + AJAX dalam hanya mendukung JSFormatFormLaman DepanUkuran PenuhFungsiGaleriHasilkan kode eksporPerkenalanSelamat tinggal Add-on. Halo PROPeta GoogleTinggiSembunyikan pada layarTinggi (setelah judul)HorizontalJika beberapa kelompok bidang ditampilkan pada layar edit, pilihan bidang kelompok yang pertama akan digunakan (pertama nomor urutan terendah)GambarGambar ArrayID GambarURL GambarTinggi gambar harus setidaknya %dpx.Tinggi gambar tidak boleh melebihi %dpx.Lebar gambar harus setidaknya %dpx.Lebar gambar tidak boleh melebihi %dpx.ImporImpor / ekspor sekarang menggunakan JSON yang mendukung XMLImpor grup bidangFile yang diimpor kosongPeningkatan DataPeningkatan DesainPeningkatan kegunaanTermasuk Perpustakaan Select2 populer telah meningkatkan kegunaan dan kecepatan di sejumlah bidang jenis termasuk posting objek, link halaman, taksonomi, dan pilih.Jenis file salahInfoSudah TerinstallPenempatan instruksiInstruksiInstruksi untuk author. Terlihat ketika mengirim dataMemperkenalkan ACF PROIni sangan direkomendasikan Anda mencadangkan database Anda sebelum memproses. Apakah Anda yakin menjalankan peningkatan sekarang?LabelPenempatan LabelBesarVersi terbaruLayoutBiarkan kosong untuk tidak terbatasSelaras kiriPanjangPerpustakaanLisensiKunci lisensiBatasi pilihan pustaka mediaLoad KetentuanMuat nilai dari ketentuan postLoading...JSON LokalMelokasikanLokasiLog masukBerbagai bidang telah mengalami refresh visual untuk membuat ACF terlihat lebih baik daripada sebelumnya! Perubahan nyata terlihat pada galeri, hubungan dan oEmbed bidang (baru)!MaksMaksimumMaksimum LayoutMaksimum BarisSeleksi maksimumNilai MaksimumPosting maksimumBaris maksimum mencapai ({max} baris)Batas pilihan maksimumNilai maksimum mencapai ( nilai {maks} )Maksimum {label} mencapai ({max} {identifier})SedangPesanMinMinimumMinimum LayoutsMinimum BarisSeleksi MinimumNilai MinimumPosting minimalBaris minimal mencapai ({min} baris)Nilai minimum mencapai (nilai {min})Lebih banyak AJAXBanyak bidang yang menggunakan pencarian AJAX untuk mempercepat loading lamanPindahkanPindah yang Lengkap.Pindahkan Bidang KustomPindahkan BidangPindahkan Bidang ke grup lainPindahkan ke tong sampah. Yakin?Memindahkan BidangPilihan MultiBeberapa NilaiNamaTeksBidang BaruGrup Bidang BaruForm BaruGaleri baruGaris baruPengaturan bidang hubungan untuk 'Saringan' (Pencarian, Tipe Post, Taksonomi)Pengaturan baruGrup arsip di page_link bidang seleksiEkspor otomatis ke fitur JSON memungkinkan pengaturan bidang menjadi versi yang terkontrolEkspor otomatis ke fitur JSON meningkatkan kecepatanFungsionalitas grup bidang memungkinkan Anda memindahkan bidang antara grup & parentFungsi baru untuk opsi laman memungkinkan pembuatan laman menu parent dan childTidakTidak ada Grup Bidang Kustom ditemukan untuk halaman pilihan ini. <a href="%s">Buat Grup Bidang Kustom</a>Tidak Ada Grup Bidang DitemukanTidak Ditemukan Grup Bidang di Tong SampahTidak ada bidang yang ditemukanTidak ada bidang yang ditemukan di tempat sampahTak ada file yang dipilihJangan formatTidak ada embed ditemukan dari URL yang diberikan.Tidak ada grup bidang yang dipilihTidak ada bidang. Klik tombol <strong>+ Tambah Bidang</strong> untuk membuat bidang pertama Anda.Tak ada file yang dipilihTak ada gambar yang dipilihTidak ditemukanTidak ada pilihan halaman yang adaTidak ada bidang toggle yang tersediapembaruan tidak tersedia .Tidak adaNormal (setelah konten)NolJumlahPengaturanOpsi LamanPilihan DiperbaruiSuruhNo. UrutanLainnyaLamanAtribut LamanLink HalamanLaman ParentTemplate LamanJenis LamanLaman Parent (memiliki anak)Bidang parentKata SandiPermalinkTeks PlaceholderPenempatanMasukkan kunci lisensi Anda di atas untuk membuka pembaruanSilakan pilih tujuan untuk bidang iniPosisipostKategori PostFormat PostID PostObjek PostStatus PostPost TaksonomiJenis PostPost DiperbaruiLaman PostFitur kuatTambahkanTambahkan sebuah kotak centang untuk toggle semua pilihanUkuran TinjauanTerbitkanTombol RadioTombol RadioBaca lebih tentang <a href="%s">Fitur ACF PRO</a>.Membaca tugas upgrade...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!DaftarRelasionalHubunganBidang hubunganSingkirkanHapus layoutHapus barisSusun UlangSusun ulang LayoutPengulangDiperlukan?SumberBatasi file mana yang dapat diunggahBatasi gambar mana yang dapat diunggahDibatasiKembalikan formatNilai KembaliKembalikan formatAgar arus balikMeninjau situs & tingkatkanRevisiBarisBarisPeraturanSimpan nilai 'lainnya' ke bidang pilihanSimpan PengaturanSimpan LainnyaSimpan KetentuanMulus (tanpa metabox)CariCari Grup BidangBidang PencarianCari alamat...Cari ...Lihat apa yang baruLihat apa yang baru diPilihPilih %sPilih WarnaPilih Grup BidangPilih FilePilih GambarPilih sub bidang untuk ditampilkan ketika baris disempitkanPilih beberapa nilai?Pilih jenis postingPilih taksonomiPilih file JSON Advanced Custom Fields yang ingin Anda impor. Ketika Anda mengklik tombol impor, ACF akan impor grup bidang.Pilih penampilan bidang iniPilih 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 taksonomi yang akan ditampilkanElemen terpilih akan ditampilkan disetiap hasilKirim PelacakanMengatur tingkat awal zoomAtur tinggi area teksPengaturanTampilkan Tombol Unggah Media?Tampilkan bulan berbedaTampilkan grup bidang jikaTampilkan bidang ini jikaDitampilkan dalam daftar Grup bidangTampilkan ketika memasukkan dataBidang siblingSampingNilai TunggalSatu kata, tanpa spasi. Garis bawah dan strip dibolehkanSitusSitus ini up-to-dateSitus memerlukan database upgrade dari %s ke %sSlugPengaturan bidang yang pintarMaaf, browser ini tidak support geolocationUrutkan berdasarkan tanggal modifikasiUrutkan berdasarkan tanggal unggahUrutkan menurut judulTentukan nilai yang dikembalikan di front-endStandar (WP metabox)StatusUkuran LangkahGayaStylised UISub BidangSuper AdminSwap XML untuk JSONSinkronkanSinkronisasi tersediaMenyinkronkan grup bidangTabTabelTabTagTaksonomiTaksonomi PersyaratanID KetentuanObjek ketentuanTeksArea TeksTeks sajaTerimakasih sudah meningkatkan ke %s v%s!Terima kasih sudah memperbario! ACF %s lebih besar dan lebih baik daripada sebelumnya. Kami harap Anda menyukainya.Bidang %s sekarang dapat ditemukan di bidang grup %sPerubahan yang Anda buat akan hilang jika Anda menavigasi keluar dari laman iniKode 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.Situs berikut memerlukan peningkatan DB. Pilih salah satu yang ingin Anda update dan klik "Tingkatkan Database".Fromat tampilan ketika mengedit postFormat dikembalikan via template functionBidang Galeri telah mengalami banyak dibutuhkan faceliftString "field_" tidak dapat digunakan pada awal nama fieldBidang tab tidak akan tampil dengan baik ketika ditambahkan ke Gaya Tabel repeater atau layout bidang konten yang fleksibelBidang ini tidak dapat dipindahkan sampai perubahan sudah disimpanBidang ini memiliki batas {max} {identifier}Bidang ini membutuhkan setidaknya {min} {identifier}Bidang ini membutuhkan setidaknya {min} {label} {identifier}Ini nama yang akan muncul pada laman EDITThumbnailJudulUntuk mengaktifkan update, masukkan kunci lisensi Anda pada <a href="%s">Laman</a> pembaruan. Jika Anda tidak memiliki kunci lisensi, silakan lihat <a href="%s">rincian & harga</a>Untuk membuat peningkatan yang mudah, <a href="%s">masuk ke akun toko</a> dan klaim salinan gratis ACF PRO!Untuk membuka update, masukkan kunci lisensi Anda di bawah ini. Jika Anda tidak memiliki kunci lisensi, silakan lihatHari iniToggleToggle SemuaToolbarPerkakasLaman Tingkat Atas (tanpa parent)Selaras atasBenar / SalahTutorialTipeDibawah judul blogPerbaruiPembaruan TersediaPerbarui FilePerbarui GambarInformasi PembaruanPerbarui PluginMutakhirTingkatkanTingkatkan ACFTingkatkan DatabasePemberitahuan UpgradePeningkatan selesaiMeningkatkan data keMeningkatkan data ke versi %sDiunggah ke postDiunggah ke post iniURLGunakan "Bidang Tab" untuk mengatur layar edit Anda dengan menggabungkan bidang bersamaan.Gunakan AJAX untuk pilihan lazy load?Gunakan bidang ini sebagai end-point dan mulai grup baru dari tabPenggunaForm PenggunaPeran penggunaPengguna tidak dapat menambahkan %sValidasi GagalValidasi SuksesNilai harus berupa angkaNilai harus URL yang validNilai harus sama dengan atau lebih tinggi dari %dNilai harus sama dengan atau lebih rendah dari %dVertikalLihat BidangLihat Grup BidangMelihat back endMelihat front endVisualVisual & TeksVisual SajaKami juga menulis  <a href="%s">panduan upgrade</a> untuk menjawab pertanyaan apapun, jika Anda sudah punya, silahkan hubungi tim support kami via <a href="%s">help desk</a>Kami kira Anda akan menyukai perbahan di %s.Kami mengubah cara fungsi premium yang disampaikan dalam cara menarik!Minggu Dimulai PadaSelamat datang di Advanced Custom FieldsApa yang BaruWidgetLebarAtribut WrapperWYSIWYG EditorYaZoomacf_form() dapat membuat post baru di oengajuandandiperiksaclasssalinRincian & hargacontoh. Tampilkan konten ekstraidsama dengantidak sama denganjQueryLayoutlayoutoEmbedataumerah : Merahsingkirkan {layout}?diunggah ke post iniversilebar{tersedia} {label} {identifier} tersedia (max {max}){diperlukan} {label} {identifier} diperlukan (min {min})PK�[��B�<�<�lang/acf-de_DE.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.8\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-05-09 15:51+0200\n"
"PO-Revision-Date: 2019-05-09 17:23+0200\n"
"Last-Translator: Ralf Koller <r.koller@gmail.com>\n"
"Language-Team: Ralf Koller <r.koller@gmail.com>\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.2.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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

# @ acf
#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "Advanced Custom Fields"

# @ acf
#: acf.php:363 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "Feldgruppen"

# @ acf
#: acf.php:364
msgid "Field Group"
msgstr "Feldgruppe"

# @ acf
#: acf.php:365 acf.php:397 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "Erstellen"

# @ acf
#: acf.php:366
msgid "Add New Field Group"
msgstr "Neue Feldgruppe erstellen"

# @ acf
#: acf.php:367
msgid "Edit Field Group"
msgstr "Feldgruppe bearbeiten"

# @ acf
#: acf.php:368
msgid "New Field Group"
msgstr "Neue Feldgruppe"

# @ acf
#: acf.php:369
msgid "View Field Group"
msgstr "Feldgruppe anzeigen"

# @ acf
#: acf.php:370
msgid "Search Field Groups"
msgstr "Feldgruppen durchsuchen"

# @ acf
#: acf.php:371
msgid "No Field Groups found"
msgstr "Keine Feldgruppen gefunden"

# @ acf
#: acf.php:372
msgid "No Field Groups found in Trash"
msgstr "Keine Feldgruppen im Papierkorb gefunden"

# @ acf
#: acf.php:395 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "Felder"

# @ acf
#: acf.php:396
msgid "Field"
msgstr "Feld"

# @ acf
#: acf.php:398
msgid "Add New Field"
msgstr "Feld hinzufügen"

# @ acf
#: acf.php:399
msgid "Edit Field"
msgstr "Feld bearbeiten"

# @ acf
#: acf.php:400 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "Neues Feld"

# @ acf
#: acf.php:401
msgid "View Field"
msgstr "Feld anzeigen"

# @ acf
#: acf.php:402
msgid "Search Fields"
msgstr "Felder suchen"

# @ acf
#: acf.php:403
msgid "No Fields found"
msgstr "Keine Felder gefunden"

# @ acf
#: acf.php:404
msgid "No Fields found in Trash"
msgstr "Keine Felder im Papierkorb gefunden"

#: acf.php:443 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "Inaktiv"

#: acf.php:448
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "Inaktiv <span class=\"count\">(%s)</span>"
msgstr[1] "Inaktiv <span class=\"count\">(%s)</span>"

# @ acf
#: includes/acf-field-functions.php:828
#: includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(keine Beschriftung)"

# @ acf
#: includes/acf-field-group-functions.php:816
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "Kopie"

# @ acf
#: includes/admin/admin-field-group.php:86
#: includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "Feldgruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "Feldgruppe gelöscht."

# @ acf
#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "Feldgruppe veröffentlicht."

# @ acf
#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "Feldgruppe gespeichert."

# @ acf
#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "Feldgruppe übertragen."

# @ acf
#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "Feldgruppe geplant für."

# @ acf
#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "Entwurf der Feldgruppe aktualisiert."

# @ acf
#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "Der Feldname darf nicht mit \"field_\" beginnen"

# @ acf
#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr ""
"Diese Feld kann erst verschoben werden, wenn die Änderungen gespeichert "
"wurden"

# @ acf
#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "Es ist ein Titel für die Feldgruppe erforderlich"

# @ acf
#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "Wirklich in den Papierkorb verschieben?"

# @ acf
#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "Es liegen keine Auswahl-Feldtypen vor"

# @ acf
#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "Individuelles Feld verschieben"

# @ acf
#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "Ausgewählt"

# @ acf
#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(dieses Feld)"

# @ acf
#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3862
msgid "or"
msgstr "oder"

# @ acf
#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "Null"

# @ acf
#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "Position"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "Einstellungen"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "Feldschlüssel"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "Aktiviert"

# @ acf
#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "Verschieben erfolgreich abgeschlossen."

# @ acf
#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "Das Feld \"%s\" wurde in die %s Feldgruppe verschoben"

# @ acf
#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "Schließen"

# @ acf
#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "In welche Feldgruppe solle dieses Feld verschoben werden"

# @ acf
#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "Feld verschieben"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "Veröffentlicht <span class=\"count\">(%s)</span>"
msgstr[1] "Veröffentlicht <span class=\"count\">(%s)</span>"

# @ acf
#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "Feldgruppe dupliziert."
msgstr[1] "%s Feldgruppen dupliziert."

# @ acf
#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "Field group synchronised."
msgstr[1] "%s Feldgruppen synchronisiert."

# @ acf
#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "Synchronisierung verfügbar"

# @ acf
#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:372
msgid "Title"
msgstr "Titel"

# @ acf
#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:399
msgid "Description"
msgstr "Beschreibung"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "Status"

# @ acf
#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr ""
"WordPress durch leistungsfähige, professionelle und zugleich intuitive "
"Felder erweitern."

# @ acf
#: includes/admin/admin-field-groups.php:628
#: includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "Änderungsprotokoll"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "Schau nach was es Neues in <a href=\"%s\">Version %s</a> gibt."

# @ acf
#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "Dokumentation (engl.)"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "Website"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "Dokumentation"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "Hilfe"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "Pro"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "Danke für das Vertrauen in <a href=\"%s\">ACF</a>."

# @ acf
#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "Dieses Element duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "Duplizieren"

# @ acf
#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "Suchen"

# @ acf
#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "%s auswählen"

# @ acf
#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "Synchronisiere Feldgruppe"

# @ acf
#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "Synchronisieren"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "Anwenden"

# @ acf
#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "Massenverarbeitung"

#: includes/admin/admin-tools.php:116
#: includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "Werkzeuge"

# @ acf
#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "Datenbank upgraden"

# @ acf
#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "Übersicht Websites & Upgrades"

# @ acf
#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "Individuelle Felder"

# @ acf
#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "Info"

# @ acf
#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "Was gibt es Neues"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "Feldgruppen exportieren"

#: 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 "PHP erstellen"

# @ acf
#: 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 "Keine Feldgruppen ausgewählt"

#: 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] "Eine Feldgruppe wurde exportiert."
msgstr[1] "%s Feldgruppen wurden exportiert."

# @ acf
#: 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 "Feldgruppen auswählen"

# @ acf
#: 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 ""
"Entscheide welche Feldgruppen Du exportieren möchtest und wähle dann das "
"Exportformat. Benutze den \"Datei exportieren\"-Button, um eine JSON-Datei "
"zu generieren, welche Du im Anschluss in eine andere ACF-Installation "
"importieren kannst. Verwende den \"PHP erstellen“-Button, um den "
"resultierenden PHP-Code in dein Theme einfügen zu können."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-export.php:341
msgid "Export File"
msgstr "Datei exportieren"

# @ acf
#: 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 ""
"Der nachfolgende Code kann dazu verwendet werden eine lokale Version der "
"ausgewählten Feldgruppe(n) zu registrieren. Eine lokale Feldgruppe bietet "
"viele Vorteile; schnellere Ladezeiten, Versionskontrolle sowie dynamische "
"Felder und Einstellungen. Kopiere einfach folgenden Code und füge ihn in die "
"functions.php oder eine externe Datei in Deinem Theme ein."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "In die Zwischenablage kopieren"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "Kopiert"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "Feldgruppen importieren"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:47
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 ""
"Wähle die Advanced Custom Fields JSON-Datei aus, welche Du importieren "
"möchtest. Nach dem Klicken des „Datei importieren“-Buttons wird ACF die "
"Feldgruppen hinzufügen."

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "Datei auswählen"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "Datei importieren"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "Keine Datei ausgewählt"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "Fehler beim Upload der Datei. Bitte erneut versuchen"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "Falscher Dateityp"

# @ acf
#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "Die importierte Datei ist leer"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "Eine Feldgruppe importiert"
msgstr[1] "%s Feldgruppen importiert"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "Bedingungen für die Anzeige"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "Zeige dieses Feld, wenn"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "und"

# @ acf
#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "Regelgruppe hinzufügen"

# @ acf
#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "Ziehen zum Sortieren"

# @ acf
#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "Feld bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:359
msgid "Edit"
msgstr "Bearbeiten"

# @ acf
#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "Feld duplizieren"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "Feld in eine andere Gruppe verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "Verschieben"

# @ acf
#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "Feld löschen"

# @ acf
#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "Löschen"

# @ acf
#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "Feldbeschriftung"

# @ acf
#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "Dieser Name wird in der Bearbeitungsansicht eines Beitrags angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "Feldname"

# @ acf
#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr ""
"Einzelnes Wort ohne Leerzeichen. Es sind nur Unter- und Bindestriche als "
"Sonderzeichen erlaubt"

# @ acf
#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "Feldtyp"

# @ acf
#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "Anweisungen"

# @ acf
#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr ""
"Anweisungen für die Autoren. Sie werden in der Bearbeitungsansicht angezeigt"

# @ acf
#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "Erforderlich?"

# @ acf
#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "Wrapper-Attribute"

# @ acf
#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "Breite"

# @ acf
#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "Klasse"

# @ acf
#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "ID"

# @ acf
#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "Feld schließen"

# @ acf
#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "Reihenfolge"

# @ 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:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "Beschriftung"

# @ acf
#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "Name"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "Schlüssel"

# @ acf
#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "Typ"

# @ acf
#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your "
"first field."
msgstr ""
"Es sind noch keine Felder angelegt. Klicke den <strong>+ Feld hinzufügen-"
"Button</strong> und erstelle Dein erstes Feld."

# @ acf
#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ Feld hinzufügen"

# @ acf
#: includes/admin/views/field-group-locations.php:9
msgid "Rules"
msgstr "Regeln"

# @ acf
#: 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 ""
"Erstelle ein Regelwerk das festlegt welche Bearbeitungsansichten diese "
"Advanced Custom Fields nutzen"

# @ acf
#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "Stil"

# @ acf
#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "WP-Metabox (Standard)"

# @ acf
#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "Übergangslos ohne Metabox"

# @ acf
#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "Position"

# @ acf
#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "Nach dem Titel vor dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "Nach dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "Seitlich neben dem Inhalt"

# @ acf
#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "Platzierung der Beschriftung"

# @ acf
#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
msgid "Top aligned"
msgstr "Über dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:63
#: includes/fields/class-acf-field-tab.php:107
msgid "Left aligned"
msgstr "Links neben dem Feld"

# @ acf
#: includes/admin/views/field-group-options.php:70
msgid "Instruction placement"
msgstr "Platzierung der Anweisungen"

# @ acf
#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "Unterhalb der Beschriftungen"

# @ acf
#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "Unterhalb der Felder"

# @ acf
#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "Reihenfolge"

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "Feldgruppen mit einem niedrigeren Wert werden zuerst angezeigt"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "In der Feldgruppen-Liste anzeigen"

# @ acf
#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "Permalink"

# @ acf
#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "Inhalts-Editor"

# @ acf
#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "Textauszug"

# @ acf
#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "Diskussion"

# @ acf
#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "Kommentare"

# @ acf
#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "Revisionen"

# @ acf
#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "Titelform"

# @ acf
#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "Autor"

# @ acf
#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "Format"

# @ acf
#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "Seiten-Attribute"

# @ acf
#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "Beitragsbild"

# @ acf
#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "Kategorien"

# @ acf
#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "Schlagwörter"

# @ acf
#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "Sende Trackbacks"

# @ acf
#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "Verstecken"

# @ acf
#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr ""
"<strong>Wähle</strong> die Elemente, welche in der Bearbeitungsansicht "
"<strong>verborgen</strong> werden sollen."

# @ acf
#: includes/admin/views/field-group-options.php:129
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 ""
"Werden in der Bearbeitungsansicht mehrere Feldgruppen angezeigt, werden die "
"Optionen der ersten Feldgruppe verwendet (die mit der niedrigsten Nummer in "
"der Reihe)"

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update "
"and then click %s."
msgstr ""
"Folgende Websites erfordern ein Upgrade der Datenbank. Markiere die, die du "
"aktualisieren willst und klicke dann %s."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "Websites upgraden"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "Website"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "Die Website erfordert ein Upgrade der Datenbank von %s auf %s"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "Die Website ist aktuell"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid ""
"Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr ""
"Upgrade der Datenbank fertiggestellt. <a href=\"%s\">Zum Netzwerk Dashboard</"
"a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "Bitte zumindest eine Website zum Upgrade auswählen."

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
msgid ""
"It is strongly recommended that you backup your database before proceeding. "
"Are you sure you wish to run the updater now?"
msgstr ""
"Es wird dringend empfohlen, dass du deine Datenbank sicherst, bevor Du "
"fortfährst. Bist du sicher, dass du jetzt die Aktualisierung durchführen "
"willst?"

# @ acf
#: includes/admin/views/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "Daten auf Version %s upgraden"

# @ default
#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "Upgrade abgeschlossen."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "Upgrade fehlgeschlagen."

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "Aufgaben für das Upgrade einlesen…"

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr ""
"Datenbank-Upgrade abgeschlossen. <a href=\"%s\">Schau nach was es Neues "
"gibt</a>"

# @ acf
#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "Keine Aktualisierungen verfügbar."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "Zurück zur Werkzeugübersicht"

# @ acf
#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "Zeige diese Felder, wenn"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "Wiederholung"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "Flexible Inhalte"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "Galerie"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "Options-Seite"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "Es ist ein Upgrade der Datenbank erforderlich"

# @ acf
#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "Danke für die Aktualisierung auf %s v%s!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr ""
"Die vorliegende Version enthält Verbesserungen für deine Datenbank und "
"erfordert ein Upgrade."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"Stelle bitte ebenfalls sicher, dass alle Premium-Add-ons (%s) auf die "
"neueste Version aktualisiert wurden."

# @ acf
#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "Zusatz-Module"

# @ acf
#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "Download & Installieren"

# @ acf
#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "Installiert"

# @ acf
#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
msgstr "Willkommen bei Advanced Custom Fields"

# @ acf
#: 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 ""
"Vielen Dank fürs Aktualisieren! ACF %s ist größer und besser als je zuvor. "
"Wir hoffen es wird dir gefallen."

# @ acf
#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "Eine reibungslosere Erfahrung"

# @ acf
#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "Verbesserte Benutzerfreundlichkeit"

# @ acf
#: includes/admin/views/settings-info.php:20
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 ""
"Durch die Einführung der beliebten Select2 Bibliothek wurde sowohl die "
"Benutzerfreundlichkeit als auch die Geschwindigkeit einiger Feldtypen wie "
"Beitrags-Objekte, Seiten-Links, Taxonomien sowie von Auswahl-Feldern "
"signifikant verbessert."

# @ acf
#: includes/admin/views/settings-info.php:24
msgid "Improved Design"
msgstr "Verbessertes Design"

# @ acf
#: includes/admin/views/settings-info.php:25
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 ""
"Viele Felder wurden visuell überarbeitet, damit ACF besser denn je aussieht! "
"Die markantesten Änderungen erfuhren das Galerie-, Beziehungs- sowie das "
"nagelneue oEmbed-Feld!"

# @ acf
#: includes/admin/views/settings-info.php:29
msgid "Improved Data"
msgstr "Verbesserte Datenstruktur"

# @ acf
#: includes/admin/views/settings-info.php:30
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 ""
"Die Neugestaltung der Datenarchitektur erlaubt es, dass Unterfelder "
"unabhängig von ihren übergeordneten Feldern existieren können. Dies "
"ermöglicht, dass Felder per Drag-and-Drop, in und aus ihren übergeordneten "
"Feldern verschoben werden können!"

# @ acf
#: includes/admin/views/settings-info.php:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "Macht's gut Add-ons&hellip; Hallo PRO"

# @ acf
#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "Wir dürfen vorstellen&hellip; ACF PRO"

# @ acf
#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr ""
"Wir haben die Art und Weise mit der die Premium-Funktionalität zur Verfügung "
"gestellt wird geändert - das \"wie\" dürfte Dich begeistern!"

# @ acf
#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro "
"version of ACF</a>. With both personal and developer licenses available, "
"premium functionality is more affordable and accessible than ever before!"
msgstr ""
"Alle vier, vormals separat erhältlichen, Premium-Add-ons wurden in der neuen "
"<a href=\"%s\">Pro-Version von ACF</a> zusammengefasst. Besagte Premium-"
"Funktionalität, erhältlich in einer Einzel- sowie einer Entwickler-Lizenz, "
"ist somit erschwinglicher denn je!"

# @ acf
#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "Leistungsstarke Funktionen"

# @ acf
#: includes/admin/views/settings-info.php:48
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 ""
"ACF PRO enthält leistungsstarke Funktionen wie wiederholbare Daten, Flexible "
"Inhalte-Layouts, ein wunderschönes Galerie-Feld sowie die Möglichkeit "
"zusätzliche Options-Seiten im Admin-Bereich zu erstellen!"

# @ acf
#: includes/admin/views/settings-info.php:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "Lies mehr über die <a href=\"%s\">ACF PRO Funktionen</a>."

# @ acf
#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "Kinderleichte Aktualisierung"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download "
"the plugin!"
msgstr ""
"Das Upgrade auf ACF PRO ist leicht. Einfach online eine Lizenz erwerben und "
"das Plugin herunterladen!"

# @ acf
#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
"but if you do have one, please contact our support team via the <a href=\"%s"
"\">help desk</a>."
msgstr ""
"Um möglichen Fragen zu begegnen haben wir haben einen <a href=\"%s\">Upgrade-"
"Leitfaden (Engl.)</a> erstellt. Sollten dennoch Fragen auftreten, "
"kontaktiere bitte unser <a href=\"%s\"> Support-Team </a>."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "Neue Funktionen"

# @ acf
#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "Link-Feld"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"Das Link-Feld bietet einen einfachen Weg um einen Link (URL, Titel, Ziel) "
"entweder auszuwählen oder zu definieren."

# @ acf
#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "Gruppen-Feld"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr ""
"Das Gruppen-Feld bietet einen einfachen Weg eine Gruppe von Feldern zu "
"erstellen."

# @ acf
#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "oEmbed-Feld"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, "
"and other content."
msgstr ""
"Das oEmbed-Feld erlaubt auf eine einfache Weise Videos, Bilder, Tweets, "
"Audio und weitere Inhalte einzubetten."

# @ acf
#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "Klon-Feld"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"Das Klon-Feld erlaubt es dir bestehende Felder auszuwählen und anzuzeigen."

# @ acf
#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "Mehr AJAX"

# @ acf
#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"Mehr Felder verwenden nun eine AJAX-basierte Suche, die die Ladezeiten von "
"Seiten deutlich verringert."

# @ acf
#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "Lokales JSON"

# @ acf
#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"Ein neuer automatischer Export nach JSON verbessert die Geschwindigkeit und "
"erlaubt die Synchronisation."

# @ acf
#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "Einfacher Import / Export"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr ""
"Importe sowie Exporte können beide einfach auf der neuen Werkzeug-Seite "
"durchgeführt werden."

# @ acf
#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "Neue Positionen für Formulare"

# @ acf
#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all "
"user forms!"
msgstr ""
"Felder können nun auch Menüs, Menüpunkten, Kommentaren, Widgets und allen "
"Benutzer-Formularen zugeordnet werden!"

# @ acf
#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "Weitere Anpassungen"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr ""
"Neue Aktionen und Filter für PHP und JS wurden hinzugefügt um noch mehr "
"Anpassungen zu erlauben."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "Eine modernisierte Benutzeroberfläche"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, "
"settings and design!"
msgstr ""
"Das Design des kompletten Plugins wurde modernisiert, inklusive neuer "
"Feldtypen, Einstellungen und Aussehen!"

# @ acf
#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "Neue Einstellungen"

# @ acf
#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, "
"Instructions Placement and Description."
msgstr ""
"Die Feldgruppen wurden um die Einstellungen für das Aktivieren und "
"Deaktivieren der Gruppe, die Platzierung von Beschriftungen und Anweisungen "
"sowie eine Beschreibung erweitert."

# @ acf
#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "Verbesserte Frontend-Formulare"

# @ acf
#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"acf_form() kann jetzt einen neuen Beitrag direkt beim Senden erstellen "
"inklusive vieler neuer Einstellungsmöglichkeiten."

# @ acf
#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "Bessere Validierung"

# @ acf
#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr ""
"Die Formular-Validierung wird nun mit Hilfe von PHP + AJAX erledigt, "
"anstelle nur JS zu verwenden."

# @ acf
#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "Verschiebbare Felder"

# @ acf
#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"Die neue Feldgruppen-Funktionalität erlaubt es ein Feld zwischen Gruppen und "
"übergeordneten Gruppen frei zu verschieben."

# @ acf
#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "Wir glauben Du wirst die Änderungen in %s lieben."

# @ acf
#: includes/api/api-helpers.php:1003
msgid "Thumbnail"
msgstr "Vorschaubild"

# @ acf
#: includes/api/api-helpers.php:1004
msgid "Medium"
msgstr "Mittel"

# @ acf
#: includes/api/api-helpers.php:1005
msgid "Large"
msgstr "Groß"

# @ acf
#: includes/api/api-helpers.php:1054
msgid "Full Size"
msgstr "Volle Größe"

# @ acf
#: includes/api/api-helpers.php:1775 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(ohne Titel)"

# @ acf
#: includes/api/api-helpers.php:3783
#, php-format
msgid "Image width must be at least %dpx."
msgstr "Die Breite des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3788
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "Die Breite des Bildes darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3804
#, php-format
msgid "Image height must be at least %dpx."
msgstr "Die Höhe des Bildes muss mindestens %dpx sein."

# @ acf
#: includes/api/api-helpers.php:3809
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "Die Höhe des Bild darf %dpx nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3827
#, php-format
msgid "File size must be at least %s."
msgstr "Die Dateigröße muss mindestens %s sein."

# @ acf
#: includes/api/api-helpers.php:3832
#, php-format
msgid "File size must must not exceed %s."
msgstr "Die Dateigröße darf %s nicht überschreiten."

# @ acf
#: includes/api/api-helpers.php:3866
#, php-format
msgid "File type must be %s."
msgstr "Der Dateityp muss %s sein."

# @ acf
#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr ""
"Die vorgenommenen Änderungen gehen verloren wenn diese Seite verlassen wird"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "Auswählen"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "Bearbeiten"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "Zu diesem Beitrag hochgeladen"

# @ acf
#: includes/assets.php:175
msgid "Expand Details"
msgstr "Details einblenden"

# @ acf
#: includes/assets.php:176
msgid "Collapse Details"
msgstr "Details ausblenden"

#: includes/assets.php:177
msgid "Restricted"
msgstr "Eingeschränkt"

# @ acf
#: includes/assets.php:178 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "Alle Bilder"

# @ acf
#: includes/assets.php:181
msgid "Validation successful"
msgstr "Überprüfung erfolgreich"

# @ acf
#: includes/assets.php:182 includes/validation.php:285
#: includes/validation.php:296
msgid "Validation failed"
msgstr "Überprüfung fehlgeschlagen"

# @ acf
#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "Für 1 Feld ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "Für %d Felder ist eine Aktualisierung notwendig"

# @ acf
#: includes/assets.php:187
msgid "Are you sure?"
msgstr "Wirklich entfernen?"

# @ acf
#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "Ja"

# @ acf
#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "Nein"

# @ acf
#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:360
#: pro/fields/class-acf-field-gallery.php:549
msgid "Remove"
msgstr "Entfernen"

#: includes/assets.php:191
msgid "Cancel"
msgstr "Abbrechen"

#: includes/assets.php:194
msgid "Has any value"
msgstr "Hat einen Wert"

#: includes/assets.php:195
msgid "Has no value"
msgstr "Hat keinen Wert"

# @ acf
#: includes/assets.php:196
msgid "Value is equal to"
msgstr "Wert ist gleich"

# @ acf
#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "Wert ist ungleich"

# @ acf
#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "Wert entspricht regulärem Ausdruck"

#: includes/assets.php:199
msgid "Value contains"
msgstr "Wert enthält"

# @ acf
#: includes/assets.php:200
msgid "Value is greater than"
msgstr "Wert ist größer als"

# @ acf
#: includes/assets.php:201
msgid "Value is less than"
msgstr "Wert ist kleiner als"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "Auswahl ist größer als"

# @ acf
#: includes/assets.php:203
msgid "Selection is less than"
msgstr "Auswahl ist kleiner als"

# @ acf
#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "Feldgruppe bearbeiten"

# @ acf
#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "Feldtyp existiert nicht"

#: includes/fields.php:308
msgid "Unknown"
msgstr "Unbekannt"

# @ acf
#: includes/fields.php:349
msgid "Basic"
msgstr "Grundlage"

# @ acf
#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "Inhalt"

# @ acf
#: includes/fields.php:351
msgid "Choice"
msgstr "Auswahl"

# @ acf
#: includes/fields.php:352
msgid "Relational"
msgstr "Relational"

# @ acf
#: includes/fields.php:353
msgid "jQuery"
msgstr "jQuery"

# @ acf
#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "Layout"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "Akkordeon"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "Geöffnet"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "Dieses Akkordeon beim Laden der Seite als geöffnet anzeigen."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "Gleichzeitig geöffnet"

#: includes/fields/class-acf-field-accordion.php:110
msgid "Allow this accordion to open without closing others."
msgstr "Erlaubt dieses Akkordeon zu öffnen ohne andere zu schließen."

#: includes/fields/class-acf-field-accordion.php:119
#: includes/fields/class-acf-field-tab.php:114
msgid "Endpoint"
msgstr "Endpunkt"

#: 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 ""
"Definiert einen Endpunkt an dem das vorangegangene Akkordeon endet. Dieses "
"abschließende Akkordeon wird nicht sichtbar sein."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "Button-Gruppe"

# @ 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:364
msgid "Choices"
msgstr "Auswahlmöglichkeiten"

# @ acf
#: 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:365
msgid "Enter each choice on a new line."
msgstr "Jede Auswahlmöglichkeit in eine neue Zeile eingeben."

# @ acf
#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr ""
"Für mehr Kontrolle, kannst Du sowohl einen Wert als auch eine Beschriftung "
"wie folgt angeben:"

# @ acf
#: 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:365
msgid "red : Red"
msgstr "rot : Rot"

# @ 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "NULL-Werte zulassen?"

# @ acf
#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: 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:381
msgid "Default Value"
msgstr "Standardwert"

# @ acf
#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "Erscheint bei der Erstellung eines neuen Beitrags"

# @ acf
#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "Horizontal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "Vertikal"

# @ acf
#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "Rückgabewert"

# @ acf
#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "Legt den Rückgabewert für das Frontend fest"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "Wert"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "Beide (Array)"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "Checkbox"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "Alle auswählen"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "Neue Auswahlmöglichkeit hinzufügen"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "Individuelle Werte erlauben"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "Erlaubt das Hinzufügen individueller Werte"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "Individuelle Werte speichern"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "Individuelle Werte unter den Auswahlmöglichkeiten des Feldes speichern"

# @ acf
#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "Jeden Standardwert in einer neuen Zeile eingeben"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "Alle Auswählen"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr ""
"Hängt eine zusätzliche Checkbox an mit der alle Optionen ausgewählt werden "
"können"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "Farbauswahl"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "Leeren"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "Standard"

# @ acf
#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "Farbe auswählen"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "Aktuelle Farbe"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "Datumsauswahl"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "Fertig"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "Heute"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "Nächstes"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "Vorheriges"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "W"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "Darstellungsformat"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "Das Format für die Anzeige in der Bearbeitungsansicht"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "Individuelles Format:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "Speicherformat"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "Das Format das beim Speichern eines Wertes verwendet wird"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
msgid "Return Format"
msgstr "Rückgabeformat"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "Das Format für die Ausgabe in den Template-Funktionen"

# @ acf
#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "Die Woche beginnt am"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "Datums- und Zeitauswahl"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "Zeit auswählen"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "Zeit"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "Stunde"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "Minute"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "Sekunde"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "Millisekunde"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "Mikrosekunde"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "Zeitzone"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "Jetzt"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "Fertig"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "Auswählen"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "Vorm."

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "Vorm."

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "Nachm."

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "Nachm."

# @ acf
#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "E-Mail"

# @ acf
#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "Platzhaltertext"

# @ acf
#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "Platzhaltertext solange keine Eingabe im Feld vorgenommen wurde"

# @ acf
#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "Voranstellen"

# @ acf
#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "Wird dem Eingabefeld vorangestellt"

# @ acf
#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "Anhängen"

# @ acf
#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "Wird dem Eingabefeld hinten angestellt"

# @ acf
#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "Datei"

# @ acf
#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "Datei bearbeiten"

# @ acf
#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "Datei aktualisieren"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "Dateiname"

# @ acf
#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:708
#: pro/fields/class-acf-field-gallery.php:737
msgid "File size"
msgstr "Dateigröße"

# @ acf
#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "Datei hinzufügen"

# @ acf
#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "Datei-Array"

# @ acf
#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "Datei-URL"

# @ acf
#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "Datei-ID"

# @ acf
#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:673
msgid "Library"
msgstr "Mediathek"

# @ acf
#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:674
msgid "Limit the media library choice"
msgstr "Beschränkt die Auswahl in der Mediathek"

# @ acf
#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:679
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "Alle"

# @ acf
#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:680
msgid "Uploaded to post"
msgstr "Für den Beitrag hochgeladen"

# @ acf
#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:687
msgid "Minimum"
msgstr "Minimum"

# @ acf
#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "Beschränkt welche Dateien hochgeladen werden können"

# @ acf
#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:716
msgid "Maximum"
msgstr "Maximum"

# @ acf
#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:745
msgid "Allowed file types"
msgstr "Erlaubte Dateiformate"

# @ acf
#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:746
msgid "Comma separated list. Leave blank for all types"
msgstr ""
"Eine durch Komma getrennte Liste. Leer lassen um alle Dateiformate zu "
"erlauben"

# @ acf
#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "Google Maps"

# @ acf
#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "Dieser Browser unterstützt keine Geo-Lokation"

# @ acf
#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "Position löschen"

# @ acf
#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "Aktuelle Position finden"

# @ acf
#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "Nach der Adresse suchen..."

# @ acf
#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "Mittelpunkt"

# @ acf
#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "Mittelpunkt der Ausgangskarte"

# @ acf
#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "Zoom"

# @ acf
#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "Legt die anfängliche Zoomstufe der Karte fest"

# @ acf
#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:699
#: pro/fields/class-acf-field-gallery.php:728
msgid "Height"
msgstr "Höhe"

# @ acf
#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "Passt die Höhe der Karte an"

# @ acf
#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "Gruppe"

# @ acf
#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "Unterfelder"

#: 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 "Gibt die Art an wie die ausgewählten Felder ausgegeben werden sollen"

# @ acf
#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "Block"

# @ acf
#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "Tabelle"

# @ acf
#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "Reihe"

# @ acf
#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "Bild"

# @ acf
#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "Bild auswählen"

# @ acf
#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "Bild bearbeiten"

# @ acf
#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "Bild aktualisieren"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "Kein Bild ausgewählt"

# @ acf
#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "Bild hinzufügen"

# @ acf
#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "Bild-Array"

# @ acf
#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "Bild-URL"

# @ acf
#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "Bild-ID"

# @ acf
#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "Maße der Vorschau"

# @ acf
#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "Legt fest welche Maße die Vorschau in der Bearbeitungsansicht hat"

# @ acf
#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Restrict which images can be uploaded"
msgstr "Beschränkt welche Bilder hochgeladen werden können"

# @ acf
#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:691
#: pro/fields/class-acf-field-gallery.php:720
msgid "Width"
msgstr "Breite"

# @ acf
#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "Link"

# @ acf
#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "Link auswählen"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "In einem neuen Fenster/Tab öffnen"

# @ acf
#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "Link-Array"

# @ acf
#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "Link-URL"

# @ acf
#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "Mitteilung"

# @ acf
#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "Neue Zeilen"

# @ acf
#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "Legt fest wie Zeilenumbrüche gerendert werden"

# @ acf
#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "Automatisches hinzufügen von Absätzen"

# @ acf
#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "Automatisches hinzufügen von &lt;br&gt;"

# @ acf
#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "Keine Formatierung"

# @ acf
#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "Escape HTML"

# @ acf
#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr ""
"Erlaubt HTML-Markup als sichtbaren Text anzuzeigen anstelle diesen zu rendern"

# @ acf
#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "Numerisch"

# @ acf
#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "Mindestwert"

# @ acf
#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "Maximalwert"

# @ acf
#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "Schrittweite"

# @ acf
#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "Wert muss eine Zahl sein"

# @ acf
#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "Wert muss größer oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "Wert muss kleiner oder gleich %d sein"

# @ acf
#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

# @ acf
#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "URL eingeben"

# @ acf
#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "Maße"

# @ acf
#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "Seiten-Link"

# @ acf
#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "Archive"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "Übergeordnet"

# @ acf
#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "Nach Inhaltstyp filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "Alle Inhaltstypen"

# @ acf
#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "Nach Taxonomien filtern"

# @ acf
#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "Alle Taxonomien"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "Archiv-URL's zulassen"

# @ acf
#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "Mehrere Werte auswählbar?"

# @ acf
#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "Passwort"

# @ acf
#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "Beitrags-Objekt"

# @ acf
#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "Beitrags-ID"

# @ acf
#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "Radio-Button"

# @ acf
#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "Weitere"

# @ acf
#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr ""
"Das Hinzufügen der Auswahlmöglichkeit 'Weitere‘ erlaubt benutzerdefinierte "
"Werte"

# @ acf
#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "Weitere speichern"

# @ acf
#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "Weitere Werte unter den Auswahlmöglichkeiten des Feldes speichern"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "Numerischer Bereich"

# @ acf
#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "Beziehung"

# @ acf
#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "Maximum der Einträge mit ({max} Einträge) erreicht"

# @ acf
#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "Lade"

# @ acf
#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "Keine Übereinstimmung gefunden"

# @ acf
#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "Inhaltstyp auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "Taxonomie auswählen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "Suchen..."

# @ acf
#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "Filter"

# @ acf
#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "Inhaltstyp"

# @ acf
#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "Taxonomie"

# @ acf
#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "Elemente"

# @ acf
#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "Die ausgewählten Elemente werden in jedem Ergebnis angezeigt"

# @ acf
#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "Mindestzahl an Beiträgen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "Höchstzahl an Beiträgen"

# @ acf
#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:818
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s benötigt mindestens %s Selektion"
msgstr[1] "%s benötigt mindestens %s Selektionen"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "Auswahl"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr ""
"Es ist ein Ergebnis verfügbar, drücke die Eingabetaste um es auszuwählen."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr ""
"Es sind %d Ergebnisse verfügbar, benutze die Pfeiltasten um nach oben und "
"unten zu navigieren."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "Keine Übereinstimmungen gefunden"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "Gib bitte ein oder mehr Zeichen ein"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "Gib bitte %d oder mehr Zeichen ein"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "Lösche bitte ein Zeichen"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "Lösche bitte %d Zeichen"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "Du kannst nur ein Element auswählen"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "Du kannst nur %d Elemente auswählen"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "Mehr Ergebnisse laden&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "Suchen&hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "Laden fehlgeschlagen"

# @ acf
#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "Select2-Library aktivieren"

# @ acf
#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "AJAX verwenden um die Auswahl mittels Lazy Loading zu laden?"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "Lege den Rückgabewert fest"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "Trennelement"

# @ acf
#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "Tab"

# @ acf
#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
msgstr "Platzierung"

#: 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 ""
"Definiert einen Endpunkt an dem die vorangegangenen Tabs enden. Das ist der "
"Startpunkt für eine neue Gruppe an Tabs."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "Keine %s"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "Wähle die Taxonomie, welche angezeigt werden soll"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "Anzeige"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "Wähle das Aussehen für dieses Feld"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "Mehrere Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "Auswahlmenü"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "Einzelne Werte"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "Radio Button"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "Begriffe erstellen"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "Erlaubt das Erstellen neuer Begriffe während des Bearbeitens"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "Begriffe speichern"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "Verbindet die ausgewählten Begriffe mit dem Beitrag"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "Begriffe laden"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "Den Wert aus den Begriffen des Beitrags laden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "Begriffs-Objekt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "Begriffs-ID"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "Der Benutzer kann keine neue %s hinzufügen"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s ist bereits vorhanden"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s hinzugefügt"

# @ acf
#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "Hinzufügen"

# @ acf
#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "Text einzeilig"

# @ acf
#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "Zeichenbegrenzung"

# @ acf
#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "Leer lassen für keine Begrenzung"

#: includes/fields/class-acf-field-text.php:181
#: includes/fields/class-acf-field-textarea.php:213
#, php-format
msgid "Value must not exceed %d characters"
msgstr "Wert darf %d Zeichen nicht überschreiten"

# @ acf
#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "Text mehrzeilig"

# @ acf
#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "Zeilenanzahl"

# @ acf
#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "Definiert die Höhe des Textfelds"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "Zeitauswahl"

# @ acf
#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "Wahr / Falsch"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "Zeigt den Text neben der Checkbox an"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "Wenn aktiv"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "Der Text der im aktiven Zustand angezeigt wird"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "Wenn inaktiv"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "Der Text der im inaktiven Zustand angezeigt wird"

# @ acf
#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

# @ acf
#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "Bitte eine gültige URL eingeben"

# @ acf
#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "Benutzer"

# @ acf
#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "Nach Rolle filtern"

# @ acf
#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "Alle Benutzerrollen"

# @ acf
#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "Benutzer-Array"

# @ acf
#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "Benutzer-Objekt"

# @ acf
#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "Benutzer-ID"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "WYSIWYG-Editor"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "Text"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "Klicke um TinyMCE zu initialisieren"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "Tabs"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "Visuell & Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "Nur Visuell"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "Nur Text"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "Werkzeugleiste"

# @ acf
#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "Button zum Hochladen von Medien anzeigen?"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "Initialisierung verzögern?"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "TinyMCE wird nicht initialisiert solange das Feld nicht geklickt wurde"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "E-Mail bestätigen"

# @ acf
#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:591
#: pro/options-page.php:81
msgid "Update"
msgstr "Aktualisieren"

# @ acf
#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "Beitrag aktualisiert"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "Spam entdeckt"

# @ acf
#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "Beitrag"

# @ acf
#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "Seite"

# @ acf
#: includes/locations.php:96
msgid "Forms"
msgstr "Formulare"

# @ acf
#: includes/locations.php:243
msgid "is equal to"
msgstr "ist gleich"

# @ acf
#: includes/locations.php:244
msgid "is not equal to"
msgstr "ist ungleich"

# @ acf
#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "Dateianhang"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "Alle %s Formate"

# @ acf
#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "Kommentar"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "Aktuelle Benutzerrolle"

# @ acf
#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "Super-Administrator"

# @ acf
#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "Aktueller Benutzer"

# @ acf
#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "Angemeldet"

# @ acf
#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "Frontend anzeigen"

# @ acf
#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "Backend anzeigen"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "Menüelement"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "Menü"

# @ acf
#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "Menüpositionen"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "Menüs"

# @ acf
#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "Übergeordnete Seite"

# @ acf
#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "Seiten-Template"

# @ acf
#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "Standard-Template"

# @ acf
#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "Seitentyp"

# @ acf
#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "Startseite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "Beitrags-Seite"

# @ acf
#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "Seite ohne übergeordnete Seiten"

# @ acf
#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "Übergeordnete Seite (mit Unterseiten)"

# @ acf
#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "Unterseite (mit übergeordneter Seite)"

# @ acf
#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "Beitragskategorie"

# @ acf
#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "Beitragsformat"

# @ acf
#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "Beitragsstatus"

# @ acf
#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "Beitrags-Taxonomie"

# @ acf
#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "Beitrags-Template"

# @ acf
#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "Benutzerformular"

# @ acf
#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "Hinzufügen / Bearbeiten"

# @ acf
#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "Registrieren"

# @ acf
#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "Benutzerrolle"

# @ acf
#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "Widget"

# @ acf
#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "%s Wert ist erforderlich"

# @ acf
#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "Advanced Custom Fields PRO"

# @ acf
#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "Veröffentlichen"

# @ acf
#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"Keine Feldgruppen für diese Options-Seite gefunden. <a href=\"%s\">Eine "
"Feldgruppe erstellen</a>"

# @ acf
#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr ""
"<b>Fehler</b>. Es konnte keine Verbindung zum Aktualisierungsserver "
"hergestellt werden"

# @ acf
#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "Aktualisierungen"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>Fehler</b>. Das Aktualisierungspaket konnte nicht authentifiziert werden. "
"Bitte probiere es nochmal oder deaktiviere und reaktiviere deine ACF PRO-"
"Lizenz."

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "Lizenz deaktivieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "Lizenz aktivieren"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
msgstr "Lizenzinformation"

#: 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 <a href=\"%s\" target=\"_blank\">details & pricing</"
"a>."
msgstr ""
"Um die Aktualisierungsfähigkeit freizuschalten gib bitte unten Deinen "
"Lizenzschlüssel ein. Falls Du keinen besitzen solltest informiere Dich bitte "
"hier hinsichtlich <a href=\"%s\" target=\"_blank\">Preisen und aller "
"weiteren Details</a>."

# @ acf
#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "Lizenzschlüssel"

# @ acf
#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "Aktualisierungsinformationen"

# @ acf
#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "Installierte Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "Aktuellste Version"

# @ acf
#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "Aktualisierung verfügbar"

# @ acf
#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "Plugin aktualisieren"

# @ acf
#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr ""
"Bitte gib oben Deinen Lizenzschlüssel ein um die Aktualisierungsfähigkeit "
"freizuschalten"

# @ acf
#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "Erneut suchen"

# @ acf
#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "Hinweis zum Upgrade"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "Zum Bearbeiten wechseln"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "Zur Vorschau wechseln"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "Klon"

#: pro/fields/class-acf-field-clone.php:812
msgid "Select one or more fields you wish to clone"
msgstr "Wähle ein oder mehrere Felder aus die Du klonen möchtest"

# @ acf
#: pro/fields/class-acf-field-clone.php:829
msgid "Display"
msgstr "Anzeige"

#: pro/fields/class-acf-field-clone.php:830
msgid "Specify the style used to render the clone field"
msgstr "Gib den Stil an mit dem das Klon-Feld angezeigt werden soll"

#: pro/fields/class-acf-field-clone.php:835
msgid "Group (displays selected fields in a group within this field)"
msgstr ""
"Gruppe (zeigt die ausgewählten Felder in einer Gruppe innerhalb dieses "
"Feldes an)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "Nahtlos (ersetzt dieses Feld mit den ausgewählten Feldern)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "Beschriftungen werden als %s angezeigt"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "Präfix für Feldbeschriftungen"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "Werte werden als %s gespeichert"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "Präfix für Feldnamen"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "Unbekanntes Feld"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "Unbekannte Feldgruppe"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "Alle Felder der Feldgruppe %s"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "Layout"
msgstr[1] "Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "Einträge"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "Dieses Feld erfordert mindestens {min} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "Dieses Feld erlaubt höchstens {max} {label} {identifier}"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} möglich (max {max})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} erforderlich (min {min})"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "Flexibler Inhalt benötigt mindestens ein Layout"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "Klicke \"%s\" zum Erstellen des Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "Layout entfernen"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "Zum Auswählen anklicken"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "Layout sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "Sortieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "Layout löschen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "Layout duplizieren"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "Neues Layout hinzufügen"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "Min"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "Max"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "Button-Beschriftung"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "Mindestzahl an Layouts"

# @ acf
#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "Höchstzahl an Layouts"

# @ acf
#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "Bild zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "Maximale Auswahl erreicht"

# @ acf
#: pro/fields/class-acf-field-gallery.php:338
msgid "Length"
msgstr "Länge"

#: pro/fields/class-acf-field-gallery.php:381
msgid "Caption"
msgstr "Bildunterschrift"

#: pro/fields/class-acf-field-gallery.php:390
msgid "Alt Text"
msgstr "Alt Text"

# @ acf
#: pro/fields/class-acf-field-gallery.php:562
msgid "Add to gallery"
msgstr "Zur Galerie hinzufügen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:566
msgid "Bulk actions"
msgstr "Massenverarbeitung"

# @ acf
#: pro/fields/class-acf-field-gallery.php:567
msgid "Sort by date uploaded"
msgstr "Sortiere nach Upload-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:568
msgid "Sort by date modified"
msgstr "Sortiere nach Änderungs-Datum"

# @ acf
#: pro/fields/class-acf-field-gallery.php:569
msgid "Sort by title"
msgstr "Sortiere nach Titel"

# @ acf
#: pro/fields/class-acf-field-gallery.php:570
msgid "Reverse current order"
msgstr "Aktuelle Sortierung umkehren"

# @ acf
#: pro/fields/class-acf-field-gallery.php:588
msgid "Close"
msgstr "Schließen"

# @ acf
#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum Selection"
msgstr "Minimale Auswahl"

# @ acf
#: pro/fields/class-acf-field-gallery.php:651
msgid "Maximum Selection"
msgstr "Maximale Auswahl"

#: pro/fields/class-acf-field-gallery.php:660
msgid "Insert"
msgstr "Einfügen"

#: pro/fields/class-acf-field-gallery.php:661
msgid "Specify where new attachments are added"
msgstr "Gibt an wo neue Anhänge hinzugefügt werden"

#: pro/fields/class-acf-field-gallery.php:665
msgid "Append to the end"
msgstr "Anhängen"

#: pro/fields/class-acf-field-gallery.php:666
msgid "Prepend to the beginning"
msgstr "Voranstellen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "Mindestzahl der Einträge hat ({min} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "Höchstzahl der Einträge hat ({max} Reihen) erreicht"

# @ acf
#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "Eintrag hinzufügen"

# @ acf
#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "Eintrag entfernen"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "Zugeklappt"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr ""
"Wähle ein Unterfelder welches im zugeklappten Zustand angezeigt werden soll"

# @ acf
#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "Mindestzahl der Einträge"

# @ acf
#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "Höchstzahl der Einträge"

# @ acf
#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "Keine Options-Seiten vorhanden"

# @ acf
#: pro/options-page.php:51
msgid "Options"
msgstr "Optionen"

# @ acf
#: pro/options-page.php:82
msgid "Options Updated"
msgstr "Optionen aktualisiert"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s"
"\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
"\">details & pricing</a>."
msgstr ""
"Um die Aktualisierungsfähigkeit freizuschalten gib bitte Deinen "
"Lizenzschlüssel auf der <a href=\"%s\">Aktualisierungen</a> Seite ein. Falls "
"Du keinen besitzt informiere Dich bitte hier hinsichtlich der <a href=\"%s\" "
"target=\"_blank\">Preise und Einzelheiten</a>."

#: tests/basic/test-blocks.php:13
msgid "Testimonial"
msgstr "Testimonial"

#: tests/basic/test-blocks.php:14
msgid "A custom testimonial block."
msgstr "Ein individueller Testimonial-Block."

#: tests/basic/test-blocks.php:40
msgid "Slider"
msgstr "Slider"

# @ acf
#: tests/basic/test-blocks.php:41
msgid "A custom gallery slider."
msgstr "Ein individueller Galerie-Slider."

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

# @ acf
#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

# @ acf
#~ msgid "%s field group duplicated."
#~ msgid_plural "%s field groups duplicated."
#~ msgstr[0] "%s Feldgruppe dupliziert."
#~ msgstr[1] "%s Feldgruppen dupliziert."

# @ acf
#~ msgid "%s field group synchronised."
#~ msgid_plural "%s field groups synchronised."
#~ msgstr[0] "%s Feldgruppe synchronisiert."
#~ msgstr[1] "%s Feldgruppen synchronisiert."

# @ acf
#~ msgid "<b>Error</b>. Could not load add-ons list"
#~ msgstr ""
#~ "<b>Fehler</b>. Die Liste der Zusatz-Module kann nicht geladen werden"

#~ msgid "Error validating request"
#~ msgstr "Fehler bei der Überprüfung der Anfrage"

# @ acf
#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "Advanced Custom Fields Datenbank-Upgrade"

# @ acf
#~ msgid ""
#~ "Before you start using the new awesome features, please update your "
#~ "database to the newest version."
#~ msgstr ""
#~ "Bevor du die großartigen neuen Funktionen nutzen kannst ist ein Upgrade "
#~ "der Datenbank notwendig."

# @ acf
#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</"
#~ "a> and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "Wir haben den Aktualisierungsprozess so einfach wie möglich gehalten; <a "
#~ "href=\"%s\">melde  Dich mit Deinem Store-Account an</a> und fordere ein "
#~ "Gratisexemplar von ACF PRO an!"

# @ acf
#~ msgid "Under the Hood"
#~ msgstr "Unter der Haube"

# @ acf
#~ msgid "Smarter field settings"
#~ msgstr "Intelligentere Feld-Einstellungen"

# @ acf
#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr ""
#~ "ACF speichert nun die Feld-Einstellungen als individuelle Beitrags-Objekte"

# @ acf
#~ msgid "Better version control"
#~ msgstr "Verbesserte Versionskontrolle"

# @ acf
#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr ""
#~ "Die neue JSON Export Funktionalität erlaubt die Versionskontrolle von "
#~ "Feld-Einstellungen"

# @ acf
#~ msgid "Swapped XML for JSON"
#~ msgstr "JSON ersetzt XML"

# @ acf
#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "Das Import- und Export-Modul nutzt nun JSON anstelle XML"

# @ acf
#~ msgid "New Forms"
#~ msgstr "Neue Formulare"

# @ acf
#~ msgid "A new field for embedding content has been added"
#~ msgstr "Ein neues Feld für das Einbetten von Inhalten wurde hinzugefügt"

# @ acf
#~ msgid "New Gallery"
#~ msgstr "Neue Galerie"

# @ acf
#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr ""
#~ "Das Galerie-Feld wurde einem längst überfälligen Face-Lifting unterzogen"

# @ acf
#~ msgid "Relationship Field"
#~ msgstr "Beziehungs-Feld"

# @ acf
#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr ""
#~ "Neue Einstellungen innerhalb des Beziehungs-Feldes um nach Suche, "
#~ "Beitrags-Typ und oder Taxonomie filtern zu können"

# @ acf
#~ msgid "New archives group in page_link field selection"
#~ msgstr ""
#~ "Im neuen Seitenlink-Feld werden alle Archiv-URL's der verfügbaren Custom "
#~ "Post Types in einer Options-Gruppe zusammengefasst"

# @ acf
#~ msgid "Better Options Pages"
#~ msgstr "Verbesserte Options-Seiten"

# @ acf
#~ msgid ""
#~ "New functions for options page allow creation of both parent and child "
#~ "menu pages"
#~ msgstr ""
#~ "Neue Funktionen für die Options-Seite erlauben die Erstellung von Menüs "
#~ "für übergeordnete Seiten sowie Unterseiten"

# @ acf
#~ msgid "None"
#~ msgstr "Nur Text"

#~ msgid "Error."
#~ msgstr "Fehler."

# @ acf
#~ msgid "remove {layout}?"
#~ msgstr "{layout} entfernen?"

# @ acf
#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "Dieses Feld erfordert mindestens {min} {identifier}"

# @ acf
#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "Maximale {label}-Anzahl erreicht ({max} {identifier})"

# @ acf
#~ msgid "Parent fields"
#~ msgstr "Übergeordnete Felder"

# @ acf
#~ msgid "Sibling fields"
#~ msgstr "Geschwister-Felder"

# @ acf
#~ msgid "Locating"
#~ msgstr "Lokalisiere"

# @ acf
#~ msgid "No embed found for the given URL."
#~ msgstr "Keine Inhalte für die eingegebene URL gefunden."

# @ acf
#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "Minimum der Einträge mit ({min} Einträge) erreicht"

# @ acf
#~ msgid "Taxonomy Term"
#~ msgstr "Taxonomie"

# @ acf
#~ msgid "Export Field Groups to PHP"
#~ msgstr "Exportieren der Feld-Gruppen nach PHP"

# @ acf
#~ msgid "Download export file"
#~ msgstr "JSON-Datei exportieren"

# @ acf
#~ msgid "Generate export code"
#~ msgstr "Erstelle PHP-Code"

# @ acf
#~ msgid "Import"
#~ msgstr "Importieren"

# @ acf
#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style "
#~ "repeater field or flexible content field layout"
#~ msgstr ""
#~ "Ein Tab-Feld wird nicht korrekt dargestellt, wenn es zu einem "
#~ "Wiederholung- oder Flexible-Inhalte-Feld im Tabellen-Layout eingebunden "
#~ "ist"

# @ acf
#~ msgid ""
#~ "Use \"Tab Fields\" to better organize your edit screen by grouping fields "
#~ "together."
#~ msgstr ""
#~ "Mit \"Tab Feldern\" können Felder für eine bessere Struktur im Editor in "
#~ "Tabs zusammengefasst werden."

# @ acf
#~ 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 ""
#~ "Alle Felder, die auf dieses \"Tab Feld\" folgen (oder bis ein weiteres "
#~ "\"Tab Feld\" definiert ist), werden in einem Tab mit dem Namen dieses "
#~ "Felds zusammengefasst."

# @ acf
#~ msgid "Getting Started"
#~ msgstr "Erste Schritte"

# @ acf
#~ msgid "Field Types"
#~ msgstr "Feld-Typen"

# @ acf
#~ msgid "Functions"
#~ msgstr "Funktionen"

# @ acf
#~ msgid "Actions"
#~ msgstr "Aktionen"

#~ msgid "How to"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Tutorials"
#~ msgstr "Ausführliche Anleitungen"

#~ msgid "FAQ"
#~ msgstr "Häufig gestellte Fragen"

#~ msgid "Term meta upgrade not possible (termmeta table does not exist)"
#~ msgstr ""
#~ "Term Meta-Aktualisierung war nicht möglich (die termmeta-Tabelle "
#~ "existiert nicht)"

# @ acf
#~ msgid "Error"
#~ msgstr "Fehler"

#~ msgid "1 field requires attention."
#~ msgid_plural "%d fields require attention."
#~ msgstr[0] "Ein Feld bedarf Deiner Aufmerksamkeit."
#~ msgstr[1] "%d Felder bedürfen Deiner Aufmerksamkeit."

#~ msgid ""
#~ "Error validating ACF PRO license URL (website does not match). Please re-"
#~ "activate your license"
#~ msgstr ""
#~ "Fehler bei der Überprüfung der ACF PRO Lizenz URL (Webseiten stimmen "
#~ "nicht überein). Bitte reaktiviere deine Lizenz"

#~ msgid "Disabled"
#~ msgstr "Deaktiviert"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "Deaktiviert <span class=\"count\">(%s)</span>"
#~ msgstr[1] "Deaktiviert <span class=\"count\">(%s)</span>"

# @ acf
#~ msgid "'How to' guides"
#~ msgstr "Kurzanleitungen"

# @ acf
#~ msgid "Created by"
#~ msgstr "Erstellt von"

#~ msgid "Error loading update"
#~ msgstr "Fehler beim Laden der Aktualisierung"

# @ acf
#~ msgid "See what's new"
#~ msgstr "Was ist neu"

# @ acf
#~ msgid "eg. Show extra content"
#~ msgstr "z.B. Zeige zusätzliche Inhalte"

#~ msgid ""
#~ "Error validating license URL (website does not match). Please re-activate "
#~ "your license"
#~ msgstr ""
#~ "Fehler bei der Überprüfung der Lizenz-URL (Webseite stimmt nicht "
#~ "überein). Bitte reaktiviere Deine Lizenz"

# @ acf
#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>Erfolgreich</b>. Der Import hat %s Feld-Gruppen hinzugefügt: %s"

# @ acf
#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and "
#~ "have been ignored: %s"
#~ msgstr ""
#~ "<b>Warnung</b>. Der Import hat %s Feld-Gruppen erkannt, die schon "
#~ "vorhanden sind und diese ignoriert: %s"

# @ acf
#~ msgid "Upgrade ACF"
#~ msgstr "Aktualisiere ACF"

# @ acf
#~ msgid "Upgrade"
#~ msgstr "Aktualisieren"

# @ acf
#~ msgid ""
#~ "The following sites require a DB upgrade. Check the ones you want to "
#~ "update and then click “Upgrade Database”."
#~ msgstr ""
#~ "Die folgenden Seiten erfordern eine Datenbank- Aktualisierung. Markiere "
#~ "die gewünschten Seiten und klicke \\\"Aktualisiere Datenbank\\\"."

# @ acf
#~ msgid "Select"
#~ msgstr "Auswahlmenü"

# @ acf
#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr ""
#~ "<b>Verbindungsfehler</b>. Entschuldige, versuche es bitte später noch "
#~ "einmal"

# @ acf
#~ msgid "Done"
#~ msgstr "Fertig"

# @ acf
#~ msgid "Today"
#~ msgstr "Heute"

# @ acf
#~ msgid "Show a different month"
#~ msgstr "Zeige einen anderen Monat"

# @ acf
#~ msgid "See what's new in"
#~ msgstr "Neuerungen in"

# @ acf
#~ msgid "version"
#~ msgstr "Version"

#~ msgid "Upgrading data to"
#~ msgstr "Aktualisiere Daten auf"

# @ acf
#~ msgid "Return format"
#~ msgstr "Rückgabe-Format"

# @ acf
#~ msgid "uploaded to this post"
#~ msgstr "zu diesem Beitrag hochgeladen"

# @ acf
#~ msgid "File Name"
#~ msgstr "Dateiname"

# @ acf
#~ msgid "File Size"
#~ msgstr "Dateigröße"

# @ acf
#~ msgid "No File selected"
#~ msgstr "Keine Datei ausgewählt"

# @ acf
#~ msgid "License"
#~ msgstr "Lizenz"

# @ acf
#~ msgid ""
#~ "To unlock updates, please enter your license key below. If you don't have "
#~ "a licence key, please see"
#~ msgstr ""
#~ "Um die Aktualisierungs-Fähigkeit freizuschalten, trage bitte Deinen "
#~ "Lizenzschlüssel im darunterliegenden Feld ein. Solltest Du noch keinen "
#~ "Lizenzschlüssel besitzen, informiere Dich bitte hier über die"

# @ acf
#~ msgid "details & pricing"
#~ msgstr "Details und Preise."

# @ acf
#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href="
#~ "\"%s\">details & pricing</a>"
#~ msgstr ""
#~ "Um die Aktualisierungen freizuschalten, trage bitte Deinen "
#~ "Lizenzschlüssel auf der <a href=\"%s\">Aktualisierungen</a>-Seite ein. "
#~ "Solltest Du noch keinen Lizenzschlüssel besitzen, informiere Dich bitte "
#~ "hier über die <a href=\"%s\">Details und Preise</a>"

# @ acf
#~ msgid "Advanced Custom Fields Pro"
#~ msgstr "Advanced Custom Fields Pro"

# @ acf
#~ msgid "http://www.advancedcustomfields.com/"
#~ msgstr "http://www.advancedcustomfields.com/"

# @ acf
#~ msgid "elliot condon"
#~ msgstr "elliot condon"

# @ acf
#~ msgid "Drag and drop to reorder"
#~ msgstr "Mittels Drag-and-Drop die Reihenfolge ändern"

# @ acf
#~ msgid "Add new %s "
#~ msgstr "Neue %s "

# @ acf
#~ msgid "Save Options"
#~ msgstr "Optionen speichern"

#~ msgid "Sync Available"
#~ msgstr "Synchronisierung verfügbar"

# @ acf
#~ msgid ""
#~ "Please note that all text will first be passed through the wp function "
#~ msgstr ""
#~ "Bitte beachte, dass der gesamte Text zuerst durch eine WordPress Funktion "
#~ "gefiltert wird. Siehe: "

# @ acf
#~ msgid "Warning"
#~ msgstr "Warnung"

# @ acf
#~ msgid "Show Field Keys"
#~ msgstr "Zeige Feld-Schlüssel"

# @ acf
#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "Felder-Gruppen werden nach diesem Wert sortiert, vom niedrigsten zum "
#~ "höchsten Wert."

# @ acf
#~ msgid "Hide / Show All"
#~ msgstr "Alle Verstecken"

# @ acf
#~ msgid "5.2.6"
#~ msgstr "5.2.6"

# @ acf
#~ msgid "Sync Terms"
#~ msgstr "Einträge synchronisieren"
PK�[������lang/acf-ca.monu�[������4�L*x8y8�8�8D�8�8

9
9 9-999zT90�9=:>:Y:�o:	;;/;M6;�;-�;
�;�;	�;�;�;
�;�;<"<
*<5<D<L<[<j<r<�<�<�<��<�=
�=�=�=�=!�=>>A)>k>,w>4�>�>�>
�>?? 1?R?k?r?�?�?
�?
�?�?�?�?�?�?@@@6@H@N@C[@�@�@�@�@�@�@
�@�@�@	AA%A1A:ABAZAaAiAoA9~A�A�A�A�A�ABB	 B*B/7BgBoBxB"�B�B�B#�B�B�BC[C
jCxC�C�C
�C�CE�CDDG6D:~D�D�D �DE!E>E[ElE!�E"�E#�E!�E,F,BF%oF�F!�F%�F%�F-!G!OG*qG�G�G�G
�GZ�GV1H�H�H
�H�H�H
�H�H�H,�H$I
@INIaI	qI{I�I�I�I�I�I
�I�I	�I
�I

JJ&J
/J=J
CJNJ	WJ aJ&�J&�J�J�J�J�JK1KEKKKZK`KlK
yK�K
�K
�K�K�K3�K
L!L4LiOL�L7�LM&M1;MmM�MT�M�M
�M�M�M	N	NN"7NZNpN�N�N�N�N�N+�NCO@EO�O�O�O
�O	�O�O�O�O
�O�O=�O0P
<PJPWP^PmP
�P��PQQ$Q	-Q#7Q"[Q"~Q!�Q�Q�Q�Q/�Q
%R3RCRVRQ_R��RSSgSlS	sS}S�S4�S�Sy�ScTgTmT}T�T�T�T�T�T�T�T�TU
U,U
1U
<UGU
PUwU
U�U	�U��U>VBVJVZVgV
yV
�V!�V�V'�V�VW	WWW$W,W0W8WHWUW
gW
uW!�W	�W�W=�WXXX
&X1XMX
jXxX�X�X�X1�X�X	�X�XY	YUYsYM�YR�Y!Z`$Z�Z�Z�Z�Z
�Z�ZT
[_[p[�[�[�[�[�[�[�[\
\\\%\*\D\L\Y\i\	o\y\\�\	�\�\
�\	�\�\�\�\	�\�\	]M]5`]+�],�]�]�]
�]^^^+^
7^
E^	S^]^
j^u^�^�^�^/�^�^�^___
%_3_29_l_��_-`
6`A`N`
U`
c`n`v`�`	�`	�`$�`%�`
�`
�`aa)a	@aJaNaSa+Ya*�a�a�a
�a
�a�a3�a(b/b
CbQb	gb.qb	�b�b�b�b�b�b0�b!c+9cecvc��c#d:d#Ie5me7�e>�e?f#Zf1~f%�fG�fVg&ug:�g<�g2hGhahxh	�h�h�h�h�h�hii0i5i6Biyi~i,�i�i0�i�i
j
 j
.j'<j0dj4�j�j'�j
k#k	*k4k:k
FkQk]kektk�k�k�k�k�k�k�k�k�k�k�k	�k	�k�kl1,l!^lZ�l3�lBmURmE�mA�mZ0nA�n^�o(,p*Up#�p^�p@q<Dq4�q7�q3�qL"r	oryr6�r�r��r�ist
ttt!t<tHtUtZt
btpt�t�t�t�t�t
�t�t�t�t
�tuu.uWKu�u�u�u�u�u
�u	�uvv	v%v?vNv`vvv|v�v�v�v�v�v�v	w(#w'Lw#tw�w�w
�w�w�w�w�w
xx�x'�xM�x7y?y!Ny
py{y�y�y�y�y�yM�yzzz$z5z8zDzTz[zjz
rz}z�z�z�z	�z	�z�z�z�z6�z4	{�>{~	 ~*~D9~~~�~�~
�~�~�~��~G�C��5��M��'�<�TB���D������
5�C�W�t�������͂ނ��
��0�K�P��g�#S�w�������&ф���P*�{�1��<�����	 �*�D�%[���������Ɔ͆܆�"�"�/�G�N�]�+p�������gLJ/�@�Q�`�
s�~�
��������È؈���$�-�5�=�LQ�&��ʼnۉ�
���� �)�B;�	~�
����+��	ӊ݊)�
�)�C�kS���
̋ڋ���H&�"o� ��p��`$���������������͍Ѝҍ֍ڍ
ߍ�������
��%�
*�5�
M�[�q�X��h܎E�e�m�����
������4Ï3��
,�:�R�n�v�����"��א�
���(�
5�C�Z�
c�q���
����*��0�,�B�R�[�q���D��
����
��!�2�D�
Q�!_�-��E��!���"6��Y� �M�O�$l�<���d�V�]�
n�|�����(��,Ӗ �!�?�T�c�k���7��UЗJ&�q�
x�����
����
��Ę��A��7�D�T�e�m�������=�D�T�d�3u�4��3ޚ4�G�^�"p�C��כ����X��o�)�D�P�Y�f���@��ѝ��k�p�y�#������Ξ-ڞ	��	�%�B�0U���������ß+֟�
�	�)��A�ݠ����"�/�/C�2s�1��ء�������$�+�B�R�d�q�2��	����Z֢1�5�S�h�t�'����ȣܣ����#�,�#>�
b�Yp�
ʤ]ؤS6���~��"�0/�`�%x���"��gҦ:�X�v�����&��%ߧ��,�0�8�I�X�&^���������Ǩרި�����5�F�K�e�q���	��Y��Q��+H�"t���������ժ����*�C�V�q��� ��ī�:�/�G�`�d�l�}���M��3�����
ĭϭ	ح���	��	*�4�@�(I�%r�
������Į߮	�����5�7O���������ǯ6�� �5�A�V�<_�
������ְ���>�O�!k������±&Y�4����ճ��"�B�(Y���>��Pٴ*� B�!c�3����յ�	�"�*3�^�#j�����'ö��B�C�H�4b���,��"˷�
��96�>p�=�� �6�$E�j�p�}���	�����������/�8�	>�	H�	R�\�h�y�
~���)��+º1�" �[C�0��:лh�;t�:��W�mC�|��2.�>a�*��c˿G/�Ew�:��;��:4�Ro�	��A���%��������
����&��	�����
��!�
:�E�_�t�������������$�9�0W�|����6�3:�n�u����������������&�,�<�Q�i���!����"��(��(%�)N�x�������������
��

���)��G
�U�^�%u���������������U��7�9�@�$F�k�n�z���������	������������
��
��;�9P�_��VUq���?1_�6��#'���rD�HQ[v�I7v#'���d:f����A]p^.R� QTL�(^�$�j�����Q����8�,��y��)|��9-�i��*7o^%g`��3%���rS-���>�8f�f
�����;�b#@t"sga(�N����E���2�il!/��.�<��A�`R��t�����h��q��
�����xTlE�'�=�,��u���n/x��hPC���Fo*���"��Io0+Slz+�Zb&)����.�t��E�]{g�Z6e�>�DU��<���AO��a�9���,�s�}XV�Y�B4����W����4��:�)r��&?kT�6DL0i~%�p�:�zayC�M��}��	�O�S;(G~�>3X=�1
P`Ve��K��C��G�F���e5Y<��x3�J	Z�UnH�N2z�����4�j
I�wX�O�����c� k�q����c���L����m	��h$�c�PK8W[�����������}
��d72��{H�������]*��{�W���N���R�[�-����w9��u���!�
��y�"|�5B;+m�&�m!���J�=��\����k�\Ms\5G0�FJ?1vw_�/Y���|��pB����@M����~j$��@��nu�����bK�d �%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.<strong>ERROR</strong>: %sA Smoother ExperienceACF PRO contains powerful features such as repeatable data, flexible content layouts, a beautiful gallery field and the ability to create extra admin options pages!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.FancyFeatured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.NormalNormal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initialized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttps://www.advancedcustomfields.comidis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
PO-Revision-Date: 2019-11-12 15:35+0100
Last-Translator: 
Language-Team: Jordi Tarrida (hola@jorditarrida.cat)
Language: ca
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
X-Generator: Poedit 2.2.4
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
X-Poedit-SourceCharset: UTF-8
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
Plural-Forms: nplurals=2; plural=(n != 1);
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
Cal revisar %d camps%s afegit%s ja existeix%s necessita almenys %s selecció%s necessita almenys %s seleccionsCal introduir un valor a %s(sense etiqueta)(sense títol)(aquest camp)+ Afegeix un campCal revisar un camp<b>Error</b>. No s’ha pogut verificar el paquet d’actualització. Torneu-ho a intentar o desactiveu i torneu a activar la vostra llicència de l’ACF PRO.<b>Error</b>. No s’ha pogut connectar al servidor d’actualitzacions<b>Escolliu</b> elements a <b>amagar</b>de la pantalla d’edició.<strong>ERROR</strong>: %sUna millor experiènciaL’ACF PRO conté característiques potents com ara camps repetibles, disposicions amb contingut flexible, un bonic camp de galeria i la possibilitat de crear noves pàgines d’opcions a l’administració!AcordióActiva la llicènciaActiuActiu <span class=“count”>(%s)</span>Actius <span class=“count”>(%s)</span>AfegeixAfegeix l’opció ‘Altres’ per a permetre valors personalitzatsAfegeix / EditaAfegeix un fitxerAfegeix imatgeAfegeix una imatge a la galeriaAfegeix-ne unAfegeix un nou campAfegeix un nou grup de campsAfegeix una disposicióAfegeix una filaAfegeix una disposicióAfegeix una nova opcióAfegeix una filaAfegeix un grup de reglesAfegeix a la galeriaComplementsAdvanced Custom FieldsAdvanced Custom Fields PROTotsTots els formats de %sEls quatre complements prèmium s’han combinat a la nova <a href="%s">versió PRO de l’ACF</a>. Amb llicències personals i per a desenvolupadors disponibles, les funcionalitats prèmium són més assequibles i accessibles que mai!Tots els camps del grup de camps %sTotes les imatgesTots els tipus de contingutTotes les taxonomiesTots els rols d'usuariPermet afegir-hi valors personalitzatsPermet les URLs dels arxiusPermet personalitzatsPermet que el marcat HTML es mostri com a text visible en comptes de renderitzatPermet nul?Permet crear nous termes mentre s’està editantPermet que aquest acordió s’obri sense tancar els altres.Tipus de fitxers permesosText alternatiuAparençaApareix després del campApareix abans del campApareix quan es crea una nova entradaApareix a dins del campAfegeix al finalAfegeix-los al finalAplicaArxiusN'esteu segur?AdjuntAutorAfegeix &lt;br&gt; automàticamentAfegeix paràgrafs automàticamentTorna a totes les einesBàsicSota els campsSota les etiquetesMillors formularis a la interfície frontalValidació milloradaBlocAmbdós (matriu)Tant la importació com l’exportació es poden realitzar fàcilment des de la nova pàgina d’eines.Accions massivesAccions massivesGrup de botonsEtiqueta del botóCancel·laLlegendaCategoriesCentraCentra el mapa inicialRegistre de canvisLímit de caràctersTorneu-ho a comprovarCasella de seleccióActivatPàgina filla (té mare)EleccióOpcionsEsborraNeteja la ubicacióFeu clic al botó “%s” de sota per a començar a crear el vostre dissenyFeu clic per a inicialitzar el TinyMCEFeu clic per alternarCamp de clonTancaTanca el campTanca la finestraAmaga els detallsReplegatSelector de colorLlista separada amb comes. Deixeu-la en blanc per a tots els tipusComentariComentarisLògica condicionalConnecta els termes escollits a l’entradaContingutEditor de contingutControla com es mostren les noves líniesS’ha copiatCopia-ho al porta-retallsCrea els termesCrea un grup de regles que determinaran quines pantalles d’edició mostraran aquests camps personalitzatsColor actualUsuari actualRol de l’usuari actualVersió actualCamps personalitzatsPersonalitzat:Personalitza el WordPress amb camps potents, professionals i intuïtius.Personalitzeu l’alçada del mapaCal actualitzar la base de dadesS’ha completat l’actualització de la base de dades. <a href="%s">Torna a l’administració de la xarxa</a>S’ha completat l’actualització de la base de dades. <a href="%s">Mira què hi ha de nou</a>Selector de dataFetAvuiSegüentAnteriorStmSelector de data i horaAMAFetAraHoraMicrosegonMil·lisegonMinutPMPSegonSeleccionaEscolliu l’horaHoraFus horariDesactiva la llicènciaPredeterminatPlantilla per defecteValor per defecteDefiniu un punt final per a aturar l’acordió previ. Aquest acordió no serà visible.Definiu un punt de final per a aturar les pestanyes anteriors. Això generarà un nou grup de pestanyes.Endarrereix la inicialització?EsborraEsborra la disposicióEsborra el campDescripcióDiscussióMostraFormat a mostrarMostra aquest acordió obert en carregar la pàgina.Mostra el text al costat de la casella de seleccióDocumentacióDescarrega i instal·laArrossegueu per a reordenarDuplicaDuplica la disposicióDuplica el campDuplica aquest elementImportació i exportació senzillaFàcil actualitzacióEditaEdita el campEdita el grup de campsEdita el fitxerEdita imatgeEdita el campEdita el grup de campsElementsElliot CondonCorreu electrònicMida de la incrustacióPunt finalIntroduïu la URLIntroduïu cada opció en una línia nova.Afegiu cada valor per defecte en una línia novaS’ha produït un error. Torneu-ho a provarEscapa l’HTMLExtracteExpandeix els detallsExporta els grups de campsExporta el fitxerS’ha exportat el grup de camps.S’ha exportat %s grups de camps.SofisticatImatge destacadaCampGrup de campsGrups de campsClaus dels campsEtiqueta del campNom del campTipus de campS’ha esborrat el grup de camps.S’ha desat l’esborrany del grup de camps.S’ha duplicat el grup de camps.S’han duplicat %s grups de camps.S’ha publicat el grup de camps.S’ha desat el grup de camps.S’ha programat el grup de camps.S’han afegit les següents opcions als grups de camps: actiu, posició de l’etiqueta, posició de les instruccions, i descripció.S’ha tramès el grup de camps.S’ha sincronitzat el grup de camps.S’han sincronitzat %s grups de camps.Cal un nom pel grup de cmapsS’ha actualitzat el grup de camps.Els grups de camps amb un valor més baix apareixeran primerEl tipus de camp no existeixCampsEls camps es poden assignar a menús, elements del menú, comentaris, ginys i formularis d’usuari!FitxerMatriu de fitxerID del fitxerURL del fitxerNom del fitxerMida del fitxerLa mida del fitxer ha de ser almenys %s.La mida del fitxer no pot ser superior a %s.El tipus de fitxer ha de ser %s.Filtra per tipus de contingutFiltra per taxonomiaFiltra per rolFiltresCerca la ubicació actualContingut flexibleEl contingut flexible necessita almenys una disposicióPer a més control, podeu establir tant el valor com l’etiqueta d’aquesta manera:La validació del formulari ara es fa amb PHP + AJAX en lloc de només JS.FormatFormularisInterfície estilitzadaPortadaMida completaGaleriaGenera PHPAdeu, complements. Hola, PROMapa de GoogleGrupGrup (mostra els camps escollits en un grup dins d’aquest camp)Camp de grupTé algun valorNo té cap valorAlçadaAmaga en pantallaAlta (damunt del títol)HoritzontalSi hi ha múltiples grups de camps a la pantalla d’edició, s’usaran les opcions del primer grup de camps (el que tingui el menor número d’ordre)ImatgeMatriu d'imatgeID de la imatgeURL de la imatgeL’alçada de la imatge ha de ser almenys de %dpx.L’alçada de la imatge no pot ser superior a %dpx.L’amplada de la imatge ha de ser almenys de %dpx.L’amplada de la imatge no pot ser superior a %dpx.Importa grups de campsImporta el fitxerEl fitxer d’importació és buitS’ha importat el grup de campsS’han importat %s grups de campsDades milloradesDisseny milloratUsabilitat milloradaInactiuInactiu <span class=“count”>(%s)</span>Inactius <span class=“count”>(%s)</span>En incloure la popular llibreria Select2 hem millorat tant la usabilitat com la velocitat en un munt de tipus de camps, incloent objecte post, enllaç de pàgina, taxonomia i selecció.Tipus de fitxer incorrecteInformacióInsereixInstal·latsPosició de les instruccionsInstruccionsInstruccions per als autors. Es mostren en omplir els formularisPresentem l’ACF PROEs recomana que feu una còpia de seguretat de la base de dades abans de continuar. Segur que voleu executar l’actualitzador ara?ClauEtiquetaPosició de les etiquetesLes etiquetes es mostraran com a %sGrossaDarrera versióDisposicióDeixeu-lo en blanc per no establir cap límitAl costatLlargadaMediatecaInformació de la llicènciaClau de llicènciaLimita l’elecció d’elements de la mediatecaEnllaçMatriu d’enllaçCamp d'enllaçURL de l’enllaçCarrega els termesCarrega el valor dels termes de l’entradaS'està carregantJSON localUbicacióAmb la sessió iniciadaHem actualitzat l’aspecte de molts camps perquè l’ACF llueixi més que mai! Es poden veure canvis a les galeries, relacions, i al nou camp d’oEmbed!MàxMàximMàxim de disposicionsMàxim de filesSelecció màximaValor màximMàxim d’entradesS’ha superat el màxim de files ({max} files)S’ha arribat al màxim d’elements seleccionatsS’ha arribat al màxim de valors ({max} valors)MitjanaMenúElement del menúUbicacions dels menúsMenúsMissatgeMínMínimMínim de disposicionsMínim de filesSelecció mínimaValor mínimMínim d'entradesNo s’ha arribat al mínim de files ({min} files)Més AJAXMés personalitzacióMés camps usen una cerca que funciona amb AJAX per a accelerar la càrrega de la pàgina.MouS’ha completat el moviment.Mou el grup de campsMou el campMou el camp a un altre grupSegur que ho voleu moure a la paperera?Moure els campsSelecció múltipleExpansió múltipleMúltiples valorsNomTextNoves característiquesNou campNou grup de campsNoves ubicacions per als formularisNoves líniesS’han afegit nous filtres i accions de PHP (i JS) per a permetre més personalització.Noves opcionsLa nova funció d’auto exportació a JSON millora la velocitat i permet la sincronització.Una nova funcionalitat als grups de camps permet moure un camp entre grups i pares.NoNo s’han trobat grups de camps personalitzats per a aquesta pàgina d’opcions. <a href="%s">Creeu un grup de camps nou</a>No s’ha trobat cap grup de campsNo s’ha trobat cap grup de camps a la papereraNo s’han trobat campsNo s’han trobat camps a la papereraSense formatejarNo s’han escollit grups de campsNo hi ha camps. Feu clic al botó <strong>+ Afegeix un camp</strong> per a crear el vostre primer camp.No s’ha escollit cap fitxerNo s’ha escollit cap imatgeNo hi ha coincidènciesNo hi ha pàgines d’opcionsNo hi ha %sNo hi ha camps commutables disponiblesNo hi ha actualitzacions disponibles.NormalNormal (després del contingut)NulNúmeroText d’inactiuText d’actiuObertS’obre en una finestra/pestanya novaOpcionsPàgina d’opcionsS’han actualitzat les opcionsOrdreNúm. d’ordreAltresPàginaAtributs de la pàginaEnllaç de pàginaPàgina marePlantilla de la pàginaTipus de pàginaParePàgina mare (té filles)ContrasenyaEnllaç permanentText de mostraUbicacióComproveu que tots els complements prèmium (%s) estan actualitzats a la darrera versió.Introduïu la clau de llicència al damunt per a desbloquejar les actualitzacionsEscolliu almenys un lloc per a actualitzar.Escolliu el destí d’aquest campPosicióEntradaCategoria de l'entradaFormat de l’entradaID de l’entradaObjecte de l’entradaEstat de l'entradaTaxonomia de l’entradaPlantilla de l’entradaTipus de contingutS'ha actualitzat l'entradaPàgina de les entradesCaracterístiques potentsPrefixa les etiquetes dels campsPrefixa els noms dels campsAfegeix al principiAfegeix una casella extra per a commutar totes les opcionsAfegeix-los al principiMida de la vista prèviaProPublicaBotó d’opcióBotons d’opcióRangMés informació sobre <a href="%s">les característiques de l’ACF PRO</a>.S’estan llegint les tasques d’actualització…El redisseny de l’arquitectura de dades ha permès que els subcamps siguin independents dels seus pares. Això permet arrossegar camps des de i cap a camps pares!RegistraRelacionalRelacióSuprimeixEsborra la disposicióEsborra la filaReordenaReordena la disposicióRepetibleObligatori?RecursosLimita quins fitxers poden ser carregatsLimita quines imatges es poden penjarRestringitFormat de retornValor de retornInverteix l’ordre actualRevisa els llocs i actualitzaRevisionsFilaFilesReglesDesa els valors personalitzats a les opcions del campDesa els valors d’’Altres’ a les opcions del campDesa personalitzatsFormat de desatDesa AltresDesa els termesFluid (sense la caixa meta)Fluid (reemplaça aquest camp amb els camps escollits)CercaCerca grups de campsCerca campsCerca l’adreça…Cerca…Mira què hi ha de nou a la <a href=“%s”>versió %s</a>.Selecciona %sEscolliu un colorEscull els grups de campsEscull el fitxerEscolliu una imatgeEscolliu l’enllaçEscull un subcamp per a mostrar quan la fila estigui replegadaEscollir múltiples valors?Escolliu un o més camps a clonarEscolliu el tipus de contingutEscolliu la taxonomiaEscolliu el fitxer JSON de l’Advanced Custom Fields que voleu importar. En fer clic al botó d’importació, l’ACF importarà els grups de camps.Escolliu l’aparença d’aquest campEscolliu els grups de camps que voleu exportar i després escolliu el mètode d’exportació. Useu el botó de descàrrega per a exportar-ho a un fitxer .json que després podreu importar a una altra instal·lació d’ACF. Useu el botó de generació per a exportar codi PHP que podreu usar al vostre tema.Escolliu la taxonomia a mostrarEsborreu un caràcterEsborreu %d caràctersIntroduïu un o més caràctersIntroduïu %d o més caràctersNo s'ha pogut carregarS'estan carregant més resultats&hellip;No hi ha coincidènciesHi ha disponible un resultat, premeu retorn per a escollir-lo.Hi ha disponibles %d resultats, useu les fletxes amunt i avall per a navegar-hi.S'està cercant&hellip;Només podeu escollir un elementNomés podeu escollir %d elementsEls elements escollits es mostraran a cada resultatLa selecció és superior aLa selecció és inferior aEnvia retroenllaçosSeparadorEstableix el valor inicial de zoomEstableix l’alçada de l’àrea de textParàmetresMostra els botons de penjar mèdia?Mostra aquest grup de camps siMostra aquest camp siEs mostra a la llista de grups de campsLateralUn sol valorUna sola paraula, sense espais. S’admeten barres baixes i guionsLlocEl lloc està actualitzatCal actualitzar la base de dades del lloc de %s a %sÀliesAquest navegador no suporta geolocalitzacióOrdena per la data de modificacióOrdena per la data de càrregaOrdena pel títolS’ha detectat brossaEspecifiqueu el valor a retornar a la interfície frontalIndiqueu l’estil que s’usarà per a mostrar el camp clonatEspecifiqueu l’estil usat per a mostrar els camps escollitsEspecifiqueu el valor a retornarEspecifiqueu on s’afegeixen els nous fitxers adjuntsEstàndard (en una caixa meta de WP)EstatMida del pasEstilInterfície estilitzadaSub campsSuperadministradorSuportCanvia a edicióCanvia a previsualitzacióSincronitzaSincronització disponibleSincronitza el grup de campsPestanyaTaulaPestanyesEtiquetesTaxonomiaID de termeObjecte de termeTextÀrea de textNomés TextEl text que es mostrarà quan està actiuEl text que es mostrarà quan està inactiuGràcies per crear amb  <a href=“%s”>ACF</a>.Gràcies per actualitzar a %s v%s!Gràcies per actualitzar! L’ACF %s és més gran i millor que mai. Esperem que us agradi.El camp %s es pot trobar ara al grup de camps %sEl camp de grup facilita la creació d’un grup de camps.El camp d’enllaç ofereix una manera senzilla d’escollir o definir un enllaç (url, títol, destí).Perdreu els canvis que heu fet si abandoneu aquesta pàginaEl camp de clon permet escollir i mostrar camps existents.S’ha redissenyat tota l’extensió, incloent nous tipus de camps, opcions i disseny!El següent codi es pot usar per a registrar una versió local del(s) grup(s) de camps escollit(s). Un grup de camps local pot aportar diversos avantatges com ara temps de càrrega més ràpids, control de versions, i opcions i camps dinàmics. Simplement copieu i enganxeu el següent codi al fitxer functions.php del vostre tema, o incloeu-lo en un fitxer extern.Els següents llocs necessiten una actualització de la base de dades. Escolliu els que vulgueu actualitzar i feu clic a %s.El format que es mostrarà quan editeu una entradaEl format que es retornarà a través de les funcions del temaEl format que s’usarà en desar el valorEl camp d’oEmbed permet incrustar fàcilment vídeos, imatges, tuits, àudio i altres continguts.La cadena “field_” no pot ser usada al principi del nom d’un campAquest camp no es pot moure fins que no se n’hagin desat els canvisAquest camp té un límit de {max} {label} de {identifier}Aquest camp requereix almenys {min} {label} de {identifier}Aquest és el nom que apareixerà a la pàgina d’edicióAquesta versió inclou millores a la base de dades i necessita una actualització.MiniaturaSelector d'horaEl TinyMCE no s’inicialitzarà fins que no es faci clic al campTítolPer a activar les actualitzacions, introduïu la clau de llicència a la pàgina d’<a href="%s">Actualitzacions</a>. Si no teniu cap clau de llicència, vegeu-ne els<a href="%s">detalls i preu</a>.Per a desbloquejar les actualitzacions, introduïu la clau de llicència a continuació. Si no teniu cap clau de llicència, vegeu els <a href="%s">detalls i preu</a>.CommutaCommuta’ls totsBarra d'einesEinesPàgina de primer nivell (no té mare)Al damuntCert / FalsTipusDesconegutCamp desconegutGrup de camps desconegutActualitzaActualització disponibleActualitza el fitxerPenja imatgeInformació de l'actualitzacióActualitza l’extensióActualitzacionsActualitza la base de dadesAvís d’actualitzacióActualitza els llocsS’ha completat l’actualització.L’actualització ha fallat.S’estan actualitzant les dades a la versió %sL’actualització a l’ACF PRO és senzilla. Només cal que compreu una llicència en línia i descarregueu l’extensió!Carregats a l’entradaPenjat a aquesta entradaURLUsa AJAX per a carregar opcions de manera relaxada?UsuariMatriu d’usuariFormulari d’usuariID d'usuariObjecte d'usuariRol de l'usuariL’usuari no pot crear nous %sValida el correuLa validació ha fallatValidació correctaValorEl valor contéEl valor és igual aEl valor és superior aEl valor és inferior aEl valor no és igual aEl valor coincideix amb el patróEl valor ha de ser un númeroEl valor ha de ser una URL vàlidaEl valor ha de ser igual o superior a %dEl valor ha de ser igual o inferior a %dEl valor no pot superar els %d caràctersEls valors es desaran com a %sVerticalMostra el campMostra el grup de campsVeient l’administracióVeient la part frontalVisualVisual i TextNomés VisualTambé hem escrit una <a href="%s">guia d’actualització</a> per a respondre qualsevol pregunta, però si en teniu cap, contacteu amb el nostre equip de suport al <a href="%s">tauler d’ajuda</a>.Creiem que us encantaran els canvis a %s.Estem canviant la manera en què presentem les funcionalitats prèmium!Lloc webLa setmana comença enBenvingut/da a Advanced Custom FieldsNovetatsGinyAmpladaAtributs del contenidorEditor WysiwygSíZoomacf_form() ara pot crear una nova entrada en ser enviat amb un munt de noves opcions.iclassecopiahttps://www.advancedcustomfields.comidés igual ano és igual ajQuerydisposiciódisposicionsdisposicionsClonSeleccióoEmbedCamp d’oEmbedovermell : VermellEditaSeleccionaActualitzaamplada{available} {label} de {identifier} disponible (màx {max}){required} {label} de {identifier} necessari (mín {min})PK�[�ɗ�{�{�lang/acf-fa_IR.monu�[������L�|*�8�8�8�8D�8%9
:9
E9P9]9i9z�90�9=0:n:�:�:��:	^;h;y;M�;�;-�;
<<	<<3<
;<I<]<l<
t<<�<�<�<�<�<�<�<�<�=�=
�=>>!>!0>R>f>As>�>,�>4�>#?6?
??J?b? {?�?�?�?�?�?
�?
�?�?�?@7@I@O@\@i@�@�@�@C�@�@�@AAA$A
,A7A>A	UA_AoA{A�A�A�A�A�A�A9�ABB.B:B@BLBYB	jBtB/�B�B�B�B"�B�B�B#C2C9CKC[XC
�C�C�C�C
�C�CEDMDfDG�D:�DEE -ENEkE�E�E�E!�E"�E#F!=F,_F,�F%�F�F!�F%G%EG-kG!�G*�G�G�GH
HZ HV{H�H�H
�H�H
I
I!I)I,8I$eI
�I�I�I	�I�I�I�I�IJJ
#J.J	?J
IJ
TJ_JpJ
yJ�J
�J�J	�J �J&�J&�JK&K.K=KQK1]K�K�K�K�K
�K�K
�K
�K�K�K3LNLeLxLi�L�L7MLMjM1M�M�MT�M'N
,N7N?N	HN	RN\N"{N�N�N�N�N�N�NO+OCEO@�O�O�O�O
�O	�O�O�O
P
%P0P=6PtP
�P�P�P�P�P
�P��PVQ\QhQ	qQ#{Q"�Q"�Q!�QRR'R/9R
iRwR�R�RQ�R��R�S�S�S	�S�S�S4�STy-T�T�T�T�T�T�T�T�TU"U)U1UEUQUpU
uU
�U�U
�U�U�U
�U�U	�U��U�V�V�V�V�V
�V
�V!�V�V'W=WDW	IWSWbWhWpWtW|W�W�W
�W
�W!�W	�W�W=XDXIXXX
jXuX�X
�X�X�X�X�X1�XY	*Y4YDY	WYUaY�YM�YRZeZ`hZ�Z�Z�Z[
'[5[TN[�[�[�[�[�[�[\.\E\J\Q\Z\b\g\�\�\�\�\	�\�\�\�\	�\�\
�\	�\�\]!]	*]4]	E]MO]5�]+�],�],^5^
:^H^T^\^h^
t^
�^	�^�^
�^�^�^�^�^/�^#_<_I_M_U_
b_p_2v_�_��_j`
s`~`�`
�`
�`�`�`�`	�`	�`$�`%a
*a
5aCaPafa	}a�a�a�a+�a*�a�a�a
b
bb31beblb
�b�b	�b.�b	�b�b�bcc!c0-c^c+vc�c�c��c#Sdwd#�e5�e7�e>f?Wf#�f1�f%�fGgV[g&�g:�g<h2Qh�h�h�h	�h�h�hii'i@iSimi�i�i6�i�i�i,�ijj0 jQjgj
}j
�j'�j0�j4�j'k'Bkjk�k	�k�k�k
�k�k�k�k�k�k�k�kllll#l,l4l@lLl	Ql	[lel|l1�l!�lZ�l3DmBxmU�mEnAWnZ�nA�n^6p(�p*�p#�p^
q@lq<�q4�q7r3WrL�r	�r�r5�r$s�*s��sit
pt{t�t�t�t�t�t�t
�t�t�t�tuuu
0u>uFuWu
futu�u�uW�uvv2v6vUv
Zv	evovwv	�v�v�v�v�v�v�v�vww.wDwZwqw(�w'�w#�wxx
$x/x@xQxcx
jxxx��x')yMQy�y�y!�y
�y�y�y�yzzzMzizmzszxz%�z�z�z�z�z�z�z
�z{{{#{	&{	0{:{F{R{6X{4�{6�{/�~+$>kc����-�=G����\=�k���&#�9J����n�����Q����L� U�v���'��Є݄)��8�H�X�u� ����Ņ/مF	�P� W�kx�/��*�I�!i�+��%��݈\��R�[p�m̉:�W�m�6v�6��N�83�
l�w�
������
ϋڋ+�6�'L�t�}���6������w�������ٍ��
���/�>�M�k� ����2�����
��])�-����ԏ����
4�B�ja�ِ̐�9��
7�3B�Rv�ɑՑ����Ւ���� %�
F�cT�+��4�p�m��
���
��'�0�.9�h�o�v���������
•͕ԕ
ە��	��$(�
M�[�t������֗�
����
)�
4�?�[S�)��٘�3��
3�>�P�f�3����֙� ���6�N� f�
��
������ؚ�A�LP�F���
���*�>�]R���
ĜϜ���0�B� T�2u�P��*��$$�RI����$*�^O�0��"ߟO�%R�x����k�x�������Ρ0�<�%R�!x�!����Ӣ#�"�[)�}��`�d�m�y�����
��ˤJߤ*�<�_E�����Х��!�3��<�
��5�O�Ac�J��=�D.�,s���(��_�&D�k�����]��"�!7�Y�h�
o�"}������!;��]��'�=�=Q�������K�����)�E�G[�������ݮ�7�@�X�o�x�������#��"���'5�A]�.��Cα
��$�
4�
B�M�
V�a�!n� ����ɲ'߲A�I� _�����)�&E�l�3��D�����6�H�^�e�l�������ڵ��n�����$�շ�ܷ(z�?��(�?�L�5g����.J�)y���0º�7�,8�.e���������ǻ&λ���#�
@�K�b�k�t�)����¼Լ�2� �/�"C�f��u�W�L]�>���
����2�L�g�}�������ٿ��$�!8�Z�Ig�������� �>�WK�<��L�
-�
;�F�S�
Z�
h�v��� ����
��,��+�
?�J�`�)x�9������
���H�DX�����������Y�
f�'q�'��"����>��4�!D�'f�������{��4R�0������+��1"�T�GW�!��/��)��A�*]�.����U���*���A��F�YH���������1�':�b�Sq�,��,��'�JG�����Y����H*�s���w��4�%8�^�!y�K��T��6<�4s�A��.��
�$�<�P�&k�����������'��)�B�G�	P�Z�j�|�������&��
��1�89�Mr�^����P��|C����gz����Xk����n��E1�Kw�;�����]��^�Co�>��\��sO�����Y��
Q��\����w�������3�������#�4�J�`�$s�����%�����-4�b�����'��5����'��.����O��
M�X�n�������@�� ��# �%D�
j�u�!������#���%�3@�?t�<��>��:0�
k�v� ��)��'������-�W=����
�$�S?�����������������������%��
����6�F�[�g�w�����������������G��D6�_��XWq���@1a�7��$'���rD�IR]x�I8v#(���f<h����B]r^/S� SUM�)`�&�j��	� ��Q����8
�,��z��+}���;/�k��+7o_'h`��5&���tU.���>�g�f
�����;�c$t"tic*�P����F���3�jl�/��.�>��A�bT��u�����h��r��
�����zTmG�)�=�.��v���p0y�iQC���Gq,���#��Jp1Sn{,�Zb&*����0�v��E�_}g�[6g�?�FU��<���CQ��b�9���-�u��|YV�Z�B5����W����4�"��;�)s�� (?kV�8EL2i%�q�:�zay%D�M��~��	�P�T=(I��@4X>�2RaWf��M��:���G�F���e5[=��x3�L
\�VoH�N2|����6�k
KwZ�O�����e�!m�s����d���~N�����n	��j$�c�PK9X[�����������
��d94��|J�������^*��-�Y���O���R�\�-����x:��u���"���{�#{�6C<+o�'�m!��B�J?��\����l�]NEs^7H0�HKA3wy`�1Y���~���pD����@O����}l%��A�nw�����dL�e!�%d fields require attention%s added%s already exists%s requires at least %s selection%s requires at least %s selections%s value is required(no label)(no title)(this field)+ Add Field1 field requires attention<b>Error</b>. Could not authenticate update package. Please check again or deactivate and reactivate your ACF PRO license.<b>Error</b>. Could not connect to update server<b>Select</b> items to <b>hide</b> them from the edit screen.A Smoother ExperienceA custom gallery slider.A custom testimonial block.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!AccordionActivate LicenseActiveActive <span class="count">(%s)</span>Active <span class="count">(%s)</span>AddAdd 'other' choice to allow for custom valuesAdd / EditAdd FileAdd ImageAdd Image to GalleryAdd NewAdd New FieldAdd New Field GroupAdd New LayoutAdd RowAdd layoutAdd new choiceAdd rowAdd rule groupAdd to galleryAdd-onsAdvanced Custom FieldsAdvanced Custom Fields PROAllAll %s formatsAll 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!All fields from %s field groupAll imagesAll post typesAll taxonomiesAll user rolesAllow 'custom' values to be addedAllow Archives URLsAllow CustomAllow HTML markup to display as visible text instead of renderingAllow Null?Allow new terms to be created whilst editingAllow this accordion to open without closing others.Allowed file typesAlt TextAppearanceAppears after the inputAppears before the inputAppears when creating a new postAppears within the inputAppendAppend to the endApplyArchivesAre you sure?AttachmentAuthorAutomatically add &lt;br&gt;Automatically add paragraphsBack to all toolsBasicBelow fieldsBelow labelsBetter Front End FormsBetter ValidationBlockBoth (Array)Both import and export can easily be done through a new tools page.Bulk ActionsBulk actionsButton GroupButton LabelCancelCaptionCategoriesCenterCenter the initial mapChangelogCharacter LimitCheck AgainCheckboxCheckedChild Page (has parent)ChoiceChoicesClearClear locationClick the "%s" button below to start creating your layoutClick to initialize TinyMCEClick to toggleClone FieldCloseClose FieldClose WindowCollapse DetailsCollapsedColor PickerComma separated list. Leave blank for all typesCommentCommentsConditional LogicConnect selected terms to the postContentContent EditorControls how new lines are renderedCopiedCopy to clipboardCreate TermsCreate a set of rules to determine which edit screens will use these advanced custom fieldsCurrent ColorCurrent UserCurrent User RoleCurrent VersionCustom FieldsCustom:Customize WordPress with powerful, professional and intuitive fields.Customize the map heightDatabase Upgrade RequiredDatabase Upgrade complete. <a href="%s">Return to network dashboard</a>Database upgrade complete. <a href="%s">See what's new</a>Date PickerDate Picker JS closeTextDoneDate Picker JS currentTextTodayDate Picker JS nextTextNextDate Picker JS prevTextPrevDate Picker JS weekHeaderWkDate Time PickerDate Time Picker JS amTextAMDate Time Picker JS amTextShortADate Time Picker JS closeTextDoneDate Time Picker JS currentTextNowDate Time Picker JS hourTextHourDate Time Picker JS microsecTextMicrosecondDate Time Picker JS millisecTextMillisecondDate Time Picker JS minuteTextMinuteDate Time Picker JS pmTextPMDate Time Picker JS pmTextShortPDate Time Picker JS secondTextSecondDate Time Picker JS selectTextSelectDate Time Picker JS timeOnlyTitleChoose TimeDate Time Picker JS timeTextTimeDate Time Picker JS timezoneTextTime ZoneDeactivate LicenseDefaultDefault TemplateDefault ValueDefine an endpoint for the previous accordion to stop. This accordion will not be visible.Define an endpoint for the previous tabs to stop. This will start a new group of tabs.Delay initialization?DeleteDelete LayoutDelete fieldDescriptionDiscussionDisplayDisplay FormatDisplay this accordion as open on page load.Displays text alongside the checkboxDocumentationDownload & InstallDrag to reorderDuplicateDuplicate LayoutDuplicate fieldDuplicate this itemEasy Import / ExportEasy UpgradingEditEdit FieldEdit Field GroupEdit FileEdit ImageEdit fieldEdit field groupElementsElliot CondonEmailEmbed SizeEndpointEnter URLEnter each choice on a new line.Enter each default value on a new lineError uploading file. Please try againEscape HTMLExcerptExpand DetailsExport Field GroupsExport FileExported 1 field group.Exported %s field groups.Featured ImageFieldField GroupField GroupsField KeysField LabelField NameField TypeField group deleted.Field group draft updated.Field group duplicated.%s field groups duplicated.Field group published.Field group saved.Field group scheduled for.Field group settings have been added for Active, Label Placement, Instructions Placement and Description.Field group submitted.Field group synchronised.%s field groups synchronised.Field group title is requiredField group updated.Field groups with a lower order will appear firstField type does not existFieldsFields can now be mapped to menus, menu items, comments, widgets and all user forms!FileFile ArrayFile IDFile URLFile nameFile sizeFile size must be at least %s.File size must must not exceed %s.File type must be %s.Filter by Post TypeFilter by TaxonomyFilter by roleFiltersFind current locationFlexible ContentFlexible Content requires at least 1 layoutFor more control, you may specify both a value and label like this:Form validation is now done via PHP + AJAX in favour of only JS.FormatFormsFresh UIFront PageFull SizeGalleryGenerate PHPGoodbye Add-ons. Hello PROGoogle MapGroupGroup (displays selected fields in a group within this field)Group FieldHas any valueHas no valueHeightHide on screenHigh (after title)HorizontalIf multiple field groups appear on an edit screen, the first field group's options will be used (the one with the lowest order number)ImageImage ArrayImage IDImage URLImage height must be at least %dpx.Image height must not exceed %dpx.Image width must be at least %dpx.Image width must not exceed %dpx.Import Field GroupsImport FileImport file emptyImported 1 field groupImported %s field groupsImproved DataImproved DesignImproved UsabilityInactiveInactive <span class="count">(%s)</span>Inactive <span class="count">(%s)</span>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.Incorrect file typeInfoInsertInstalledInstruction placementInstructionsInstructions for authors. Shown when submitting dataIntroducing ACF PROIt is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?KeyLabelLabel placementLabels will be displayed as %sLargeLatest VersionLayoutLeave blank for no limitLeft alignedLengthLibraryLicense InformationLicense KeyLimit the media library choiceLinkLink ArrayLink FieldLink URLLoad TermsLoad value from posts termsLoadingLocal JSONLocationLogged inMany 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!MaxMaximumMaximum LayoutsMaximum RowsMaximum SelectionMaximum ValueMaximum postsMaximum rows reached ({max} rows)Maximum selection reachedMaximum values reached ( {max} values )MediumMenuMenu ItemMenu LocationsMenusMessageMinMinimumMinimum LayoutsMinimum RowsMinimum SelectionMinimum ValueMinimum postsMinimum rows reached ({min} rows)More AJAXMore CustomizationMore fields use AJAX powered search to speed up page loading.MoveMove Complete.Move Custom FieldMove FieldMove field to another groupMove to trash. Are you sure?Moving FieldsMulti SelectMulti-expandMultiple ValuesNameName for the Text editor tab (formerly HTML)TextNew FeaturesNew FieldNew Field GroupNew Form LocationsNew LinesNew PHP (and JS) actions and filters have been added to allow for more customization.New SettingsNew auto export to JSON feature improves speed and allows for syncronisation.New field group functionality allows you to move a field between groups & parents.NoNo Custom Field Groups found for this options page. <a href="%s">Create a Custom Field Group</a>No Field Groups foundNo Field Groups found in TrashNo Fields foundNo Fields found in TrashNo FormattingNo field groups selectedNo fields. Click the <strong>+ Add Field</strong> button to create your first field.No file selectedNo image selectedNo matches foundNo options pages existNo termsNo %sNo toggle fields availableNo updates available.Normal (after content)NullNumberOff TextOn TextOpenOpens in a new window/tabOptionsOptions PageOptions UpdatedOrderOrder No.OtherPagePage AttributesPage LinkPage ParentPage TemplatePage TypeParentParent Page (has children)PasswordPermalinkPlaceholder TextPlacementPlease also check all premium add-ons (%s) are updated to the latest version.Please enter your license key above to unlock updatesPlease select at least one site to upgrade.Please select the destination for this fieldPositionPostPost CategoryPost FormatPost IDPost ObjectPost StatusPost TaxonomyPost TemplatePost TypePost updatedPosts PagePowerful FeaturesPrefix Field LabelsPrefix Field NamesPrependPrepend an extra checkbox to toggle all choicesPrepend to the beginningPreview SizeProPublishRadio ButtonRadio ButtonsRangeRead more about <a href="%s">ACF PRO features</a>.Reading upgrade tasks...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!RegisterRelationalRelationshipRemoveRemove layoutRemove rowReorderReorder LayoutRepeaterRequired?ResourcesRestrict which files can be uploadedRestrict which images can be uploadedRestrictedReturn FormatReturn ValueReverse current orderReview sites & upgradeRevisionsRowRowsRulesSave 'custom' values to the field's choicesSave 'other' values to the field's choicesSave CustomSave FormatSave OtherSave TermsSeamless (no metabox)Seamless (replaces this field with selected fields)SearchSearch Field GroupsSearch FieldsSearch for address...Search...See what's new in <a href="%s">version %s</a>.Select %sSelect ColorSelect Field GroupsSelect FileSelect ImageSelect LinkSelect a sub field to show when row is collapsedSelect multiple values?Select one or more fields you wish to cloneSelect post typeSelect taxonomySelect 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 appearance of this fieldSelect 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 taxonomy to be displayedSelect2 JS input_too_long_1Please delete 1 characterSelect2 JS input_too_long_nPlease delete %d charactersSelect2 JS input_too_short_1Please enter 1 or more charactersSelect2 JS input_too_short_nPlease enter %d or more charactersSelect2 JS load_failLoading failedSelect2 JS load_moreLoading more results&hellip;Select2 JS matches_0No matches foundSelect2 JS matches_1One result is available, press enter to select it.Select2 JS matches_n%d results are available, use up and down arrow keys to navigate.Select2 JS searchingSearching&hellip;Select2 JS selection_too_long_1You can only select 1 itemSelect2 JS selection_too_long_nYou can only select %d itemsSelected elements will be displayed in each resultSelection is greater thanSelection is less thanSend TrackbacksSeparatorSet the initial zoom levelSets the textarea heightSettingsShow Media Upload Buttons?Show this field group ifShow this field ifShown in field group listShown when entering dataSideSingle ValueSingle word, no spaces. Underscores and dashes allowedSiteSite is up to dateSite requires database upgrade from %s to %sSliderSlugSorry, this browser does not support geolocationSort by date modifiedSort by date uploadedSort by titleSpam DetectedSpecify the returned value on front endSpecify the style used to render the clone fieldSpecify the style used to render the selected fieldsSpecify the value returnedSpecify where new attachments are addedStandard (WP metabox)StatusStep SizeStyleStylised UISub FieldsSuper AdminSupportSwitch to EditSwitch to PreviewSyncSync availableSynchronise field groupTabTableTabsTagsTaxonomyTerm IDTerm ObjectTestimonialTextText AreaText OnlyText shown when activeText shown when inactiveThank you for creating with <a href="%s">ACF</a>.Thank you for updating to %s v%s!Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.The %s field can now be found in the %s field groupThe Group field provides a simple way to create a group of fields.The Link field provides a simple way to select or define a link (url, title, target).The changes you made will be lost if you navigate away from this pageThe clone field allows you to select and display existing fields.The entire plugin has had a design refresh including new field types, settings and design!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 sites require a DB upgrade. Check the ones you want to update and then click %s.The format displayed when editing a postThe format returned via template functionsThe format used when saving a valueThe oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.The string "field_" may not be used at the start of a field nameThis field cannot be moved until its changes have been savedThis field has a limit of {max} {label} {identifier}This field requires at least {min} {label} {identifier}This is the name which will appear on the EDIT pageThis version contains improvements to your database and requires an upgrade.ThumbnailTime PickerTinyMCE will not be initalized until field is clickedTitleTo enable updates, please enter your license key on the <a href="%s">Updates</a> page. If you don't have a licence key, please see <a href="%s">details & pricing</a>.To unlock updates, please enter your license key below. If you don't have a licence key, please see <a href="%s" target="_blank">details & pricing</a>.ToggleToggle AllToolbarToolsTop Level Page (no parent)Top alignedTrue / FalseTypeUnknownUnknown fieldUnknown field groupUpdateUpdate AvailableUpdate FileUpdate ImageUpdate InformationUpdate PluginUpdatesUpgrade DatabaseUpgrade NoticeUpgrade SitesUpgrade complete.Upgrade failed.Upgrading data to version %sUpgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!Uploaded to postUploaded to this postUrlUse AJAX to lazy load choices?UserUser ArrayUser FormUser IDUser ObjectUser RoleUser unable to add new %sValidate EmailValidation failedValidation successfulValueValue containsValue is equal toValue is greater thanValue is less thanValue is not equal toValue matches patternValue must be a numberValue must be a valid URLValue must be equal to or higher than %dValue must be equal to or lower than %dValue must not exceed %d charactersValues will be saved as %sVerticalView FieldView Field GroupViewing back endViewing front endVisualVisual & TextVisual OnlyWe also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.We think you'll love the changes in %s.We're changing the way premium functionality is delivered in an exciting way!WebsiteWeek Starts OnWelcome to Advanced Custom FieldsWhat's NewWidgetWidthWrapper AttributesWysiwyg EditorYesZoomacf_form() can now create a new post on submission with lots of new settings.andclasscopyhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/idis equal tois not equal tojQuerylayoutlayoutslayoutsnounClonenounSelectoEmbedoEmbed Fieldorred : RedverbEditverbSelectverbUpdatewidth{available} {label} {identifier} available (max {max}){required} {label} {identifier} required (min {min})Project-Id-Version: Advanced Custom Fields Pro v5.7.11
Report-Msgid-Bugs-To: http://support.advancedcustomfields.com
POT-Creation-Date: 2019-05-08 14:09+0430
PO-Revision-Date: 2019-05-08 14:13+0430
Last-Translator: Elliot Condon <e@elliotcondon.com>
Language-Team: Majix <mimapien@gmail.com>
Language: fa
MIME-Version: 1.0
Content-Type: text/plain; charset=UTF-8
Content-Transfer-Encoding: 8bit
Plural-Forms: nplurals=2; plural=(n==0 || n==1);
X-Generator: Poedit 2.2
X-Poedit-SourceCharset: UTF-8
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
X-Poedit-Basepath: ..
X-Poedit-WPHeader: acf.php
X-Textdomain-Support: yes
X-Poedit-SearchPath-0: .
X-Poedit-SearchPathExcluded-0: *.js
%d گزینه نیاز به بررسی دارد%s اضافه شد%s هم اکنون موجود است%s به حداقل  %s انتخاب نیاز دارد%s به حداقل  %s انتخاب نیاز داردمقدار %s لازم است(بدون برچسب)(بدون عنوان)(این گزینه)+ افزودن زمینهیکی از گزینه ها نیاز به بررسی دارد<b>خطا</b>. پکیج بروزرسانی اعتبارسنجی نشد. دوباره بررسی کنید یا لایسنس ACF PRO را غیرفعال و مجددا فعال کنید.خطا. امکان اتصال به سرور به روزرسانی الان ممکن نیست<b>انتخاب</b> آیتم ها برای <b>پنهان کردن</b> آن ها از صفحه ویرایش.یک تجربه راحتتراسلایدر گالری سفارشیبلوک سفارشی توصیه‌نامه (Testimonial)نسخه حرفه دارای امکانات قدرتمندی نظیر داده های تکرارپذیر، محتوای منعطف، یک زمینه گالری زیبا و امکان ساخت صفحات تنظیمات می باشد !آکاردئونیفعال سازی لایسنسفعالفعال <span class="count">(%s)</span>فعال <span class="count">(%s)</span>افزودنافزودن گزینه 'دیگر' برای ثبت مقادیر دلخواهاضافه کردن/ویرایشافزودن پروندهافزودن تصویرافزودن تصویر به گالریافزودنزمینه جدیدافزودن گروه زمینه جدیدافزودن طرح جدیدسطر جدیدطرح جدیددرج انتخاب جدیدافزودن سطرافزودن گروه قانوناضافه به گالریافزودنی هازمینه‌های سفارشی پیشرفتهزمینه‌های سفارشی پیشرفته نسخه حرفه ایهمههمه‌ی فرمت‌های %sهر چهار افزدونی پولی یکی شده و تحت عنوان <a href="%s">نسخه حرفه ای (Pro) </a> از افزونه زمینه‌های سفارشی معرفی شده اند. دو نسخه شخصی و توسعه دهنده موجود است که در هر دو این امکانات بهتر و دسترس تر از قبل موجود است!تمام فیلدها از %s گروه فیلدتمام تصاویرتمام انواع نوشتهتمام طبقه بندی هاتمام نقش های کاربراجازه درج مقادیر دلخواهاجازه آدرس های آرشیواجازه دلخواهاجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنهاآیا Null مجاز است؟اجازه به ساخت آیتم‌ها(ترم‌ها) جدید در زمان ویرایشاجازه دهید این آکوردئون بدون بستن دیگر آکاردئون‌ها باز شود.انواع مجاز فایلمتن جایگزینظاهربعد از ورودی نمایش داده می شودقبل از ورودی نمایش داده می شودهنگام ایجاد یک نوشته جدید نمایش داده می شوددر داخل ورودی نمایش داده می شودپسوندافزودن به انتهااعمالبایگانی هااطمینان دارید؟پیوستنویسندهاضافه کردن خودکار &lt;br&gt;پاراگراف ها خودکار اضافه شوندبازگشت به همه ابزارهاپایهزیر زمینه هازیر برچسب هافرم های سمت کاربر بهتر شده اندخطایابی بهتربلوکهر دو (آرایه)درون ریزی یا برون بری به سادگی از طریق یک ابزار جدید انجام می‌شود.اعمال گروهیکارهای گروهیگروه دکمه‌هامتن دکمهلغومتندسته هامرکزنقشه اولیه را وسط قرار بدهتغییراتمحدودیت کاراکتربررسی دوبارهجعبه انتخاب (Checkbox)انتخاب شدهبرگه زیر مجموعه (دارای مادر)انتخابانتخاب هاپاکسازیحذف مکانروی دکمه "%s" دز زیر کلیک کنید تا چیدمان خود را بسازیدبرای اجرای TinyMCE کلیک کنیدکلیک برای انتخابفیلد کپیبستنبستن زمینهبستن زمینهعدم نمایش جزئیاتجمع شدهانتخاب کننده رنگبا کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذاریددیدگاهدیدگاه هامنطق شرطیالصاق آیتم های انتخابی به نوشتهمحتواویرایش گر محتوا(ادیتور اصلی)تنظیم کنید که خطوط جدید چگونه نمایش داده شوندکپی شددرج در حافظه موقتساخت آیتم (ترم)مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینه‌های سفارشی سفارشی نمایش داده شوندرنگ فعلیکاربر فعلینقش کاربرفعلینسخه فعلیزمینه‌های سفارشیدلخواه:وردپرس را با زمینه‌های حرفه‌ای و قدرتمند سفارشی کنید.سفارشی سازی ارتفاع نقشهبه روزرسانی دیتابیس لازم استبه روزرسانی دیتابیس انجام شد. <a href="%s">بازگشت به پیشخوان شبکه</a>ارتقای پایگاه داده کامل شد. <a href="%s"> تغییرات جدید را ببینید</a>تاریخانجام شدامروزبعدیقبلیهفتهانتخاب کننده زمان و تاریخصبحصبحانجام شدالانساعتمیکرو ثانیهمیلی ثانیهدقیقهعصرعصرثانیهانتخابانتخاب زمانزمانمنطقه زمانیغیرفعال سازی لایسنسپیش فرضپوسته پیش فرضمقدار پیش فرضیک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود.یک نقطه پایانی برای توقف زبانه قبلی تعریف کنید. این کار باعث می‌شود گروه جدیدی از زبانه‌ها ایجاد شود.نمایش با تاخیر؟حذفحذف طرححذف زمینهتوضیحاتگفتگونمایشفرمت نمایشنمایش آکوردئون این به عنوان باز در بارگذاری صفحات.نمایش متن همراه انتخابمستنداتدانلود و نصبگرفتن و کشیدن برای مرتب سازیتکثیرتکثیر طرحتکثیر زمینهتکثیر این زمینهدرون‌ریزی یا برون‌بری آسانبه روزرسانی آسانویرایشویرایش زمینهویرایش گروه زمینهویرایش پروندهویرایش تصویرویرایش زمینهویرایش گروه زمینهعناصرElliot Condonپست الکترونیکیاندازه جانمایینقطه پایانیآدرس را وارد کنیدهر انتخاب را در یک خط جدید وارد کنید.هر مقدار پیش فرض را در یک خط جدید وارد کنیدخطا در آپلود فایل. لطفا مجدد بررسی کنیدحذف HTMLچکیدهنمایش جزئیاتبرون بری گروه های زمینهخروجی فایل%s گروه زمینه برون‌بری شد.۱ گروه زمینه برون‌بری شد.تصویر شاخصزمینهگروه زمینهگروه‌های زمینهکایدهای زمینهبرچسب زمینهنام زمینهنوع زمینهگروه زمینه حذف شد.پیش نویش گروه زمینه بروز شد.%s گروه زمینه تکثیر شدند.گروه زمینه تکثیر شد.گروه زمینه انتشار یافت.گروه زمینه ذخیره شد.گروه زمینه برنامه ریزی انتشار پیدا کرده برای.تنظیمات گروه زمینه برای مکان برچسب، راهنمای قرارگیری و توضیحات اضافه شده است.گروه زمینه ارسال شد.%s گروه زمینه همگام سازی شد.گروه زمینه همگام سازی شد.عنوان گروه زمینه ضروری استگروه زمینه بروز شد.گروه ها با شماره ترتیب کمتر اول دیده می شوندنوع زمینه وجود نداردزمینه هازمینه‌ها اکنون می‌توانند به فهرست‌ها، موارد فهرست، دیدگاه‌ها، ابزارک‌ها و تمامی فرم‌های مرتبط با کاربر ارجاع داده شوند!پروندهآرایه فایلشناسه(ID) پروندهآدرس پروندهنام فایلاندازه فایلحجم فایل باید حداقل %s باشد.حجم فایل ها نباید از %s بیشتر باشد.نوع فایل باید %s باشد.فیلتر با نوع نوشتهفیلتر با طبقه بندیتفکیک با نقشفیلترهاپیدا کردن مکان فعلیمحتوای انعطاف پذیرزمینه محتوای انعطاف پذیر حداقل به یک طرح نیاز داردبرای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:اعتبارسنجی فرم‌ها اکنون از طریق PHP + AJAX صورت می‌گیرد.فرمتفرم هارابط کاربری تازهبرگه نخستاندازه کاملگالریتولید کد PHPخداحافظ افزودنی ها و سلام به نسخه حرفه اینقشه گوگلگروهگروه ها(نمایش فیلدهای انتخابی در یک گروه با این فیلد)گروه زمینههر نوع مقداربدون مقدارارتفاعمخفی کردن در صفحهبالا (بعد از عنوان)افقیاگر چندین گروه زمینه در یک صفحه ویرایش نمایش داده شود،اولین تنظیمات گروه زمینه استفاده خواهد شد. (یکی با کمترین شماره)تصویرآرایه تصاویرشناسه(ID) تصویرآدرس تصویرارتفاع فایل باید حداقل %d پیکسل باشد.ارتفاع تصویر نباید از %d پیکسل بیشتر باشد.عرض تصویر باید حداقل %d پیکسل باشد.عرض تصویر نباید از %d پیکسل بیشتر باشد.وارد کردن گروه های زمینهوارد کردن فایلفایل وارد شده خالی است%s گروه زمینه درون‌ریزی شد۱ گروه زمینه درون‌ریزی شدداده ها بهینه شده اندطراحی بهینه شدهکاربری بهینه شدهغیرفعالغیرفعال <span class="count">(%s)</span>غیرفعال <span class="count">(%s)</span>استفاده از کتابخانه محبوب Select2 باعث سرعت در عملکرد و کاربری بهتر در انواع زمینه هاشامل آبجکت نوشته، پیوند(لینک) صفحه ، طبقه بندی و زمینه‌های انتخاب(Select) شده است.نوع فایل صحیح نیستاطلاعاتدرجنصب شدهمکان دستورالعمل هادستورالعمل هادستورالعمل هایی برای نویسندگان. هنگام ارسال داده ها نمایش داده می شوندمعرفی نسخه حرفه ایقویا توصیه می شود از بانک اطلاعاتی خود قبل از هر کاری پشتیبان تهیه کنید. آیا مایلید به روز رسانی انجام شود؟کلیدبرچسب زمینهمکان برچسببرچسب ها نمایش داده شوند به صورت %sبزرگآخرین نسخهچیدمانبرای نامحدود بودن این بخش را خالی بگذاریدسمت چپطولکتابخانهاطلاعات لایسنسکلید لایسنسمحدود کردن انتخاب کتابخانه چندرسانه ایلینکآرایه لینکزمینه پیوند (Link)آدرس لینکخواندن ترم هاخواندن مقادیر از ترم های نوشتهدرحال خواندنJSON های لوکالمکانوارده شدهبسیاری از زمینه ها از نظر ظاهری باز طراحی شدند تا این افزونه از قبل بهتر شده باشد. تغییرات چشم گیر در گالری و ارتباط و زمینه جدید به نام oEmbed صورت گرفته است!حداکثربیشترینحداکثر تعداد طرح هاحداکثر تعداد سطرهاحداکثر انتخابحداکثر مقدارحداکثر تعداد نوشته هامقادیر به حداکثر رسیده اند ( {max} سطر )بیشترین حد انتخاب شده استمقادیر به حداکثر رسیده اند ( {max} آیتم )متوسطمنوآیتم منومحل منومنوهاپیامحداقلکمترینحداقل تعداد طرح هاحداقل تعداد سطرهاحداقل انتخابحداقل مقدارحداقل تعداد نوشته‌هامقادیر به حداکثر رسیده اند ( {min} سطر )ایجکس بیشترسفارشی سازی بیشتربیشتر زمینه‌ها از قدرت AJAX برای جستجو استفاده می‌کند تا سرعت بارگذاری را افزایش دهند.انتقالانتقال کامل شد.جابجایی زمینه دلخواهجابجایی زمینهانتقال زمینه ها به گروه دیگرانتقال به زباله دان، آیا شما مطمئنید؟جابجایی زمینه هاچندین انتخابچند گسترشچندین مقدارناممتنویژگی‌های جدیدزمینه جدیدگروه زمینه جدیدمکان جدید فرم‌هاخطوط جدیداکشن‌ها و فیلترهای جدید PHP (و JS) برای سفارشی سازی بیشتر اضافه شد‌ه‌اند.تنظیمات جدیدویژگی جدید برون‌بری خودکار به فایل JSON سرعت را بهبود داده و همگام سازی را فراهم می‌کند.عملکرد جدید گروه زمینه اکنون اجازه می‌دهد تا یک زمینه را بین گروه‌ها و والدهای مختلف جابجا کنید.خیرهیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. <a href="%s">ساخت گروه زمینه دلخواه</a>گروه زمینه ای یافت نشدگروه زمینه ای در زباله دان یافت نشدگروه زمینه ای یافت نشدگروه زمینه ای در زباله دان یافت نشدبدون قالب بندیگروه زمینه ای انتخاب نشده استهیچ زمینه ای وجود ندارد. روی دکمه<strong>+ افزودن زمینه</strong> کلیک کنید تا اولین زمینه خود را بسازید.هیچ پرونده ای انتخاب نشدههیچ تصویری انتخاب نشدهمطابقتی یافت نشدهیچ صفحه تنظیماتی یافت نشدبدون  %sهیچ زمینه شرط پذیری موجود نیستبه‌روزرسانی موجود نیست.معمولی (بعد از ادیتور متن)خالی (null)عددبدون متنبا متنبازدر پنجره جدید باز شودتنظیماتبرگه تنظیماتتنظیمات به روز شدندترتیبشماره ترتیب.دیگربرگهصفات برگهپیوند (لینک) برگه/نوشتهبرگه مادرقالب برگهنوع برگهمادربرگه مادر (دارای زیر مجموعه)رمزعبورپیوند یکتانگهدارنده مکان متنجانماییهمچنین لطفا همه افزونه‌های پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند.برای فعالسازی به روزرسانی لایسنس خود را بنویسیدلطفا حداقل یک سایت برای ارتقا انتخاب کنید.مقصد انتقال این زمینه را مشخص کنیدموقعیتنوشتهدسته بندی نوشتهفرمت نوشتهشناسه(ID) نوشتهآبجکت یک نوشتهوضعیت نوشتهطبقه بندی نوشتهقالب نوشتهنوع نوشتهنوشته بروز شدبرگه ی نوشته هاامکانات قدرتمندپیشوند پرچسب فیلدهاپیشوند نام فایل هاپیشونداضافه کردن چک باکس اضافی برای انتخاب همهافزودن قبل ازاندازه پیش نمایشپیشرفتهانتشاردکمه رادیوییدکمه‌های رادیوییمحدودهاطلاعات بیشتر در  <a href="%s">امکانات نسخه حرفه ای</a>.در حال خواندن مراحل به روزرسانی...بازطراحی معماری داده ها این اجازه را به زمینه‌های زیرمجموعه داده است که بدون زمینه‌های والد باقی بمانند. این به شما کمک می کند که زمینه ها را از یک فیلد اصلی خارج یا به آن وارد نمایید !ثبت نامرابطهارتباطحذفحذف طرححذف سطرمرتب سازیترتیب بندی طرح هازمینه تکرار کنندهلازم است؟منابعمحدودیت در آپلود فایل هامحدودیت در آپلود تصاویرممنوعفرمت بازگشتمقدار بازگشتمعکوس سازی ترتیب کنونیبازبینی و به‌روزرسانی سایت‌هابازنگری هاسطرسطرهاقوانینذخیره مقادیر دلخواه در انتخاب های زمینهذخیره مقادیر دیگر در انتخاب های زمینهذخیره دلخواهذخیره قالبذخیره دیگرذخیره ترم هابدون متاباکسبدون مانند (جایگزینی این فیلد با فیلدهای انتخابی)جستجوجستجوی گروه های زمینهجستجوی گروه های زمینهجستجو برای آدرس . . .جستجو . . .مشاهده موارد جدید <a href="%s">نسخه %s</a>.انتخاب %sرنگ را انتخاب کنیدانتخاب گروه های زمینهانتخاب پروندهانتخاب تصویرانتخاب لینکیک زمینه زیرمجموعه را انتخاب کنید تا زمان بسته شدن طر نمایش داده شودآیا چندین مقدار انتخاب شوند؟انتخاب فیلد دیگری برای کپیانتحاب نوع نوشتهانتخاب طبقه بندیفایل JSON ای که قبلا از این افزونه خروجی گرفته اید را انتخاب کنید تا وارد شود. زمانی که دکمه وارد کردن را در زیر کلیک کنید، سیستم اقدام به ساخت گروه های زمینه خواهد نمود.ظاهر این زمینه را مشخص کنیدگروه زمینه‌هایی که مایل به تهیه خروجی آنها هستید را انتخاب کنید و در ادامه روش خروجی را نیز مشخص کنید. از دکمه دانلود برای خروجی فایل .json برای وارد کردن در یک سایت دیگر که این افزونه نصب شده است استفاده کنید. از دکمه تولید می توانید برای ساخت کد PHP برای قراردادن در قالب خود استفاده کنید.طبقه‌بندی را برای برون بری انتخاب کنیدیک  حرف را حذف کنیدلطفا %d کاراکتر را حذف کنیدیک یا چند حرف وارد کنیدلطفا %d یا چند کاراکتر دیگر وارد کنیدخطا در فراخوانی داده هابارگذاری نتایج بیشتر&hellip;مشابهی یافت نشدیک نتیجه موجود است برای انتخاب Enter را فشار دهید.نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید.جستجو &hellip;فقط می توانید یک آیتم را انتخاب کنیدشما فقط می توانید %d مورد را انتخاب کنیدعناصر انتخاب شده در هر نتیجه نمایش داده خواهند شدانتخاب بیشتر ازانتخاب کمتر ازارسال بازتاب هاجداکنندهتعین مقدار بزرگنمایی اولیهتعیین ارتفاع باکس متنتنظیماتآیا دکمه‌های بارگذاری رسانه نمایش داده شوند؟نمایش این گروه زمینه اگرنمایش این گروه زمینه اگرنمایش لیست گروه زمینههنگام وارد کردن داده ها نمایش داده می شودکنارتک مقدارتک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاندسایتسایت به روز استسایت نیاز به به‌روزرسانی از %s به %s  دارداسلایدرنامکبا عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کندبه ترتیب تاریخ اعمال تغییراتبه ترتیب تاریخ آپلودبه ترتیب عنواناسپم تشخیص داده شدمقدار برگشتی در نمایش نهایی را تعیین کنیدمشخص کردن استایل مورد نظر در نمایش دسته فیلدهااستایل جهت نمایش فیلد انتخابیمقدار بازگشتی را انتخاب کنیدمشخص کنید که پیوست ها کجا اضافه شونداستاندارد (دارای متاباکس)وضعیتاندازه مرحلهشیوه نمایشظاهر بهینه شدهزمینه‌های زیرمجموعهمدیرکلپشتیبانیحالت ویرایشحالت پیش‌نمایشهماهنگهماهنگ سازی موجود استهماهنگ سازی گروه زمینهتبجدولتب هابرچسب هاطبقه بندیشناسه(ID) آیتم(ترم)به صورت آبجکتتوصیه‌نامهمتنجعبه متن (متن چند خطی)فقط متننمایش متن در زمان فعال بودننمایش متن در زمان غیر فعال بودنبا تشکر از شما برای استفاده از  <a href="%s">ACF</a>.از شما برای بروزرسانی به آخرین نسخه %s v%s ممنون هستیم!از اینکه به روزرسانی کردید متشکریم! افزونه زمینه دلخواه پیشرفته  %s بزرگتر و بهتر از قبل شده است. امیدواریم لذت ببرید.زمینه %s اکنون در گروه زمینه %s  قرار گرفته استبا استفاده از گروه زمینه می‌توانید گروهی از زمینه‌ها را ایجاد کنید.با استفاده از زمینه پیوند میتوانید به سادگی یک روش برای انتخاب یا تعریف یک پیوند (url-title-target) ایجاد کنید.اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شدبا استفاده از فیلد کپی میتوانید فیلدهای موجود را انتخاب کنید یا نمایش دهید.تمامی افزونه با یک رابط کاربری جدید بروز شده است!این کد می تواند برای ثبت یک نسخه محلی (لوکال)از گروه زمینه‌های انتخاب شده استفاده شود. یک نسخه محلی فواید زیادی دارد، مثلا سرعت لود بالاتر، کنترل نسخه و پویاسازی زمینه ها و تنظیماتشان. به راحتی می توانید کد زیر را در فایل function.php خود کپی کنید و یا از یک فایل دیگر انرا فراخوانی نمایید.این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید.قالب در زمان نمایش نوشته دیده خواهد شدقالب توسط توابع پوسته نمایش داده خواهد شدقالب استفاده در زمان ذخیره مقداربا استفاده از زمینه oEmbed میتوانید به سادگی ویدیو، تصویر، توییت، صدا و محتواهای دیگر را جاسازی کنید.کلمه متنی "field_" نباید در ابتدای نام فیلد استفاده شوداین زمینه قبل از اینکه ذخیره شود نمی تواند جابجا شوداین گزینه محدود است به {max} {label} {identifier}این زمینه لازم دارد {min} {label} {identifier}این نامی است که در صفحه "ویرایش" نمایش داده خواهد شداین نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد.تصویر بندانگشتیانتخاب زمانتا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شدعنوانبرای به روزرسانی لطفا کد لایسنس را وارد  کنید. <a href="%s">بروزرسانی</a>. <a href="%s">قیمت ها</a>.برای به روزرسانی لطفا کد لایسنس را وارد  کنید. <a href="%s" target="_blank">قیمت ها</a>.انتخابانتخاب همهنوار ابزارابزارهابالاترین سطح برگه(بدون والد)سمت بالاصحیح / غلطنوع زمینهناشناختهفیلد ناشناسگروه ناشناسبروزرسانیبروزرسانی موجود استبروزرسانی پروندهبروزرسانی تصویراطلاعات به روز رسانیبروزرسانی افزونهبروزرسانی هابه‌روزرسانی پایگاه دادهنکات به روزرسانیارتقاء سایتارتقا کامل شد.ارتقا با خطا مواجه شد.به روز رسانی داده ها به نسحه %sارتقا به نسخه حرفه‌ای آسان است. به سادگی لایسنس را بخرید و افزونه را دانلود کنید!بارگذاری شده در نوشتهبارگذاری شده در این نوشتهURLاز ایجکس برای خواندن گزینه های استفاده شود؟کاربرآرایه کاربرفرم کاربرشناسه کاربرآبجکت کاربرنقش کاربرکاربر قادر به اضافه کردن%s جدید نیستاعتبار سنجی ایمیلمشکل در اعتبار سنجیاعتبار سنجی موفق بودمقدارشامل می شودمقدار برابر است بامقدار بیشتر ازمقدار کمتر ازمقدار برابر نیست بامقدار الگویمقدار باید عددی باشدمقدار باید یک آدرس صحیح باشدمقدار باید مساوی یا بیشتر از %d باشدمقدار باید کوچکتر یا مساوی %d باشدمقدار نباید از %d کاراکتر بیشتر شودمقادیر ذخیره خواهند شد به صورت %sعمودینمایش زمینهمشاهده گروه زمینهدرحال نمایش سمت مدیریتدرحال نمایش سمت کاربربصریبصری و متنیفقط بصریهمچنین در <a href="%s">اینجا</a> راهنمایی برای ارتقا وجود دارد که به سوالات شما پاسخ می‌دهد. لطفا از طریق <a href="%s">میز راهنما</a> با تیم پشتیبانی تماس حاصل کنید.فکر می کنیم شما تغییرات در %s را دوست خواهید داشت.ما در حال تغییر راه عملکردهای پولی افزونه به شیوه ای هیجان انگیز هستیم!وب سایتاولین روز هفتهبه افزونه زمینه‌های سفارشی پیشرفته خوش آمدیدچه چیز جدید استابزارکعرضمشخصات پوشش فیلدویرایشگر دیداریبلهبزرگنماییتابع acf_form() اکنون میتوانید نوشته‌های جدید را همراه با تنظیمات بیشتر ثبت کند.وکلاسکپیhttp://www.elliotcondon.com/https://www.advancedcustomfields.com/شناسهبرابر شود بابرابر نشود باجی کوئریطرح‌هاطرحطرح هاکپی (هیچ)انتخاب (Select)oEmbedزمینه oEmbedیاred : قرمزویرایشانتخاببروزرسانیعرض{available} {label} {identifier} موجود است (حداکثر {max}){required} {label} {identifier} لازم دارد (حداقل {min})PK�[��'uFuFlang/acf-fa_IR.ponu�[���msgid ""
msgstr ""
"Project-Id-Version: Advanced Custom Fields Pro v5.7.11\n"
"Report-Msgid-Bugs-To: http://support.advancedcustomfields.com\n"
"POT-Creation-Date: 2019-05-08 14:09+0430\n"
"PO-Revision-Date: 2019-05-08 14:13+0430\n"
"Last-Translator: Elliot Condon <e@elliotcondon.com>\n"
"Language-Team: Majix <mimapien@gmail.com>\n"
"Language: fa\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==0 || n==1);\n"
"X-Generator: Poedit 2.2\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-Basepath: ..\n"
"X-Poedit-WPHeader: acf.php\n"
"X-Textdomain-Support: yes\n"
"X-Poedit-SearchPath-0: .\n"
"X-Poedit-SearchPathExcluded-0: *.js\n"

#: acf.php:80
msgid "Advanced Custom Fields"
msgstr "زمینه‌های سفارشی پیشرفته"

#: acf.php:363 includes/admin/admin.php:58
msgid "Field Groups"
msgstr "گروه‌های زمینه"

#: acf.php:364
msgid "Field Group"
msgstr "گروه زمینه"

#: acf.php:365 acf.php:397 includes/admin/admin.php:59
#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New"
msgstr "افزودن"

#: acf.php:366
msgid "Add New Field Group"
msgstr "افزودن گروه زمینه جدید"

#: acf.php:367
msgid "Edit Field Group"
msgstr "ویرایش گروه زمینه"

#: acf.php:368
msgid "New Field Group"
msgstr "گروه زمینه جدید"

#: acf.php:369
msgid "View Field Group"
msgstr "مشاهده گروه زمینه"

#: acf.php:370
msgid "Search Field Groups"
msgstr "جستجوی گروه های زمینه"

#: acf.php:371
msgid "No Field Groups found"
msgstr "گروه زمینه ای یافت نشد"

#: acf.php:372
msgid "No Field Groups found in Trash"
msgstr "گروه زمینه ای در زباله دان یافت نشد"

#: acf.php:395 includes/admin/admin-field-group.php:220
#: includes/admin/admin-field-groups.php:530
#: pro/fields/class-acf-field-clone.php:811
msgid "Fields"
msgstr "زمینه ها"

#: acf.php:396
msgid "Field"
msgstr "زمینه"

#: acf.php:398
msgid "Add New Field"
msgstr "زمینه جدید"

#: acf.php:399
msgid "Edit Field"
msgstr "ویرایش زمینه"

#: acf.php:400 includes/admin/views/field-group-fields.php:41
msgid "New Field"
msgstr "زمینه جدید"

#: acf.php:401
msgid "View Field"
msgstr "نمایش زمینه"

#: acf.php:402
msgid "Search Fields"
msgstr "جستجوی گروه های زمینه"

#: acf.php:403
msgid "No Fields found"
msgstr "گروه زمینه ای یافت نشد"

#: acf.php:404
msgid "No Fields found in Trash"
msgstr "گروه زمینه ای در زباله دان یافت نشد"

#: acf.php:443 includes/admin/admin-field-group.php:402
#: includes/admin/admin-field-groups.php:587
msgid "Inactive"
msgstr "غیرفعال"

#: acf.php:448
#, php-format
msgid "Inactive <span class=\"count\">(%s)</span>"
msgid_plural "Inactive <span class=\"count\">(%s)</span>"
msgstr[0] "غیرفعال <span class=\"count\">(%s)</span>"
msgstr[1] "غیرفعال <span class=\"count\">(%s)</span>"

#: includes/acf-field-functions.php:828 includes/admin/admin-field-group.php:178
msgid "(no label)"
msgstr "(بدون برچسب)"

#: includes/acf-field-group-functions.php:816
#: includes/admin/admin-field-group.php:180
msgid "copy"
msgstr "کپی"

#: includes/admin/admin-field-group.php:86 includes/admin/admin-field-group.php:87
#: includes/admin/admin-field-group.php:89
msgid "Field group updated."
msgstr "گروه زمینه بروز شد."

#: includes/admin/admin-field-group.php:88
msgid "Field group deleted."
msgstr "گروه زمینه حذف شد."

#: includes/admin/admin-field-group.php:91
msgid "Field group published."
msgstr "گروه زمینه انتشار یافت."

#: includes/admin/admin-field-group.php:92
msgid "Field group saved."
msgstr "گروه زمینه ذخیره شد."

#: includes/admin/admin-field-group.php:93
msgid "Field group submitted."
msgstr "گروه زمینه ارسال شد."

#: includes/admin/admin-field-group.php:94
msgid "Field group scheduled for."
msgstr "گروه زمینه برنامه ریزی انتشار پیدا کرده برای."

#: includes/admin/admin-field-group.php:95
msgid "Field group draft updated."
msgstr "پیش نویش گروه زمینه بروز شد."

#: includes/admin/admin-field-group.php:171
msgid "The string \"field_\" may not be used at the start of a field name"
msgstr "کلمه متنی \"field_\" نباید در ابتدای نام فیلد استفاده شود"

#: includes/admin/admin-field-group.php:172
msgid "This field cannot be moved until its changes have been saved"
msgstr "این زمینه قبل از اینکه ذخیره شود نمی تواند جابجا شود"

#: includes/admin/admin-field-group.php:173
msgid "Field group title is required"
msgstr "عنوان گروه زمینه ضروری است"

#: includes/admin/admin-field-group.php:174
msgid "Move to trash. Are you sure?"
msgstr "انتقال به زباله دان، آیا شما مطمئنید؟"

#: includes/admin/admin-field-group.php:175
msgid "No toggle fields available"
msgstr "هیچ زمینه شرط پذیری موجود نیست"

#: includes/admin/admin-field-group.php:176
msgid "Move Custom Field"
msgstr "جابجایی زمینه دلخواه"

#: includes/admin/admin-field-group.php:177
msgid "Checked"
msgstr "انتخاب شده"

#: includes/admin/admin-field-group.php:179
msgid "(this field)"
msgstr "(این گزینه)"

#: includes/admin/admin-field-group.php:181
#: includes/admin/views/field-group-field-conditional-logic.php:51
#: includes/admin/views/field-group-field-conditional-logic.php:151
#: includes/admin/views/field-group-locations.php:29
#: includes/admin/views/html-location-group.php:3
#: includes/api/api-helpers.php:3862
msgid "or"
msgstr "یا"

#: includes/admin/admin-field-group.php:182
msgid "Null"
msgstr "خالی (null)"

#: includes/admin/admin-field-group.php:221
msgid "Location"
msgstr "مکان"

#: includes/admin/admin-field-group.php:222
#: includes/admin/tools/class-acf-admin-tool-export.php:295
msgid "Settings"
msgstr "تنظیمات"

#: includes/admin/admin-field-group.php:372
msgid "Field Keys"
msgstr "کایدهای زمینه"

#: includes/admin/admin-field-group.php:402
#: includes/admin/views/field-group-options.php:9
msgid "Active"
msgstr "فعال"

#: includes/admin/admin-field-group.php:771
msgid "Move Complete."
msgstr "انتقال کامل شد."

#: includes/admin/admin-field-group.php:772
#, php-format
msgid "The %s field can now be found in the %s field group"
msgstr "زمینه %s اکنون در گروه زمینه %s  قرار گرفته است"

#: includes/admin/admin-field-group.php:773
msgid "Close Window"
msgstr "بستن زمینه"

#: includes/admin/admin-field-group.php:814
msgid "Please select the destination for this field"
msgstr "مقصد انتقال این زمینه را مشخص کنید"

#: includes/admin/admin-field-group.php:821
msgid "Move Field"
msgstr "جابجایی زمینه"

#: includes/admin/admin-field-groups.php:89
#, php-format
msgid "Active <span class=\"count\">(%s)</span>"
msgid_plural "Active <span class=\"count\">(%s)</span>"
msgstr[0] "فعال <span class=\"count\">(%s)</span>"
msgstr[1] "فعال <span class=\"count\">(%s)</span>"

#: includes/admin/admin-field-groups.php:156
#, php-format
msgid "Field group duplicated."
msgid_plural "%s field groups duplicated."
msgstr[0] "%s گروه زمینه تکثیر شدند."
msgstr[1] "گروه زمینه تکثیر شد."

#: includes/admin/admin-field-groups.php:243
#, php-format
msgid "Field group synchronised."
msgid_plural "%s field groups synchronised."
msgstr[0] "%s گروه زمینه همگام سازی شد."
msgstr[1] "گروه زمینه همگام سازی شد."

#: includes/admin/admin-field-groups.php:414
#: includes/admin/admin-field-groups.php:577
msgid "Sync available"
msgstr "هماهنگ سازی موجود است"

#: includes/admin/admin-field-groups.php:527 includes/forms/form-front.php:38
#: pro/fields/class-acf-field-gallery.php:372
msgid "Title"
msgstr "عنوان"

#: includes/admin/admin-field-groups.php:528
#: includes/admin/views/field-group-options.php:96
#: includes/admin/views/html-admin-page-upgrade-network.php:38
#: includes/admin/views/html-admin-page-upgrade-network.php:49
#: pro/fields/class-acf-field-gallery.php:399
msgid "Description"
msgstr "توضیحات"

#: includes/admin/admin-field-groups.php:529
msgid "Status"
msgstr "وضعیت"

#. Description of the plugin/theme
#: includes/admin/admin-field-groups.php:626
msgid "Customize WordPress with powerful, professional and intuitive fields."
msgstr "وردپرس را با زمینه‌های حرفه‌ای و قدرتمند سفارشی کنید."

#: includes/admin/admin-field-groups.php:628 includes/admin/settings-info.php:76
#: pro/admin/views/html-settings-updates.php:107
msgid "Changelog"
msgstr "تغییرات"

#: includes/admin/admin-field-groups.php:633
#, php-format
msgid "See what's new in <a href=\"%s\">version %s</a>."
msgstr "مشاهده موارد جدید <a href=\"%s\">نسخه %s</a>."

#: includes/admin/admin-field-groups.php:636
msgid "Resources"
msgstr "منابع"

#: includes/admin/admin-field-groups.php:638
msgid "Website"
msgstr "وب سایت"

#: includes/admin/admin-field-groups.php:639
msgid "Documentation"
msgstr "مستندات"

#: includes/admin/admin-field-groups.php:640
msgid "Support"
msgstr "پشتیبانی"

#: includes/admin/admin-field-groups.php:642
#: includes/admin/views/settings-info.php:84
msgid "Pro"
msgstr "پیشرفته"

#: includes/admin/admin-field-groups.php:647
#, php-format
msgid "Thank you for creating with <a href=\"%s\">ACF</a>."
msgstr "با تشکر از شما برای استفاده از  <a href=\"%s\">ACF</a>."

#: includes/admin/admin-field-groups.php:686
msgid "Duplicate this item"
msgstr "تکثیر این زمینه"

#: includes/admin/admin-field-groups.php:686
#: includes/admin/admin-field-groups.php:702
#: includes/admin/views/field-group-field.php:46
#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate"
msgstr "تکثیر"

#: includes/admin/admin-field-groups.php:719
#: includes/fields/class-acf-field-google-map.php:165
#: includes/fields/class-acf-field-relationship.php:593
msgid "Search"
msgstr "جستجو"

#: includes/admin/admin-field-groups.php:778
#, php-format
msgid "Select %s"
msgstr "انتخاب %s"

#: includes/admin/admin-field-groups.php:786
msgid "Synchronise field group"
msgstr "هماهنگ سازی گروه زمینه"

#: includes/admin/admin-field-groups.php:786
#: includes/admin/admin-field-groups.php:816
msgid "Sync"
msgstr "هماهنگ"

#: includes/admin/admin-field-groups.php:798
msgid "Apply"
msgstr "اعمال"

#: includes/admin/admin-field-groups.php:816
msgid "Bulk Actions"
msgstr "اعمال گروهی"

#: includes/admin/admin-tools.php:116 includes/admin/views/html-admin-tools.php:21
msgid "Tools"
msgstr "ابزارها"

#: includes/admin/admin-upgrade.php:47 includes/admin/admin-upgrade.php:94
#: includes/admin/admin-upgrade.php:156
#: includes/admin/views/html-admin-page-upgrade-network.php:24
#: includes/admin/views/html-admin-page-upgrade.php:26
msgid "Upgrade Database"
msgstr "به‌روزرسانی پایگاه داده"

#: includes/admin/admin-upgrade.php:180
msgid "Review sites & upgrade"
msgstr "بازبینی و به‌روزرسانی سایت‌ها"

#: includes/admin/admin.php:54 includes/admin/views/field-group-options.php:110
msgid "Custom Fields"
msgstr "زمینه‌های سفارشی"

#: includes/admin/settings-info.php:50
msgid "Info"
msgstr "اطلاعات"

#: includes/admin/settings-info.php:75
msgid "What's New"
msgstr "چه چیز جدید است"

#: includes/admin/tools/class-acf-admin-tool-export.php:33
msgid "Export Field Groups"
msgstr "برون بری گروه های زمینه"

#: 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 "تولید کد PHP"

#: 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 "گروه زمینه ای انتخاب نشده است"

#: 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] "%s گروه زمینه برون‌بری شد."
msgstr[1] "۱ گروه زمینه برون‌بری شد."

#: 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 "انتخاب گروه های زمینه"

#: 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 برای قراردادن در قالب خود استفاده کنید."

#: 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 خود کپی کنید و یا از یک فایل دیگر انرا فراخوانی نمایید."

#: includes/admin/tools/class-acf-admin-tool-export.php:446
msgid "Copy to clipboard"
msgstr "درج در حافظه موقت"

#: includes/admin/tools/class-acf-admin-tool-export.php:483
msgid "Copied"
msgstr "کپی شد"

#: includes/admin/tools/class-acf-admin-tool-import.php:26
msgid "Import Field Groups"
msgstr "وارد کردن گروه های زمینه"

#: includes/admin/tools/class-acf-admin-tool-import.php:47
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:52
#: includes/fields/class-acf-field-file.php:57
msgid "Select File"
msgstr "انتخاب پرونده"

#: includes/admin/tools/class-acf-admin-tool-import.php:62
msgid "Import File"
msgstr "وارد کردن فایل"

#: includes/admin/tools/class-acf-admin-tool-import.php:85
#: includes/fields/class-acf-field-file.php:170
msgid "No file selected"
msgstr "هیچ پرونده ای انتخاب نشده"

#: includes/admin/tools/class-acf-admin-tool-import.php:93
msgid "Error uploading file. Please try again"
msgstr "خطا در آپلود فایل. لطفا مجدد بررسی کنید"

#: includes/admin/tools/class-acf-admin-tool-import.php:98
msgid "Incorrect file type"
msgstr "نوع فایل صحیح نیست"

#: includes/admin/tools/class-acf-admin-tool-import.php:107
msgid "Import file empty"
msgstr "فایل وارد شده خالی است"

#: includes/admin/tools/class-acf-admin-tool-import.php:138
#, php-format
msgid "Imported 1 field group"
msgid_plural "Imported %s field groups"
msgstr[0] "%s گروه زمینه درون‌ریزی شد"
msgstr[1] "۱ گروه زمینه درون‌ریزی شد"

#: includes/admin/views/field-group-field-conditional-logic.php:25
msgid "Conditional Logic"
msgstr "منطق شرطی"

#: includes/admin/views/field-group-field-conditional-logic.php:51
msgid "Show this field if"
msgstr "نمایش این گروه زمینه اگر"

#: includes/admin/views/field-group-field-conditional-logic.php:138
#: includes/admin/views/html-location-rule.php:86
msgid "and"
msgstr "و"

#: includes/admin/views/field-group-field-conditional-logic.php:153
#: includes/admin/views/field-group-locations.php:31
msgid "Add rule group"
msgstr "افزودن گروه قانون"

#: includes/admin/views/field-group-field.php:38
#: pro/fields/class-acf-field-flexible-content.php:410
#: pro/fields/class-acf-field-repeater.php:299
msgid "Drag to reorder"
msgstr "گرفتن و کشیدن برای مرتب سازی"

#: includes/admin/views/field-group-field.php:42
#: includes/admin/views/field-group-field.php:45
msgid "Edit field"
msgstr "ویرایش زمینه"

#: includes/admin/views/field-group-field.php:45
#: includes/fields/class-acf-field-file.php:152
#: includes/fields/class-acf-field-image.php:139
#: includes/fields/class-acf-field-link.php:139
#: pro/fields/class-acf-field-gallery.php:359
msgid "Edit"
msgstr "ویرایش"

#: includes/admin/views/field-group-field.php:46
msgid "Duplicate field"
msgstr "تکثیر زمینه"

#: includes/admin/views/field-group-field.php:47
msgid "Move field to another group"
msgstr "انتقال زمینه ها به گروه دیگر"

#: includes/admin/views/field-group-field.php:47
msgid "Move"
msgstr "انتقال"

#: includes/admin/views/field-group-field.php:48
msgid "Delete field"
msgstr "حذف زمینه"

#: includes/admin/views/field-group-field.php:48
#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete"
msgstr "حذف"

#: includes/admin/views/field-group-field.php:65
msgid "Field Label"
msgstr "برچسب زمینه"

#: includes/admin/views/field-group-field.php:66
msgid "This is the name which will appear on the EDIT page"
msgstr "این نامی است که در صفحه \"ویرایش\" نمایش داده خواهد شد"

#: includes/admin/views/field-group-field.php:75
msgid "Field Name"
msgstr "نام زمینه"

#: includes/admin/views/field-group-field.php:76
msgid "Single word, no spaces. Underscores and dashes allowed"
msgstr "تک کلمه، بدون فاصله. خط زیرین و خط تیره ها مجازاند"

#: includes/admin/views/field-group-field.php:85
msgid "Field Type"
msgstr "نوع زمینه"

#: includes/admin/views/field-group-field.php:96
msgid "Instructions"
msgstr "دستورالعمل ها"

#: includes/admin/views/field-group-field.php:97
msgid "Instructions for authors. Shown when submitting data"
msgstr "دستورالعمل هایی برای نویسندگان. هنگام ارسال داده ها نمایش داده می شوند"

#: includes/admin/views/field-group-field.php:106
msgid "Required?"
msgstr "لازم است؟"

#: includes/admin/views/field-group-field.php:129
msgid "Wrapper Attributes"
msgstr "مشخصات پوشش فیلد"

#: includes/admin/views/field-group-field.php:135
msgid "width"
msgstr "عرض"

#: includes/admin/views/field-group-field.php:150
msgid "class"
msgstr "کلاس"

#: includes/admin/views/field-group-field.php:163
msgid "id"
msgstr "شناسه"

#: includes/admin/views/field-group-field.php:175
msgid "Close Field"
msgstr "بستن زمینه"

#: includes/admin/views/field-group-fields.php:4
msgid "Order"
msgstr "ترتیب"

#: includes/admin/views/field-group-fields.php:5
#: includes/fields/class-acf-field-button-group.php:198
#: includes/fields/class-acf-field-checkbox.php:420
#: includes/fields/class-acf-field-radio.php:311
#: includes/fields/class-acf-field-select.php:433
#: pro/fields/class-acf-field-flexible-content.php:582
msgid "Label"
msgstr "برچسب زمینه"

#: includes/admin/views/field-group-fields.php:6
#: includes/fields/class-acf-field-taxonomy.php:939
#: pro/fields/class-acf-field-flexible-content.php:596
msgid "Name"
msgstr "نام"

#: includes/admin/views/field-group-fields.php:7
msgid "Key"
msgstr "کلید"

#: includes/admin/views/field-group-fields.php:8
msgid "Type"
msgstr "نوع زمینه"

#: includes/admin/views/field-group-fields.php:14
msgid ""
"No fields. Click the <strong>+ Add Field</strong> button to create your first "
"field."
msgstr ""
"هیچ زمینه ای وجود ندارد. روی دکمه<strong>+ افزودن زمینه</strong> کلیک کنید تا "
"اولین زمینه خود را بسازید."

#: includes/admin/views/field-group-fields.php:31
msgid "+ Add Field"
msgstr "+ افزودن زمینه"

#: includes/admin/views/field-group-locations.php:9
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 ""
"مجموعه ای از قوانین را بسازید تا مشخص کنید در کدام صفحه ویرایش، این زمینه‌های "
"سفارشی سفارشی نمایش داده شوند"

#: includes/admin/views/field-group-options.php:23
msgid "Style"
msgstr "شیوه نمایش"

#: includes/admin/views/field-group-options.php:30
msgid "Standard (WP metabox)"
msgstr "استاندارد (دارای متاباکس)"

#: includes/admin/views/field-group-options.php:31
msgid "Seamless (no metabox)"
msgstr "بدون متاباکس"

#: includes/admin/views/field-group-options.php:38
msgid "Position"
msgstr "موقعیت"

#: includes/admin/views/field-group-options.php:45
msgid "High (after title)"
msgstr "بالا (بعد از عنوان)"

#: includes/admin/views/field-group-options.php:46
msgid "Normal (after content)"
msgstr "معمولی (بعد از ادیتور متن)"

#: includes/admin/views/field-group-options.php:47
msgid "Side"
msgstr "کنار"

#: includes/admin/views/field-group-options.php:55
msgid "Label placement"
msgstr "مکان برچسب"

#: includes/admin/views/field-group-options.php:62
#: includes/fields/class-acf-field-tab.php:106
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 "مکان دستورالعمل ها"

#: includes/admin/views/field-group-options.php:77
msgid "Below labels"
msgstr "زیر برچسب ها"

#: includes/admin/views/field-group-options.php:78
msgid "Below fields"
msgstr "زیر زمینه ها"

#: includes/admin/views/field-group-options.php:85
msgid "Order No."
msgstr "شماره ترتیب."

#: includes/admin/views/field-group-options.php:86
msgid "Field groups with a lower order will appear first"
msgstr "گروه ها با شماره ترتیب کمتر اول دیده می شوند"

#: includes/admin/views/field-group-options.php:97
msgid "Shown in field group list"
msgstr "نمایش لیست گروه زمینه"

#: includes/admin/views/field-group-options.php:107
msgid "Permalink"
msgstr "پیوند یکتا"

#: includes/admin/views/field-group-options.php:108
msgid "Content Editor"
msgstr "ویرایش گر محتوا(ادیتور اصلی)"

#: includes/admin/views/field-group-options.php:109
msgid "Excerpt"
msgstr "چکیده"

#: includes/admin/views/field-group-options.php:111
msgid "Discussion"
msgstr "گفتگو"

#: includes/admin/views/field-group-options.php:112
msgid "Comments"
msgstr "دیدگاه ها"

#: includes/admin/views/field-group-options.php:113
msgid "Revisions"
msgstr "بازنگری ها"

#: includes/admin/views/field-group-options.php:114
msgid "Slug"
msgstr "نامک"

#: includes/admin/views/field-group-options.php:115
msgid "Author"
msgstr "نویسنده"

#: includes/admin/views/field-group-options.php:116
msgid "Format"
msgstr "فرمت"

#: includes/admin/views/field-group-options.php:117
msgid "Page Attributes"
msgstr "صفات برگه"

#: includes/admin/views/field-group-options.php:118
#: includes/fields/class-acf-field-relationship.php:607
msgid "Featured Image"
msgstr "تصویر شاخص"

#: includes/admin/views/field-group-options.php:119
msgid "Categories"
msgstr "دسته ها"

#: includes/admin/views/field-group-options.php:120
msgid "Tags"
msgstr "برچسب ها"

#: includes/admin/views/field-group-options.php:121
msgid "Send Trackbacks"
msgstr "ارسال بازتاب ها"

#: includes/admin/views/field-group-options.php:128
msgid "Hide on screen"
msgstr "مخفی کردن در صفحه"

#: includes/admin/views/field-group-options.php:129
msgid "<b>Select</b> items to <b>hide</b> them from the edit screen."
msgstr "<b>انتخاب</b> آیتم ها برای <b>پنهان کردن</b> آن ها از صفحه ویرایش."

#: includes/admin/views/field-group-options.php:129
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/html-admin-page-upgrade-network.php:26
#, php-format
msgid ""
"The following sites require a DB upgrade. Check the ones you want to update and "
"then click %s."
msgstr "این سایت ها نیاز به به روز رسانی دارند برای انجام %s کلیک کنید."

#: includes/admin/views/html-admin-page-upgrade-network.php:26
#: includes/admin/views/html-admin-page-upgrade-network.php:27
#: includes/admin/views/html-admin-page-upgrade-network.php:92
msgid "Upgrade Sites"
msgstr "ارتقاء سایت"

#: includes/admin/views/html-admin-page-upgrade-network.php:36
#: includes/admin/views/html-admin-page-upgrade-network.php:47
msgid "Site"
msgstr "سایت"

#: includes/admin/views/html-admin-page-upgrade-network.php:74
#, php-format
msgid "Site requires database upgrade from %s to %s"
msgstr "سایت نیاز به به‌روزرسانی از %s به %s  دارد"

#: includes/admin/views/html-admin-page-upgrade-network.php:76
msgid "Site is up to date"
msgstr "سایت به روز است"

#: includes/admin/views/html-admin-page-upgrade-network.php:93
#, php-format
msgid "Database Upgrade complete. <a href=\"%s\">Return to network dashboard</a>"
msgstr "به روزرسانی دیتابیس انجام شد. <a href=\"%s\">بازگشت به پیشخوان شبکه</a>"

#: includes/admin/views/html-admin-page-upgrade-network.php:113
msgid "Please select at least one site to upgrade."
msgstr "لطفا حداقل یک سایت برای ارتقا انتخاب کنید."

#: includes/admin/views/html-admin-page-upgrade-network.php:117
#: includes/admin/views/html-notice-upgrade.php:38
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/html-admin-page-upgrade-network.php:144
#: includes/admin/views/html-admin-page-upgrade.php:31
#, php-format
msgid "Upgrading data to version %s"
msgstr "به روز رسانی داده ها به نسحه %s"

#: includes/admin/views/html-admin-page-upgrade-network.php:167
msgid "Upgrade complete."
msgstr "ارتقا کامل شد."

#: includes/admin/views/html-admin-page-upgrade-network.php:176
#: includes/admin/views/html-admin-page-upgrade-network.php:185
#: includes/admin/views/html-admin-page-upgrade.php:78
#: includes/admin/views/html-admin-page-upgrade.php:87
msgid "Upgrade failed."
msgstr "ارتقا با خطا مواجه شد."

#: includes/admin/views/html-admin-page-upgrade.php:30
msgid "Reading upgrade tasks..."
msgstr "در حال خواندن مراحل به روزرسانی..."

#: includes/admin/views/html-admin-page-upgrade.php:33
#, php-format
msgid "Database upgrade complete. <a href=\"%s\">See what's new</a>"
msgstr "ارتقای پایگاه داده کامل شد. <a href=\"%s\"> تغییرات جدید را ببینید</a>"

#: includes/admin/views/html-admin-page-upgrade.php:116
#: includes/ajax/class-acf-ajax-upgrade.php:33
msgid "No updates available."
msgstr "به‌روزرسانی موجود نیست."

#: includes/admin/views/html-admin-tools.php:21
msgid "Back to all tools"
msgstr "بازگشت به همه ابزارها"

#: includes/admin/views/html-location-group.php:3
msgid "Show this field group if"
msgstr "نمایش این گروه زمینه اگر"

#: includes/admin/views/html-notice-upgrade.php:8
#: pro/fields/class-acf-field-repeater.php:25
msgid "Repeater"
msgstr "زمینه تکرار کننده"

#: includes/admin/views/html-notice-upgrade.php:9
#: pro/fields/class-acf-field-flexible-content.php:25
msgid "Flexible Content"
msgstr "محتوای انعطاف پذیر"

#: includes/admin/views/html-notice-upgrade.php:10
#: pro/fields/class-acf-field-gallery.php:25
msgid "Gallery"
msgstr "گالری"

#: includes/admin/views/html-notice-upgrade.php:11
#: pro/locations/class-acf-location-options-page.php:26
msgid "Options Page"
msgstr "برگه تنظیمات"

#: includes/admin/views/html-notice-upgrade.php:21
msgid "Database Upgrade Required"
msgstr "به روزرسانی دیتابیس لازم است"

#: includes/admin/views/html-notice-upgrade.php:22
#, php-format
msgid "Thank you for updating to %s v%s!"
msgstr "از شما برای بروزرسانی به آخرین نسخه %s v%s ممنون هستیم!"

#: includes/admin/views/html-notice-upgrade.php:22
msgid ""
"This version contains improvements to your database and requires an upgrade."
msgstr "این نسخه شامل بهبودهایی در پایگاه داده است و نیاز به ارتقا دارد."

#: includes/admin/views/html-notice-upgrade.php:24
#, php-format
msgid ""
"Please also check all premium add-ons (%s) are updated to the latest version."
msgstr ""
"همچنین لطفا همه افزونه‌های پولی (%s) را بررسی کنید که به نسخه آخر بروز شده باشند."

#: includes/admin/views/settings-addons.php:3
msgid "Add-ons"
msgstr "افزودنی ها"

#: includes/admin/views/settings-addons.php:17
msgid "Download & Install"
msgstr "دانلود و نصب"

#: includes/admin/views/settings-addons.php:36
msgid "Installed"
msgstr "نصب شده"

#: includes/admin/views/settings-info.php:3
msgid "Welcome to Advanced Custom Fields"
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 بزرگتر و "
"بهتر از قبل شده است. امیدواریم لذت ببرید."

#: includes/admin/views/settings-info.php:15
msgid "A Smoother Experience"
msgstr "یک تجربه راحتتر"

#: includes/admin/views/settings-info.php:19
msgid "Improved Usability"
msgstr "کاربری بهینه شده"

#: includes/admin/views/settings-info.php:20
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:24
msgid "Improved Design"
msgstr "طراحی بهینه شده"

#: includes/admin/views/settings-info.php:25
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:29
msgid "Improved Data"
msgstr "داده ها بهینه شده اند"

#: includes/admin/views/settings-info.php:30
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:38
msgid "Goodbye Add-ons. Hello PRO"
msgstr "خداحافظ افزودنی ها و سلام به نسخه حرفه ای"

#: includes/admin/views/settings-info.php:41
msgid "Introducing ACF PRO"
msgstr "معرفی نسخه حرفه ای"

#: includes/admin/views/settings-info.php:42
msgid ""
"We're changing the way premium functionality is delivered in an exciting way!"
msgstr "ما در حال تغییر راه عملکردهای پولی افزونه به شیوه ای هیجان انگیز هستیم!"

#: includes/admin/views/settings-info.php:43
#, php-format
msgid ""
"All 4 premium add-ons have been combined into a new <a href=\"%s\">Pro version "
"of ACF</a>. With both personal and developer licenses available, premium "
"functionality is more affordable and accessible than ever before!"
msgstr ""
"هر چهار افزدونی پولی یکی شده و تحت عنوان <a href=\"%s\">نسخه حرفه ای (Pro) </a> "
"از افزونه زمینه‌های سفارشی معرفی شده اند. دو نسخه شخصی و توسعه دهنده موجود است "
"که در هر دو این امکانات بهتر و دسترس تر از قبل موجود است!"

#: includes/admin/views/settings-info.php:47
msgid "Powerful Features"
msgstr "امکانات قدرتمند"

#: includes/admin/views/settings-info.php:48
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:49
#, php-format
msgid "Read more about <a href=\"%s\">ACF PRO features</a>."
msgstr "اطلاعات بیشتر در  <a href=\"%s\">امکانات نسخه حرفه ای</a>."

#: includes/admin/views/settings-info.php:53
msgid "Easy Upgrading"
msgstr "به روزرسانی آسان"

#: includes/admin/views/settings-info.php:54
msgid ""
"Upgrading to ACF PRO is easy. Simply purchase a license online and download the "
"plugin!"
msgstr ""
"ارتقا به نسخه حرفه‌ای آسان است. به سادگی لایسنس را بخرید و افزونه را دانلود کنید!"

#: includes/admin/views/settings-info.php:55
#, php-format
msgid ""
"We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, but "
"if you do have one, please contact our support team via the <a href=\"%s\">help "
"desk</a>."
msgstr ""
"همچنین در <a href=\"%s\">اینجا</a> راهنمایی برای ارتقا وجود دارد که به سوالات "
"شما پاسخ می‌دهد. لطفا از طریق <a href=\"%s\">میز راهنما</a> با تیم پشتیبانی تماس "
"حاصل کنید."

#: includes/admin/views/settings-info.php:64
msgid "New Features"
msgstr "ویژگی‌های جدید"

#: includes/admin/views/settings-info.php:69
msgid "Link Field"
msgstr "زمینه پیوند (Link)"

#: includes/admin/views/settings-info.php:70
msgid ""
"The Link field provides a simple way to select or define a link (url, title, "
"target)."
msgstr ""
"با استفاده از زمینه پیوند میتوانید به سادگی یک روش برای انتخاب یا تعریف یک "
"پیوند (url-title-target) ایجاد کنید."

#: includes/admin/views/settings-info.php:74
msgid "Group Field"
msgstr "گروه زمینه"

#: includes/admin/views/settings-info.php:75
msgid "The Group field provides a simple way to create a group of fields."
msgstr "با استفاده از گروه زمینه می‌توانید گروهی از زمینه‌ها را ایجاد کنید."

#: includes/admin/views/settings-info.php:79
msgid "oEmbed Field"
msgstr "زمینه oEmbed"

#: includes/admin/views/settings-info.php:80
msgid ""
"The oEmbed field allows an easy way to embed videos, images, tweets, audio, and "
"other content."
msgstr ""
"با استفاده از زمینه oEmbed میتوانید به سادگی ویدیو، تصویر، توییت، صدا و "
"محتواهای دیگر را جاسازی کنید."

#: includes/admin/views/settings-info.php:84
msgid "Clone Field"
msgstr "فیلد کپی"

#: includes/admin/views/settings-info.php:85
msgid "The clone field allows you to select and display existing fields."
msgstr ""
"با استفاده از فیلد کپی میتوانید فیلدهای موجود را انتخاب کنید یا نمایش دهید."

#: includes/admin/views/settings-info.php:89
msgid "More AJAX"
msgstr "ایجکس بیشتر"

#: includes/admin/views/settings-info.php:90
msgid "More fields use AJAX powered search to speed up page loading."
msgstr ""
"بیشتر زمینه‌ها از قدرت AJAX برای جستجو استفاده می‌کند تا سرعت بارگذاری را افزایش "
"دهند."

#: includes/admin/views/settings-info.php:94
msgid "Local JSON"
msgstr "JSON های لوکال"

#: includes/admin/views/settings-info.php:95
msgid ""
"New auto export to JSON feature improves speed and allows for syncronisation."
msgstr ""
"ویژگی جدید برون‌بری خودکار به فایل JSON سرعت را بهبود داده و همگام سازی را فراهم "
"می‌کند."

#: includes/admin/views/settings-info.php:99
msgid "Easy Import / Export"
msgstr "درون‌ریزی یا برون‌بری آسان"

#: includes/admin/views/settings-info.php:100
msgid "Both import and export can easily be done through a new tools page."
msgstr "درون ریزی یا برون بری به سادگی از طریق یک ابزار جدید انجام می‌شود."

#: includes/admin/views/settings-info.php:104
msgid "New Form Locations"
msgstr "مکان جدید فرم‌ها"

#: includes/admin/views/settings-info.php:105
msgid ""
"Fields can now be mapped to menus, menu items, comments, widgets and all user "
"forms!"
msgstr ""
"زمینه‌ها اکنون می‌توانند به فهرست‌ها، موارد فهرست، دیدگاه‌ها، ابزارک‌ها و تمامی "
"فرم‌های مرتبط با کاربر ارجاع داده شوند!"

#: includes/admin/views/settings-info.php:109
msgid "More Customization"
msgstr "سفارشی سازی بیشتر"

#: includes/admin/views/settings-info.php:110
msgid ""
"New PHP (and JS) actions and filters have been added to allow for more "
"customization."
msgstr "اکشن‌ها و فیلترهای جدید PHP (و JS) برای سفارشی سازی بیشتر اضافه شد‌ه‌اند."

#: includes/admin/views/settings-info.php:114
msgid "Fresh UI"
msgstr "رابط کاربری تازه"

#: includes/admin/views/settings-info.php:115
msgid ""
"The entire plugin has had a design refresh including new field types, settings "
"and design!"
msgstr "تمامی افزونه با یک رابط کاربری جدید بروز شده است!"

#: includes/admin/views/settings-info.php:119
msgid "New Settings"
msgstr "تنظیمات جدید"

#: includes/admin/views/settings-info.php:120
msgid ""
"Field group settings have been added for Active, Label Placement, Instructions "
"Placement and Description."
msgstr ""
"تنظیمات گروه زمینه برای مکان برچسب، راهنمای قرارگیری و توضیحات اضافه شده است."

#: includes/admin/views/settings-info.php:124
msgid "Better Front End Forms"
msgstr "فرم های سمت کاربر بهتر شده اند"

#: includes/admin/views/settings-info.php:125
msgid ""
"acf_form() can now create a new post on submission with lots of new settings."
msgstr ""
"تابع acf_form() اکنون میتوانید نوشته‌های جدید را همراه با تنظیمات بیشتر ثبت کند."

#: includes/admin/views/settings-info.php:129
msgid "Better Validation"
msgstr "خطایابی بهتر"

#: includes/admin/views/settings-info.php:130
msgid "Form validation is now done via PHP + AJAX in favour of only JS."
msgstr "اعتبارسنجی فرم‌ها اکنون از طریق PHP + AJAX صورت می‌گیرد."

#: includes/admin/views/settings-info.php:134
msgid "Moving Fields"
msgstr "جابجایی زمینه ها"

#: includes/admin/views/settings-info.php:135
msgid ""
"New field group functionality allows you to move a field between groups & "
"parents."
msgstr ""
"عملکرد جدید گروه زمینه اکنون اجازه می‌دهد تا یک زمینه را بین گروه‌ها و والدهای "
"مختلف جابجا کنید."

#: includes/admin/views/settings-info.php:146
#, php-format
msgid "We think you'll love the changes in %s."
msgstr "فکر می کنیم شما تغییرات در %s را دوست خواهید داشت."

#: includes/api/api-helpers.php:1003
msgid "Thumbnail"
msgstr "تصویر بندانگشتی"

#: includes/api/api-helpers.php:1004
msgid "Medium"
msgstr "متوسط"

#: includes/api/api-helpers.php:1005
msgid "Large"
msgstr "بزرگ"

#: includes/api/api-helpers.php:1054
msgid "Full Size"
msgstr "اندازه کامل"

#: includes/api/api-helpers.php:1775 includes/api/api-term.php:147
#: pro/fields/class-acf-field-clone.php:996
msgid "(no title)"
msgstr "(بدون عنوان)"

#: includes/api/api-helpers.php:3783
#, php-format
msgid "Image width must be at least %dpx."
msgstr "عرض تصویر باید حداقل %d پیکسل باشد."

#: includes/api/api-helpers.php:3788
#, php-format
msgid "Image width must not exceed %dpx."
msgstr "عرض تصویر نباید از %d پیکسل بیشتر باشد."

#: includes/api/api-helpers.php:3804
#, php-format
msgid "Image height must be at least %dpx."
msgstr "ارتفاع فایل باید حداقل %d پیکسل باشد."

#: includes/api/api-helpers.php:3809
#, php-format
msgid "Image height must not exceed %dpx."
msgstr "ارتفاع تصویر نباید از %d پیکسل بیشتر باشد."

#: includes/api/api-helpers.php:3827
#, php-format
msgid "File size must be at least %s."
msgstr "حجم فایل باید حداقل %s باشد."

#: includes/api/api-helpers.php:3832
#, php-format
msgid "File size must must not exceed %s."
msgstr "حجم فایل ها نباید از %s بیشتر باشد."

#: includes/api/api-helpers.php:3866
#, php-format
msgid "File type must be %s."
msgstr "نوع فایل باید %s باشد."

#: includes/assets.php:168
msgid "The changes you made will be lost if you navigate away from this page"
msgstr "اگر از صفحه جاری خارج شوید ، تغییرات شما ذخیره نخواهند شد"

#: includes/assets.php:171 includes/fields/class-acf-field-select.php:259
msgctxt "verb"
msgid "Select"
msgstr "انتخاب"

#: includes/assets.php:172
msgctxt "verb"
msgid "Edit"
msgstr "ویرایش"

#: includes/assets.php:173
msgctxt "verb"
msgid "Update"
msgstr "بروزرسانی"

#: includes/assets.php:174
msgid "Uploaded to this post"
msgstr "بارگذاری شده در این نوشته"

#: includes/assets.php:175
msgid "Expand Details"
msgstr "نمایش جزئیات"

#: includes/assets.php:176
msgid "Collapse Details"
msgstr "عدم نمایش جزئیات"

#: includes/assets.php:177
msgid "Restricted"
msgstr "ممنوع"

#: includes/assets.php:178 includes/fields/class-acf-field-image.php:67
msgid "All images"
msgstr "تمام تصاویر"

#: includes/assets.php:181
msgid "Validation successful"
msgstr "اعتبار سنجی موفق بود"

#: includes/assets.php:182 includes/validation.php:285 includes/validation.php:296
msgid "Validation failed"
msgstr "مشکل در اعتبار سنجی"

#: includes/assets.php:183
msgid "1 field requires attention"
msgstr "یکی از گزینه ها نیاز به بررسی دارد"

#: includes/assets.php:184
#, php-format
msgid "%d fields require attention"
msgstr "%d گزینه نیاز به بررسی دارد"

#: includes/assets.php:187
msgid "Are you sure?"
msgstr "اطمینان دارید؟"

#: includes/assets.php:188 includes/fields/class-acf-field-true_false.php:79
#: includes/fields/class-acf-field-true_false.php:159
#: pro/admin/views/html-settings-updates.php:89
msgid "Yes"
msgstr "بله"

#: includes/assets.php:189 includes/fields/class-acf-field-true_false.php:80
#: includes/fields/class-acf-field-true_false.php:174
#: pro/admin/views/html-settings-updates.php:99
msgid "No"
msgstr "خیر"

#: includes/assets.php:190 includes/fields/class-acf-field-file.php:154
#: includes/fields/class-acf-field-image.php:141
#: includes/fields/class-acf-field-link.php:140
#: pro/fields/class-acf-field-gallery.php:360
#: pro/fields/class-acf-field-gallery.php:549
msgid "Remove"
msgstr "حذف"

#: includes/assets.php:191
msgid "Cancel"
msgstr "لغو"

#: includes/assets.php:194
msgid "Has any value"
msgstr "هر نوع مقدار"

#: includes/assets.php:195
msgid "Has no value"
msgstr "بدون مقدار"

#: includes/assets.php:196
msgid "Value is equal to"
msgstr "مقدار برابر است با"

#: includes/assets.php:197
msgid "Value is not equal to"
msgstr "مقدار برابر نیست با"

#: includes/assets.php:198
msgid "Value matches pattern"
msgstr "مقدار الگوی"

#: includes/assets.php:199
msgid "Value contains"
msgstr "شامل می شود"

#: includes/assets.php:200
msgid "Value is greater than"
msgstr "مقدار بیشتر از"

#: includes/assets.php:201
msgid "Value is less than"
msgstr "مقدار کمتر از"

#: includes/assets.php:202
msgid "Selection is greater than"
msgstr "انتخاب بیشتر از"

#: includes/assets.php:203
msgid "Selection is less than"
msgstr "انتخاب کمتر از"

#: includes/assets.php:206 includes/forms/form-comment.php:166
#: pro/admin/admin-options-page.php:325
msgid "Edit field group"
msgstr "ویرایش گروه زمینه"

#: includes/fields.php:308
msgid "Field type does not exist"
msgstr "نوع زمینه وجود ندارد"

#: includes/fields.php:308
msgid "Unknown"
msgstr "ناشناخته"

#: includes/fields.php:349
msgid "Basic"
msgstr "پایه"

#: includes/fields.php:350 includes/forms/form-front.php:47
msgid "Content"
msgstr "محتوا"

#: includes/fields.php:351
msgid "Choice"
msgstr "انتخاب"

#: includes/fields.php:352
msgid "Relational"
msgstr "رابطه"

#: includes/fields.php:353
msgid "jQuery"
msgstr "جی کوئری"

#: includes/fields.php:354 includes/fields/class-acf-field-button-group.php:177
#: includes/fields/class-acf-field-checkbox.php:389
#: includes/fields/class-acf-field-group.php:474
#: includes/fields/class-acf-field-radio.php:290
#: pro/fields/class-acf-field-clone.php:843
#: pro/fields/class-acf-field-flexible-content.php:553
#: pro/fields/class-acf-field-flexible-content.php:602
#: pro/fields/class-acf-field-repeater.php:448
msgid "Layout"
msgstr "چیدمان"

#: includes/fields/class-acf-field-accordion.php:24
msgid "Accordion"
msgstr "آکاردئونی"

#: includes/fields/class-acf-field-accordion.php:99
msgid "Open"
msgstr "باز"

#: includes/fields/class-acf-field-accordion.php:100
msgid "Display this accordion as open on page load."
msgstr "نمایش آکوردئون این به عنوان باز در بارگذاری صفحات."

#: includes/fields/class-acf-field-accordion.php:109
msgid "Multi-expand"
msgstr "چند گسترش"

#: includes/fields/class-acf-field-accordion.php:110
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
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 ""
"یک نقطه پایانی برای توقف آکاردئون قبلی تعریف کنید. این آکاردئون مخفی خواهد بود."

#: includes/fields/class-acf-field-button-group.php:24
msgid "Button Group"
msgstr "گروه دکمه‌ها"

#: 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:364
msgid "Choices"
msgstr "انتخاب ها"

#: 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:365
msgid "Enter each choice on a new line."
msgstr "هر انتخاب را در یک خط جدید وارد کنید."

#: 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:365
msgid "For more control, you may specify both a value and label like this:"
msgstr "برای کنترل بیشتر، ممکن است هر دو مقدار و برچسب را مانند زیر مشخص کنید:"

#: 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:365
msgid "red : Red"
msgstr "red : قرمز"

#: 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:411
#: includes/fields/class-acf-field-radio.php:244
#: includes/fields/class-acf-field-select.php:382
#: includes/fields/class-acf-field-taxonomy.php:784
#: includes/fields/class-acf-field-user.php:393
msgid "Allow Null?"
msgstr "آیا Null مجاز است؟"

#: includes/fields/class-acf-field-button-group.php:168
#: includes/fields/class-acf-field-checkbox.php:380
#: 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:281
#: includes/fields/class-acf-field-range.php:149
#: includes/fields/class-acf-field-select.php:373
#: 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:381
msgid "Default Value"
msgstr "مقدار پیش فرض"

#: 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:282
#: includes/fields/class-acf-field-range.php:150
#: 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:382
msgid "Appears when creating a new post"
msgstr "هنگام ایجاد یک نوشته جدید نمایش داده می شود"

#: includes/fields/class-acf-field-button-group.php:183
#: includes/fields/class-acf-field-checkbox.php:396
#: includes/fields/class-acf-field-radio.php:297
msgid "Horizontal"
msgstr "افقی"

#: includes/fields/class-acf-field-button-group.php:184
#: includes/fields/class-acf-field-checkbox.php:395
#: includes/fields/class-acf-field-radio.php:296
msgid "Vertical"
msgstr "عمودی"

#: includes/fields/class-acf-field-button-group.php:191
#: includes/fields/class-acf-field-checkbox.php:413
#: includes/fields/class-acf-field-file.php:215
#: includes/fields/class-acf-field-image.php:205
#: includes/fields/class-acf-field-link.php:166
#: includes/fields/class-acf-field-radio.php:304
#: includes/fields/class-acf-field-taxonomy.php:829
msgid "Return Value"
msgstr "مقدار بازگشت"

#: includes/fields/class-acf-field-button-group.php:192
#: includes/fields/class-acf-field-checkbox.php:414
#: includes/fields/class-acf-field-file.php:216
#: includes/fields/class-acf-field-image.php:206
#: includes/fields/class-acf-field-link.php:167
#: includes/fields/class-acf-field-radio.php:305
msgid "Specify the returned value on front end"
msgstr "مقدار برگشتی در نمایش نهایی را تعیین کنید"

#: includes/fields/class-acf-field-button-group.php:197
#: includes/fields/class-acf-field-checkbox.php:419
#: includes/fields/class-acf-field-radio.php:310
#: includes/fields/class-acf-field-select.php:432
msgid "Value"
msgstr "مقدار"

#: includes/fields/class-acf-field-button-group.php:199
#: includes/fields/class-acf-field-checkbox.php:421
#: includes/fields/class-acf-field-radio.php:312
#: includes/fields/class-acf-field-select.php:434
msgid "Both (Array)"
msgstr "هر دو (آرایه)"

#: includes/fields/class-acf-field-checkbox.php:25
#: includes/fields/class-acf-field-taxonomy.php:771
msgid "Checkbox"
msgstr "جعبه انتخاب (Checkbox)"

#: includes/fields/class-acf-field-checkbox.php:154
msgid "Toggle All"
msgstr "انتخاب همه"

#: includes/fields/class-acf-field-checkbox.php:221
msgid "Add new choice"
msgstr "درج انتخاب جدید"

#: includes/fields/class-acf-field-checkbox.php:353
msgid "Allow Custom"
msgstr "اجازه دلخواه"

#: includes/fields/class-acf-field-checkbox.php:358
msgid "Allow 'custom' values to be added"
msgstr "اجازه درج مقادیر دلخواه"

#: includes/fields/class-acf-field-checkbox.php:364
msgid "Save Custom"
msgstr "ذخیره دلخواه"

#: includes/fields/class-acf-field-checkbox.php:369
msgid "Save 'custom' values to the field's choices"
msgstr "ذخیره مقادیر دلخواه در انتخاب های زمینه"

#: includes/fields/class-acf-field-checkbox.php:381
#: includes/fields/class-acf-field-select.php:374
msgid "Enter each default value on a new line"
msgstr "هر مقدار پیش فرض را در یک خط جدید وارد کنید"

#: includes/fields/class-acf-field-checkbox.php:403
msgid "Toggle"
msgstr "انتخاب"

#: includes/fields/class-acf-field-checkbox.php:404
msgid "Prepend an extra checkbox to toggle all choices"
msgstr "اضافه کردن چک باکس اضافی برای انتخاب همه"

#: includes/fields/class-acf-field-color_picker.php:25
msgid "Color Picker"
msgstr "انتخاب کننده رنگ"

#: includes/fields/class-acf-field-color_picker.php:68
msgid "Clear"
msgstr "پاکسازی"

#: includes/fields/class-acf-field-color_picker.php:69
msgid "Default"
msgstr "پیش فرض"

#: includes/fields/class-acf-field-color_picker.php:70
msgid "Select Color"
msgstr "رنگ را انتخاب کنید"

#: includes/fields/class-acf-field-color_picker.php:71
msgid "Current Color"
msgstr "رنگ فعلی"

#: includes/fields/class-acf-field-date_picker.php:25
msgid "Date Picker"
msgstr "تاریخ"

#: includes/fields/class-acf-field-date_picker.php:59
msgctxt "Date Picker JS closeText"
msgid "Done"
msgstr "انجام شد"

#: includes/fields/class-acf-field-date_picker.php:60
msgctxt "Date Picker JS currentText"
msgid "Today"
msgstr "امروز"

#: includes/fields/class-acf-field-date_picker.php:61
msgctxt "Date Picker JS nextText"
msgid "Next"
msgstr "بعدی"

#: includes/fields/class-acf-field-date_picker.php:62
msgctxt "Date Picker JS prevText"
msgid "Prev"
msgstr "قبلی"

#: includes/fields/class-acf-field-date_picker.php:63
msgctxt "Date Picker JS weekHeader"
msgid "Wk"
msgstr "هفته"

#: includes/fields/class-acf-field-date_picker.php:178
#: includes/fields/class-acf-field-date_time_picker.php:183
#: includes/fields/class-acf-field-time_picker.php:109
msgid "Display Format"
msgstr "فرمت نمایش"

#: includes/fields/class-acf-field-date_picker.php:179
#: includes/fields/class-acf-field-date_time_picker.php:184
#: includes/fields/class-acf-field-time_picker.php:110
msgid "The format displayed when editing a post"
msgstr "قالب در زمان نمایش نوشته دیده خواهد شد"

#: includes/fields/class-acf-field-date_picker.php:187
#: includes/fields/class-acf-field-date_picker.php:218
#: includes/fields/class-acf-field-date_time_picker.php:193
#: includes/fields/class-acf-field-date_time_picker.php:210
#: includes/fields/class-acf-field-time_picker.php:117
#: includes/fields/class-acf-field-time_picker.php:132
msgid "Custom:"
msgstr "دلخواه:"

#: includes/fields/class-acf-field-date_picker.php:197
msgid "Save Format"
msgstr "ذخیره قالب"

#: includes/fields/class-acf-field-date_picker.php:198
msgid "The format used when saving a value"
msgstr "قالب استفاده در زمان ذخیره مقدار"

#: includes/fields/class-acf-field-date_picker.php:208
#: includes/fields/class-acf-field-date_time_picker.php:200
#: includes/fields/class-acf-field-post_object.php:431
#: includes/fields/class-acf-field-relationship.php:634
#: includes/fields/class-acf-field-select.php:427
#: includes/fields/class-acf-field-time_picker.php:124
#: includes/fields/class-acf-field-user.php:412
msgid "Return Format"
msgstr "فرمت بازگشت"

#: includes/fields/class-acf-field-date_picker.php:209
#: includes/fields/class-acf-field-date_time_picker.php:201
#: includes/fields/class-acf-field-time_picker.php:125
msgid "The format returned via template functions"
msgstr "قالب توسط توابع پوسته نمایش داده خواهد شد"

#: includes/fields/class-acf-field-date_picker.php:227
#: includes/fields/class-acf-field-date_time_picker.php:217
msgid "Week Starts On"
msgstr "اولین روز هفته"

#: includes/fields/class-acf-field-date_time_picker.php:25
msgid "Date Time Picker"
msgstr "انتخاب کننده زمان و تاریخ"

#: includes/fields/class-acf-field-date_time_picker.php:68
msgctxt "Date Time Picker JS timeOnlyTitle"
msgid "Choose Time"
msgstr "انتخاب زمان"

#: includes/fields/class-acf-field-date_time_picker.php:69
msgctxt "Date Time Picker JS timeText"
msgid "Time"
msgstr "زمان"

#: includes/fields/class-acf-field-date_time_picker.php:70
msgctxt "Date Time Picker JS hourText"
msgid "Hour"
msgstr "ساعت"

#: includes/fields/class-acf-field-date_time_picker.php:71
msgctxt "Date Time Picker JS minuteText"
msgid "Minute"
msgstr "دقیقه"

#: includes/fields/class-acf-field-date_time_picker.php:72
msgctxt "Date Time Picker JS secondText"
msgid "Second"
msgstr "ثانیه"

#: includes/fields/class-acf-field-date_time_picker.php:73
msgctxt "Date Time Picker JS millisecText"
msgid "Millisecond"
msgstr "میلی ثانیه"

#: includes/fields/class-acf-field-date_time_picker.php:74
msgctxt "Date Time Picker JS microsecText"
msgid "Microsecond"
msgstr "میکرو ثانیه"

#: includes/fields/class-acf-field-date_time_picker.php:75
msgctxt "Date Time Picker JS timezoneText"
msgid "Time Zone"
msgstr "منطقه زمانی"

#: includes/fields/class-acf-field-date_time_picker.php:76
msgctxt "Date Time Picker JS currentText"
msgid "Now"
msgstr "الان"

#: includes/fields/class-acf-field-date_time_picker.php:77
msgctxt "Date Time Picker JS closeText"
msgid "Done"
msgstr "انجام شد"

#: includes/fields/class-acf-field-date_time_picker.php:78
msgctxt "Date Time Picker JS selectText"
msgid "Select"
msgstr "انتخاب"

#: includes/fields/class-acf-field-date_time_picker.php:80
msgctxt "Date Time Picker JS amText"
msgid "AM"
msgstr "صبح"

#: includes/fields/class-acf-field-date_time_picker.php:81
msgctxt "Date Time Picker JS amTextShort"
msgid "A"
msgstr "صبح"

#: includes/fields/class-acf-field-date_time_picker.php:84
msgctxt "Date Time Picker JS pmText"
msgid "PM"
msgstr "عصر"

#: includes/fields/class-acf-field-date_time_picker.php:85
msgctxt "Date Time Picker JS pmTextShort"
msgid "P"
msgstr "عصر"

#: includes/fields/class-acf-field-email.php:25
msgid "Email"
msgstr "پست الکترونیکی"

#: 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:128
#: includes/fields/class-acf-field-textarea.php:111
#: includes/fields/class-acf-field-url.php:109
msgid "Placeholder Text"
msgstr "نگهدارنده مکان متن"

#: 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:129
#: includes/fields/class-acf-field-textarea.php:112
#: includes/fields/class-acf-field-url.php:110
msgid "Appears within the input"
msgstr "در داخل ورودی نمایش داده می شود"

#: 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:188
#: includes/fields/class-acf-field-text.php:137
msgid "Prepend"
msgstr "پیشوند"

#: 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:189
#: includes/fields/class-acf-field-text.php:138
msgid "Appears before the input"
msgstr "قبل از ورودی نمایش داده می شود"

#: 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:197
#: includes/fields/class-acf-field-text.php:146
msgid "Append"
msgstr "پسوند"

#: 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:198
#: includes/fields/class-acf-field-text.php:147
msgid "Appears after the input"
msgstr "بعد از ورودی نمایش داده می شود"

#: includes/fields/class-acf-field-file.php:25
msgid "File"
msgstr "پرونده"

#: includes/fields/class-acf-field-file.php:58
msgid "Edit File"
msgstr "ویرایش پرونده"

#: includes/fields/class-acf-field-file.php:59
msgid "Update File"
msgstr "بروزرسانی پرونده"

#: includes/fields/class-acf-field-file.php:141
msgid "File name"
msgstr "نام فایل"

#: includes/fields/class-acf-field-file.php:145
#: includes/fields/class-acf-field-file.php:248
#: includes/fields/class-acf-field-file.php:259
#: includes/fields/class-acf-field-image.php:265
#: includes/fields/class-acf-field-image.php:294
#: pro/fields/class-acf-field-gallery.php:708
#: pro/fields/class-acf-field-gallery.php:737
msgid "File size"
msgstr "اندازه فایل"

#: includes/fields/class-acf-field-file.php:170
msgid "Add File"
msgstr "افزودن پرونده"

#: includes/fields/class-acf-field-file.php:221
msgid "File Array"
msgstr "آرایه فایل"

#: includes/fields/class-acf-field-file.php:222
msgid "File URL"
msgstr "آدرس پرونده"

#: includes/fields/class-acf-field-file.php:223
msgid "File ID"
msgstr "شناسه(ID) پرونده"

#: includes/fields/class-acf-field-file.php:230
#: includes/fields/class-acf-field-image.php:230
#: pro/fields/class-acf-field-gallery.php:673
msgid "Library"
msgstr "کتابخانه"

#: includes/fields/class-acf-field-file.php:231
#: includes/fields/class-acf-field-image.php:231
#: pro/fields/class-acf-field-gallery.php:674
msgid "Limit the media library choice"
msgstr "محدود کردن انتخاب کتابخانه چندرسانه ای"

#: includes/fields/class-acf-field-file.php:236
#: includes/fields/class-acf-field-image.php:236
#: includes/locations/class-acf-location-attachment.php:101
#: includes/locations/class-acf-location-comment.php:79
#: includes/locations/class-acf-location-nav-menu.php:102
#: includes/locations/class-acf-location-taxonomy.php:79
#: includes/locations/class-acf-location-user-form.php:87
#: includes/locations/class-acf-location-user-role.php:111
#: includes/locations/class-acf-location-widget.php:83
#: pro/fields/class-acf-field-gallery.php:679
#: pro/locations/class-acf-location-block.php:79
msgid "All"
msgstr "همه"

#: includes/fields/class-acf-field-file.php:237
#: includes/fields/class-acf-field-image.php:237
#: pro/fields/class-acf-field-gallery.php:680
msgid "Uploaded to post"
msgstr "بارگذاری شده در نوشته"

#: includes/fields/class-acf-field-file.php:244
#: includes/fields/class-acf-field-image.php:244
#: pro/fields/class-acf-field-gallery.php:687
msgid "Minimum"
msgstr "کمترین"

#: includes/fields/class-acf-field-file.php:245
#: includes/fields/class-acf-field-file.php:256
msgid "Restrict which files can be uploaded"
msgstr "محدودیت در آپلود فایل ها"

#: includes/fields/class-acf-field-file.php:255
#: includes/fields/class-acf-field-image.php:273
#: pro/fields/class-acf-field-gallery.php:716
msgid "Maximum"
msgstr "بیشترین"

#: includes/fields/class-acf-field-file.php:266
#: includes/fields/class-acf-field-image.php:302
#: pro/fields/class-acf-field-gallery.php:745
msgid "Allowed file types"
msgstr "انواع مجاز فایل"

#: includes/fields/class-acf-field-file.php:267
#: includes/fields/class-acf-field-image.php:303
#: pro/fields/class-acf-field-gallery.php:746
msgid "Comma separated list. Leave blank for all types"
msgstr "با کامای انگلیسی جدا کرده یا برای عدم محدودیت خالی بگذارید"

#: includes/fields/class-acf-field-google-map.php:25
msgid "Google Map"
msgstr "نقشه گوگل"

#: includes/fields/class-acf-field-google-map.php:59
msgid "Sorry, this browser does not support geolocation"
msgstr "با عرض پوزش، این مرورگر از موقعیت یابی جغرافیایی پشتیبانی نمی کند"

#: includes/fields/class-acf-field-google-map.php:166
msgid "Clear location"
msgstr "حذف مکان"

#: includes/fields/class-acf-field-google-map.php:167
msgid "Find current location"
msgstr "پیدا کردن مکان فعلی"

#: includes/fields/class-acf-field-google-map.php:170
msgid "Search for address..."
msgstr "جستجو برای آدرس . . ."

#: includes/fields/class-acf-field-google-map.php:200
#: includes/fields/class-acf-field-google-map.php:211
msgid "Center"
msgstr "مرکز"

#: includes/fields/class-acf-field-google-map.php:201
#: includes/fields/class-acf-field-google-map.php:212
msgid "Center the initial map"
msgstr "نقشه اولیه را وسط قرار بده"

#: includes/fields/class-acf-field-google-map.php:223
msgid "Zoom"
msgstr "بزرگنمایی"

#: includes/fields/class-acf-field-google-map.php:224
msgid "Set the initial zoom level"
msgstr "تعین مقدار بزرگنمایی اولیه"

#: includes/fields/class-acf-field-google-map.php:233
#: includes/fields/class-acf-field-image.php:256
#: includes/fields/class-acf-field-image.php:285
#: includes/fields/class-acf-field-oembed.php:268
#: pro/fields/class-acf-field-gallery.php:699
#: pro/fields/class-acf-field-gallery.php:728
msgid "Height"
msgstr "ارتفاع"

#: includes/fields/class-acf-field-google-map.php:234
msgid "Customize the map height"
msgstr "سفارشی سازی ارتفاع نقشه"

#: includes/fields/class-acf-field-group.php:25
msgid "Group"
msgstr "گروه"

#: includes/fields/class-acf-field-group.php:459
#: pro/fields/class-acf-field-repeater.php:384
msgid "Sub Fields"
msgstr "زمینه‌های زیرمجموعه"

#: 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 "استایل جهت نمایش فیلد انتخابی"

#: includes/fields/class-acf-field-group.php:480
#: pro/fields/class-acf-field-clone.php:849
#: pro/fields/class-acf-field-flexible-content.php:613
#: pro/fields/class-acf-field-repeater.php:456
#: pro/locations/class-acf-location-block.php:27
msgid "Block"
msgstr "بلوک"

#: includes/fields/class-acf-field-group.php:481
#: pro/fields/class-acf-field-clone.php:850
#: pro/fields/class-acf-field-flexible-content.php:612
#: pro/fields/class-acf-field-repeater.php:455
msgid "Table"
msgstr "جدول"

#: includes/fields/class-acf-field-group.php:482
#: pro/fields/class-acf-field-clone.php:851
#: pro/fields/class-acf-field-flexible-content.php:614
#: pro/fields/class-acf-field-repeater.php:457
msgid "Row"
msgstr "سطر"

#: includes/fields/class-acf-field-image.php:25
msgid "Image"
msgstr "تصویر"

#: includes/fields/class-acf-field-image.php:64
msgid "Select Image"
msgstr "انتخاب تصویر"

#: includes/fields/class-acf-field-image.php:65
msgid "Edit Image"
msgstr "ویرایش تصویر"

#: includes/fields/class-acf-field-image.php:66
msgid "Update Image"
msgstr "بروزرسانی تصویر"

#: includes/fields/class-acf-field-image.php:157
msgid "No image selected"
msgstr "هیچ تصویری انتخاب نشده"

#: includes/fields/class-acf-field-image.php:157
msgid "Add Image"
msgstr "افزودن تصویر"

#: includes/fields/class-acf-field-image.php:211
msgid "Image Array"
msgstr "آرایه تصاویر"

#: includes/fields/class-acf-field-image.php:212
msgid "Image URL"
msgstr "آدرس تصویر"

#: includes/fields/class-acf-field-image.php:213
msgid "Image ID"
msgstr "شناسه(ID) تصویر"

#: includes/fields/class-acf-field-image.php:220
msgid "Preview Size"
msgstr "اندازه پیش نمایش"

#: includes/fields/class-acf-field-image.php:221
msgid "Shown when entering data"
msgstr "هنگام وارد کردن داده ها نمایش داده می شود"

#: includes/fields/class-acf-field-image.php:245
#: includes/fields/class-acf-field-image.php:274
#: pro/fields/class-acf-field-gallery.php:688
#: pro/fields/class-acf-field-gallery.php:717
msgid "Restrict which images can be uploaded"
msgstr "محدودیت در آپلود تصاویر"

#: includes/fields/class-acf-field-image.php:248
#: includes/fields/class-acf-field-image.php:277
#: includes/fields/class-acf-field-oembed.php:257
#: pro/fields/class-acf-field-gallery.php:691
#: pro/fields/class-acf-field-gallery.php:720
msgid "Width"
msgstr "عرض"

#: includes/fields/class-acf-field-link.php:25
msgid "Link"
msgstr "لینک"

#: includes/fields/class-acf-field-link.php:133
msgid "Select Link"
msgstr "انتخاب لینک"

#: includes/fields/class-acf-field-link.php:138
msgid "Opens in a new window/tab"
msgstr "در پنجره جدید باز شود"

#: includes/fields/class-acf-field-link.php:172
msgid "Link Array"
msgstr "آرایه لینک"

#: includes/fields/class-acf-field-link.php:173
msgid "Link URL"
msgstr "آدرس لینک"

#: includes/fields/class-acf-field-message.php:25
#: includes/fields/class-acf-field-message.php:101
#: includes/fields/class-acf-field-true_false.php:126
msgid "Message"
msgstr "پیام"

#: includes/fields/class-acf-field-message.php:110
#: includes/fields/class-acf-field-textarea.php:139
msgid "New Lines"
msgstr "خطوط جدید"

#: includes/fields/class-acf-field-message.php:111
#: includes/fields/class-acf-field-textarea.php:140
msgid "Controls how new lines are rendered"
msgstr "تنظیم کنید که خطوط جدید چگونه نمایش داده شوند"

#: includes/fields/class-acf-field-message.php:115
#: includes/fields/class-acf-field-textarea.php:144
msgid "Automatically add paragraphs"
msgstr "پاراگراف ها خودکار اضافه شوند"

#: includes/fields/class-acf-field-message.php:116
#: includes/fields/class-acf-field-textarea.php:145
msgid "Automatically add &lt;br&gt;"
msgstr "اضافه کردن خودکار &lt;br&gt;"

#: includes/fields/class-acf-field-message.php:117
#: includes/fields/class-acf-field-textarea.php:146
msgid "No Formatting"
msgstr "بدون قالب بندی"

#: includes/fields/class-acf-field-message.php:124
msgid "Escape HTML"
msgstr "حذف HTML"

#: includes/fields/class-acf-field-message.php:125
msgid "Allow HTML markup to display as visible text instead of rendering"
msgstr "اجازه نمایش کدهای HTML به عنوان متن به جای اعمال آنها"

#: includes/fields/class-acf-field-number.php:25
msgid "Number"
msgstr "عدد"

#: includes/fields/class-acf-field-number.php:163
#: includes/fields/class-acf-field-range.php:158
msgid "Minimum Value"
msgstr "حداقل مقدار"

#: includes/fields/class-acf-field-number.php:172
#: includes/fields/class-acf-field-range.php:168
msgid "Maximum Value"
msgstr "حداکثر مقدار"

#: includes/fields/class-acf-field-number.php:181
#: includes/fields/class-acf-field-range.php:178
msgid "Step Size"
msgstr "اندازه مرحله"

#: includes/fields/class-acf-field-number.php:219
msgid "Value must be a number"
msgstr "مقدار باید عددی باشد"

#: includes/fields/class-acf-field-number.php:237
#, php-format
msgid "Value must be equal to or higher than %d"
msgstr "مقدار باید مساوی یا بیشتر از %d باشد"

#: includes/fields/class-acf-field-number.php:245
#, php-format
msgid "Value must be equal to or lower than %d"
msgstr "مقدار باید کوچکتر یا مساوی %d باشد"

#: includes/fields/class-acf-field-oembed.php:25
msgid "oEmbed"
msgstr "oEmbed"

#: includes/fields/class-acf-field-oembed.php:216
msgid "Enter URL"
msgstr "آدرس را وارد کنید"

#: includes/fields/class-acf-field-oembed.php:254
#: includes/fields/class-acf-field-oembed.php:265
msgid "Embed Size"
msgstr "اندازه جانمایی"

#: includes/fields/class-acf-field-page_link.php:25
msgid "Page Link"
msgstr "پیوند (لینک) برگه/نوشته"

#: includes/fields/class-acf-field-page_link.php:177
msgid "Archives"
msgstr "بایگانی ها"

#: includes/fields/class-acf-field-page_link.php:269
#: includes/fields/class-acf-field-post_object.php:267
#: includes/fields/class-acf-field-taxonomy.php:961
msgid "Parent"
msgstr "مادر"

#: includes/fields/class-acf-field-page_link.php:485
#: includes/fields/class-acf-field-post_object.php:383
#: includes/fields/class-acf-field-relationship.php:560
msgid "Filter by Post Type"
msgstr "فیلتر با نوع نوشته"

#: includes/fields/class-acf-field-page_link.php:493
#: includes/fields/class-acf-field-post_object.php:391
#: includes/fields/class-acf-field-relationship.php:568
msgid "All post types"
msgstr "تمام انواع نوشته"

#: includes/fields/class-acf-field-page_link.php:499
#: includes/fields/class-acf-field-post_object.php:397
#: includes/fields/class-acf-field-relationship.php:574
msgid "Filter by Taxonomy"
msgstr "فیلتر با طبقه بندی"

#: includes/fields/class-acf-field-page_link.php:507
#: includes/fields/class-acf-field-post_object.php:405
#: includes/fields/class-acf-field-relationship.php:582
msgid "All taxonomies"
msgstr "تمام طبقه بندی ها"

#: includes/fields/class-acf-field-page_link.php:523
msgid "Allow Archives URLs"
msgstr "اجازه آدرس های آرشیو"

#: includes/fields/class-acf-field-page_link.php:533
#: includes/fields/class-acf-field-post_object.php:421
#: includes/fields/class-acf-field-select.php:392
#: includes/fields/class-acf-field-user.php:403
msgid "Select multiple values?"
msgstr "آیا چندین مقدار انتخاب شوند؟"

#: includes/fields/class-acf-field-password.php:25
msgid "Password"
msgstr "رمزعبور"

#: includes/fields/class-acf-field-post_object.php:25
#: includes/fields/class-acf-field-post_object.php:436
#: includes/fields/class-acf-field-relationship.php:639
msgid "Post Object"
msgstr "آبجکت یک نوشته"

#: includes/fields/class-acf-field-post_object.php:437
#: includes/fields/class-acf-field-relationship.php:640
msgid "Post ID"
msgstr "شناسه(ID) نوشته"

#: includes/fields/class-acf-field-radio.php:25
msgid "Radio Button"
msgstr "دکمه رادیویی"

#: includes/fields/class-acf-field-radio.php:254
msgid "Other"
msgstr "دیگر"

#: includes/fields/class-acf-field-radio.php:259
msgid "Add 'other' choice to allow for custom values"
msgstr "افزودن گزینه 'دیگر' برای ثبت مقادیر دلخواه"

#: includes/fields/class-acf-field-radio.php:265
msgid "Save Other"
msgstr "ذخیره دیگر"

#: includes/fields/class-acf-field-radio.php:270
msgid "Save 'other' values to the field's choices"
msgstr "ذخیره مقادیر دیگر در انتخاب های زمینه"

#: includes/fields/class-acf-field-range.php:25
msgid "Range"
msgstr "محدوده"

#: includes/fields/class-acf-field-relationship.php:25
msgid "Relationship"
msgstr "ارتباط"

#: includes/fields/class-acf-field-relationship.php:62
msgid "Maximum values reached ( {max} values )"
msgstr "مقادیر به حداکثر رسیده اند ( {max} آیتم )"

#: includes/fields/class-acf-field-relationship.php:63
msgid "Loading"
msgstr "درحال خواندن"

#: includes/fields/class-acf-field-relationship.php:64
msgid "No matches found"
msgstr "مطابقتی یافت نشد"

#: includes/fields/class-acf-field-relationship.php:411
msgid "Select post type"
msgstr "انتحاب نوع نوشته"

#: includes/fields/class-acf-field-relationship.php:420
msgid "Select taxonomy"
msgstr "انتخاب طبقه بندی"

#: includes/fields/class-acf-field-relationship.php:477
msgid "Search..."
msgstr "جستجو . . ."

#: includes/fields/class-acf-field-relationship.php:588
msgid "Filters"
msgstr "فیلترها"

#: includes/fields/class-acf-field-relationship.php:594
#: includes/locations/class-acf-location-post-type.php:27
msgid "Post Type"
msgstr "نوع نوشته"

#: includes/fields/class-acf-field-relationship.php:595
#: includes/fields/class-acf-field-taxonomy.php:28
#: includes/fields/class-acf-field-taxonomy.php:754
#: includes/locations/class-acf-location-taxonomy.php:27
msgid "Taxonomy"
msgstr "طبقه بندی"

#: includes/fields/class-acf-field-relationship.php:602
msgid "Elements"
msgstr "عناصر"

#: includes/fields/class-acf-field-relationship.php:603
msgid "Selected elements will be displayed in each result"
msgstr "عناصر انتخاب شده در هر نتیجه نمایش داده خواهند شد"

#: includes/fields/class-acf-field-relationship.php:614
msgid "Minimum posts"
msgstr "حداقل تعداد نوشته‌ها"

#: includes/fields/class-acf-field-relationship.php:623
msgid "Maximum posts"
msgstr "حداکثر تعداد نوشته ها"

#: includes/fields/class-acf-field-relationship.php:727
#: pro/fields/class-acf-field-gallery.php:818
#, php-format
msgid "%s requires at least %s selection"
msgid_plural "%s requires at least %s selections"
msgstr[0] "%s به حداقل  %s انتخاب نیاز دارد"
msgstr[1] "%s به حداقل  %s انتخاب نیاز دارد"

#: includes/fields/class-acf-field-select.php:25
#: includes/fields/class-acf-field-taxonomy.php:776
msgctxt "noun"
msgid "Select"
msgstr "انتخاب (Select)"

#: includes/fields/class-acf-field-select.php:111
msgctxt "Select2 JS matches_1"
msgid "One result is available, press enter to select it."
msgstr "یک نتیجه موجود است برای انتخاب Enter را فشار دهید."

#: includes/fields/class-acf-field-select.php:112
#, php-format
msgctxt "Select2 JS matches_n"
msgid "%d results are available, use up and down arrow keys to navigate."
msgstr "نتایج %d در دسترس است با استفاده از کلید بالا و پایین روی آنها حرکت کنید."

#: includes/fields/class-acf-field-select.php:113
msgctxt "Select2 JS matches_0"
msgid "No matches found"
msgstr "مشابهی یافت نشد"

#: includes/fields/class-acf-field-select.php:114
msgctxt "Select2 JS input_too_short_1"
msgid "Please enter 1 or more characters"
msgstr "یک یا چند حرف وارد کنید"

#: includes/fields/class-acf-field-select.php:115
#, php-format
msgctxt "Select2 JS input_too_short_n"
msgid "Please enter %d or more characters"
msgstr "لطفا %d یا چند کاراکتر دیگر وارد کنید"

#: includes/fields/class-acf-field-select.php:116
msgctxt "Select2 JS input_too_long_1"
msgid "Please delete 1 character"
msgstr "یک  حرف را حذف کنید"

#: includes/fields/class-acf-field-select.php:117
#, php-format
msgctxt "Select2 JS input_too_long_n"
msgid "Please delete %d characters"
msgstr "لطفا %d کاراکتر را حذف کنید"

#: includes/fields/class-acf-field-select.php:118
msgctxt "Select2 JS selection_too_long_1"
msgid "You can only select 1 item"
msgstr "فقط می توانید یک آیتم را انتخاب کنید"

#: includes/fields/class-acf-field-select.php:119
#, php-format
msgctxt "Select2 JS selection_too_long_n"
msgid "You can only select %d items"
msgstr "شما فقط می توانید %d مورد را انتخاب کنید"

#: includes/fields/class-acf-field-select.php:120
msgctxt "Select2 JS load_more"
msgid "Loading more results&hellip;"
msgstr "بارگذاری نتایج بیشتر&hellip;"

#: includes/fields/class-acf-field-select.php:121
msgctxt "Select2 JS searching"
msgid "Searching&hellip;"
msgstr "جستجو &hellip;"

#: includes/fields/class-acf-field-select.php:122
msgctxt "Select2 JS load_fail"
msgid "Loading failed"
msgstr "خطا در فراخوانی داده ها"

#: includes/fields/class-acf-field-select.php:402
#: includes/fields/class-acf-field-true_false.php:144
msgid "Stylised UI"
msgstr "ظاهر بهینه شده"

#: includes/fields/class-acf-field-select.php:412
msgid "Use AJAX to lazy load choices?"
msgstr "از ایجکس برای خواندن گزینه های استفاده شود؟"

#: includes/fields/class-acf-field-select.php:428
msgid "Specify the value returned"
msgstr "مقدار بازگشتی را انتخاب کنید"

#: includes/fields/class-acf-field-separator.php:25
msgid "Separator"
msgstr "جداکننده"

#: includes/fields/class-acf-field-tab.php:25
msgid "Tab"
msgstr "تب"

#: includes/fields/class-acf-field-tab.php:102
msgid "Placement"
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 ""
"یک نقطه پایانی برای توقف زبانه قبلی تعریف کنید. این کار باعث می‌شود گروه جدیدی "
"از زبانه‌ها ایجاد شود."

#: includes/fields/class-acf-field-taxonomy.php:714
#, php-format
msgctxt "No terms"
msgid "No %s"
msgstr "بدون  %s"

#: includes/fields/class-acf-field-taxonomy.php:755
msgid "Select the taxonomy to be displayed"
msgstr "طبقه‌بندی را برای برون بری انتخاب کنید"

#: includes/fields/class-acf-field-taxonomy.php:764
msgid "Appearance"
msgstr "ظاهر"

#: includes/fields/class-acf-field-taxonomy.php:765
msgid "Select the appearance of this field"
msgstr "ظاهر این زمینه را مشخص کنید"

#: includes/fields/class-acf-field-taxonomy.php:770
msgid "Multiple Values"
msgstr "چندین مقدار"

#: includes/fields/class-acf-field-taxonomy.php:772
msgid "Multi Select"
msgstr "چندین انتخاب"

#: includes/fields/class-acf-field-taxonomy.php:774
msgid "Single Value"
msgstr "تک مقدار"

#: includes/fields/class-acf-field-taxonomy.php:775
msgid "Radio Buttons"
msgstr "دکمه‌های رادیویی"

#: includes/fields/class-acf-field-taxonomy.php:799
msgid "Create Terms"
msgstr "ساخت آیتم (ترم)"

#: includes/fields/class-acf-field-taxonomy.php:800
msgid "Allow new terms to be created whilst editing"
msgstr "اجازه به ساخت آیتم‌ها(ترم‌ها) جدید در زمان ویرایش"

#: includes/fields/class-acf-field-taxonomy.php:809
msgid "Save Terms"
msgstr "ذخیره ترم ها"

#: includes/fields/class-acf-field-taxonomy.php:810
msgid "Connect selected terms to the post"
msgstr "الصاق آیتم های انتخابی به نوشته"

#: includes/fields/class-acf-field-taxonomy.php:819
msgid "Load Terms"
msgstr "خواندن ترم ها"

#: includes/fields/class-acf-field-taxonomy.php:820
msgid "Load value from posts terms"
msgstr "خواندن مقادیر از ترم های نوشته"

#: includes/fields/class-acf-field-taxonomy.php:834
msgid "Term Object"
msgstr "به صورت آبجکت"

#: includes/fields/class-acf-field-taxonomy.php:835
msgid "Term ID"
msgstr "شناسه(ID) آیتم(ترم)"

#: includes/fields/class-acf-field-taxonomy.php:885
#, php-format
msgid "User unable to add new %s"
msgstr "کاربر قادر به اضافه کردن%s جدید نیست"

#: includes/fields/class-acf-field-taxonomy.php:895
#, php-format
msgid "%s already exists"
msgstr "%s هم اکنون موجود است"

#: includes/fields/class-acf-field-taxonomy.php:927
#, php-format
msgid "%s added"
msgstr "%s اضافه شد"

#: includes/fields/class-acf-field-taxonomy.php:973
msgid "Add"
msgstr "افزودن"

#: includes/fields/class-acf-field-text.php:25
msgid "Text"
msgstr "متن"

#: includes/fields/class-acf-field-text.php:155
#: includes/fields/class-acf-field-textarea.php:120
msgid "Character Limit"
msgstr "محدودیت کاراکتر"

#: includes/fields/class-acf-field-text.php:156
#: includes/fields/class-acf-field-textarea.php:121
msgid "Leave blank for no limit"
msgstr "برای نامحدود بودن این بخش را خالی بگذارید"

#: includes/fields/class-acf-field-text.php:181
#: includes/fields/class-acf-field-textarea.php:213
#, php-format
msgid "Value must not exceed %d characters"
msgstr "مقدار نباید از %d کاراکتر بیشتر شود"

#: includes/fields/class-acf-field-textarea.php:25
msgid "Text Area"
msgstr "جعبه متن (متن چند خطی)"

#: includes/fields/class-acf-field-textarea.php:129
msgid "Rows"
msgstr "سطرها"

#: includes/fields/class-acf-field-textarea.php:130
msgid "Sets the textarea height"
msgstr "تعیین ارتفاع باکس متن"

#: includes/fields/class-acf-field-time_picker.php:25
msgid "Time Picker"
msgstr "انتخاب زمان"

#: includes/fields/class-acf-field-true_false.php:25
msgid "True / False"
msgstr "صحیح / غلط"

#: includes/fields/class-acf-field-true_false.php:127
msgid "Displays text alongside the checkbox"
msgstr "نمایش متن همراه انتخاب"

#: includes/fields/class-acf-field-true_false.php:155
msgid "On Text"
msgstr "با متن"

#: includes/fields/class-acf-field-true_false.php:156
msgid "Text shown when active"
msgstr "نمایش متن در زمان فعال بودن"

#: includes/fields/class-acf-field-true_false.php:170
msgid "Off Text"
msgstr "بدون متن"

#: includes/fields/class-acf-field-true_false.php:171
msgid "Text shown when inactive"
msgstr "نمایش متن در زمان غیر فعال بودن"

#: includes/fields/class-acf-field-url.php:25
msgid "Url"
msgstr "URL"

#: includes/fields/class-acf-field-url.php:151
msgid "Value must be a valid URL"
msgstr "مقدار باید یک آدرس صحیح باشد"

#: includes/fields/class-acf-field-user.php:25 includes/locations.php:95
msgid "User"
msgstr "کاربر"

#: includes/fields/class-acf-field-user.php:378
msgid "Filter by role"
msgstr "تفکیک با نقش"

#: includes/fields/class-acf-field-user.php:386
msgid "All user roles"
msgstr "تمام نقش های کاربر"

#: includes/fields/class-acf-field-user.php:417
msgid "User Array"
msgstr "آرایه کاربر"

#: includes/fields/class-acf-field-user.php:418
msgid "User Object"
msgstr "آبجکت کاربر"

#: includes/fields/class-acf-field-user.php:419
msgid "User ID"
msgstr "شناسه کاربر"

#: includes/fields/class-acf-field-wysiwyg.php:25
msgid "Wysiwyg Editor"
msgstr "ویرایشگر دیداری"

#: includes/fields/class-acf-field-wysiwyg.php:330
msgid "Visual"
msgstr "بصری"

#: includes/fields/class-acf-field-wysiwyg.php:331
msgctxt "Name for the Text editor tab (formerly HTML)"
msgid "Text"
msgstr "متن"

#: includes/fields/class-acf-field-wysiwyg.php:337
msgid "Click to initialize TinyMCE"
msgstr "برای اجرای TinyMCE کلیک کنید"

#: includes/fields/class-acf-field-wysiwyg.php:390
msgid "Tabs"
msgstr "تب ها"

#: includes/fields/class-acf-field-wysiwyg.php:395
msgid "Visual & Text"
msgstr "بصری و متنی"

#: includes/fields/class-acf-field-wysiwyg.php:396
msgid "Visual Only"
msgstr "فقط بصری"

#: includes/fields/class-acf-field-wysiwyg.php:397
msgid "Text Only"
msgstr "فقط متن"

#: includes/fields/class-acf-field-wysiwyg.php:404
msgid "Toolbar"
msgstr "نوار ابزار"

#: includes/fields/class-acf-field-wysiwyg.php:419
msgid "Show Media Upload Buttons?"
msgstr "آیا دکمه‌های بارگذاری رسانه نمایش داده شوند؟"

#: includes/fields/class-acf-field-wysiwyg.php:429
msgid "Delay initialization?"
msgstr "نمایش با تاخیر؟"

#: includes/fields/class-acf-field-wysiwyg.php:430
msgid "TinyMCE will not be initalized until field is clicked"
msgstr "تا زمانی که روی فیلد کلیک نشود TinyMCE اجرا نخواهد شد"

#: includes/forms/form-front.php:55
msgid "Validate Email"
msgstr "اعتبار سنجی ایمیل"

#: includes/forms/form-front.php:103 pro/fields/class-acf-field-gallery.php:591
#: pro/options-page.php:81
msgid "Update"
msgstr "بروزرسانی"

#: includes/forms/form-front.php:104
msgid "Post updated"
msgstr "نوشته بروز شد"

#: includes/forms/form-front.php:230
msgid "Spam Detected"
msgstr "اسپم تشخیص داده شد"

#: includes/locations.php:93 includes/locations/class-acf-location-post.php:27
msgid "Post"
msgstr "نوشته"

#: includes/locations.php:94 includes/locations/class-acf-location-page.php:27
msgid "Page"
msgstr "برگه"

#: includes/locations.php:96
msgid "Forms"
msgstr "فرم ها"

#: includes/locations.php:243
msgid "is equal to"
msgstr "برابر شود با"

#: includes/locations.php:244
msgid "is not equal to"
msgstr "برابر نشود با"

#: includes/locations/class-acf-location-attachment.php:27
msgid "Attachment"
msgstr "پیوست"

#: includes/locations/class-acf-location-attachment.php:109
#, php-format
msgid "All %s formats"
msgstr "همه‌ی فرمت‌های %s"

#: includes/locations/class-acf-location-comment.php:27
msgid "Comment"
msgstr "دیدگاه"

#: includes/locations/class-acf-location-current-user-role.php:27
msgid "Current User Role"
msgstr "نقش کاربرفعلی"

#: includes/locations/class-acf-location-current-user-role.php:110
msgid "Super Admin"
msgstr "مدیرکل"

#: includes/locations/class-acf-location-current-user.php:27
msgid "Current User"
msgstr "کاربر فعلی"

#: includes/locations/class-acf-location-current-user.php:97
msgid "Logged in"
msgstr "وارده شده"

#: includes/locations/class-acf-location-current-user.php:98
msgid "Viewing front end"
msgstr "درحال نمایش سمت کاربر"

#: includes/locations/class-acf-location-current-user.php:99
msgid "Viewing back end"
msgstr "درحال نمایش سمت مدیریت"

#: includes/locations/class-acf-location-nav-menu-item.php:27
msgid "Menu Item"
msgstr "آیتم منو"

#: includes/locations/class-acf-location-nav-menu.php:27
msgid "Menu"
msgstr "منو"

#: includes/locations/class-acf-location-nav-menu.php:109
msgid "Menu Locations"
msgstr "محل منو"

#: includes/locations/class-acf-location-nav-menu.php:119
msgid "Menus"
msgstr "منوها"

#: includes/locations/class-acf-location-page-parent.php:27
msgid "Page Parent"
msgstr "برگه مادر"

#: includes/locations/class-acf-location-page-template.php:27
msgid "Page Template"
msgstr "قالب برگه"

#: includes/locations/class-acf-location-page-template.php:87
#: includes/locations/class-acf-location-post-template.php:134
msgid "Default Template"
msgstr "پوسته پیش فرض"

#: includes/locations/class-acf-location-page-type.php:27
msgid "Page Type"
msgstr "نوع برگه"

#: includes/locations/class-acf-location-page-type.php:146
msgid "Front Page"
msgstr "برگه نخست"

#: includes/locations/class-acf-location-page-type.php:147
msgid "Posts Page"
msgstr "برگه ی نوشته ها"

#: includes/locations/class-acf-location-page-type.php:148
msgid "Top Level Page (no parent)"
msgstr "بالاترین سطح برگه(بدون والد)"

#: includes/locations/class-acf-location-page-type.php:149
msgid "Parent Page (has children)"
msgstr "برگه مادر (دارای زیر مجموعه)"

#: includes/locations/class-acf-location-page-type.php:150
msgid "Child Page (has parent)"
msgstr "برگه زیر مجموعه (دارای مادر)"

#: includes/locations/class-acf-location-post-category.php:27
msgid "Post Category"
msgstr "دسته بندی نوشته"

#: includes/locations/class-acf-location-post-format.php:27
msgid "Post Format"
msgstr "فرمت نوشته"

#: includes/locations/class-acf-location-post-status.php:27
msgid "Post Status"
msgstr "وضعیت نوشته"

#: includes/locations/class-acf-location-post-taxonomy.php:27
msgid "Post Taxonomy"
msgstr "طبقه بندی نوشته"

#: includes/locations/class-acf-location-post-template.php:27
msgid "Post Template"
msgstr "قالب نوشته"

#: includes/locations/class-acf-location-user-form.php:27
msgid "User Form"
msgstr "فرم کاربر"

#: includes/locations/class-acf-location-user-form.php:88
msgid "Add / Edit"
msgstr "اضافه کردن/ویرایش"

#: includes/locations/class-acf-location-user-form.php:89
msgid "Register"
msgstr "ثبت نام"

#: includes/locations/class-acf-location-user-role.php:27
msgid "User Role"
msgstr "نقش کاربر"

#: includes/locations/class-acf-location-widget.php:27
msgid "Widget"
msgstr "ابزارک"

#: includes/validation.php:364
#, php-format
msgid "%s value is required"
msgstr "مقدار %s لازم است"

#. Plugin Name of the plugin/theme
#: pro/acf-pro.php:28
msgid "Advanced Custom Fields PRO"
msgstr "زمینه‌های سفارشی پیشرفته نسخه حرفه ای"

#: pro/admin/admin-options-page.php:198
msgid "Publish"
msgstr "انتشار"

#: pro/admin/admin-options-page.php:204
#, php-format
msgid ""
"No Custom Field Groups found for this options page. <a href=\"%s\">Create a "
"Custom Field Group</a>"
msgstr ""
"هیچ گروه زمینه دلخواهی برای این صفحه تنظیمات یافت نشد. <a href=\"%s\">ساخت گروه "
"زمینه دلخواه</a>"

#: pro/admin/admin-updates.php:49
msgid "<b>Error</b>. Could not connect to update server"
msgstr "خطا. امکان اتصال به سرور به روزرسانی الان ممکن نیست"

#: pro/admin/admin-updates.php:118 pro/admin/views/html-settings-updates.php:13
msgid "Updates"
msgstr "بروزرسانی ها"

#: pro/admin/admin-updates.php:191
msgid ""
"<b>Error</b>. Could not authenticate update package. Please check again or "
"deactivate and reactivate your ACF PRO license."
msgstr ""
"<b>خطا</b>. پکیج بروزرسانی اعتبارسنجی نشد. دوباره بررسی کنید یا لایسنس ACF PRO "
"را غیرفعال و مجددا فعال کنید."

#: pro/admin/views/html-settings-updates.php:7
msgid "Deactivate License"
msgstr "غیرفعال سازی لایسنس"

#: pro/admin/views/html-settings-updates.php:7
msgid "Activate License"
msgstr "فعال سازی لایسنس"

#: pro/admin/views/html-settings-updates.php:17
msgid "License Information"
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 <a href=\"%s\" target=\"_blank\">details & pricing</a>."
msgstr ""
"برای به روزرسانی لطفا کد لایسنس را وارد  کنید. <a href=\"%s\" target=\"_blank"
"\">قیمت ها</a>."

#: pro/admin/views/html-settings-updates.php:29
msgid "License Key"
msgstr "کلید لایسنس"

#: pro/admin/views/html-settings-updates.php:61
msgid "Update Information"
msgstr "اطلاعات به روز رسانی"

#: pro/admin/views/html-settings-updates.php:68
msgid "Current Version"
msgstr "نسخه فعلی"

#: pro/admin/views/html-settings-updates.php:76
msgid "Latest Version"
msgstr "آخرین نسخه"

#: pro/admin/views/html-settings-updates.php:84
msgid "Update Available"
msgstr "بروزرسانی موجود است"

#: pro/admin/views/html-settings-updates.php:92
msgid "Update Plugin"
msgstr "بروزرسانی افزونه"

#: pro/admin/views/html-settings-updates.php:94
msgid "Please enter your license key above to unlock updates"
msgstr "برای فعالسازی به روزرسانی لایسنس خود را بنویسید"

#: pro/admin/views/html-settings-updates.php:100
msgid "Check Again"
msgstr "بررسی دوباره"

#: pro/admin/views/html-settings-updates.php:117
msgid "Upgrade Notice"
msgstr "نکات به روزرسانی"

#: pro/blocks.php:371
msgid "Switch to Edit"
msgstr "حالت ویرایش"

#: pro/blocks.php:372
msgid "Switch to Preview"
msgstr "حالت پیش‌نمایش"

#: pro/fields/class-acf-field-clone.php:25
msgctxt "noun"
msgid "Clone"
msgstr "کپی (هیچ)"

#: 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:829
msgid "Display"
msgstr "نمایش"

#: 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:835
msgid "Group (displays selected fields in a group within this field)"
msgstr "گروه ها(نمایش فیلدهای انتخابی در یک گروه با این فیلد)"

#: pro/fields/class-acf-field-clone.php:836
msgid "Seamless (replaces this field with selected fields)"
msgstr "بدون مانند (جایگزینی این فیلد با فیلدهای انتخابی)"

#: pro/fields/class-acf-field-clone.php:857
#, php-format
msgid "Labels will be displayed as %s"
msgstr "برچسب ها نمایش داده شوند به صورت %s"

#: pro/fields/class-acf-field-clone.php:860
msgid "Prefix Field Labels"
msgstr "پیشوند پرچسب فیلدها"

#: pro/fields/class-acf-field-clone.php:871
#, php-format
msgid "Values will be saved as %s"
msgstr "مقادیر ذخیره خواهند شد به صورت %s"

#: pro/fields/class-acf-field-clone.php:874
msgid "Prefix Field Names"
msgstr "پیشوند نام فایل ها"

#: pro/fields/class-acf-field-clone.php:992
msgid "Unknown field"
msgstr "فیلد ناشناس"

#: pro/fields/class-acf-field-clone.php:1031
msgid "Unknown field group"
msgstr "گروه ناشناس"

#: pro/fields/class-acf-field-clone.php:1035
#, php-format
msgid "All fields from %s field group"
msgstr "تمام فیلدها از %s گروه فیلد"

#: pro/fields/class-acf-field-flexible-content.php:31
#: pro/fields/class-acf-field-repeater.php:193
#: pro/fields/class-acf-field-repeater.php:468
msgid "Add Row"
msgstr "سطر جدید"

#: pro/fields/class-acf-field-flexible-content.php:73
#: pro/fields/class-acf-field-flexible-content.php:924
#: pro/fields/class-acf-field-flexible-content.php:1006
msgid "layout"
msgid_plural "layouts"
msgstr[0] "طرح‌ها"
msgstr[1] "طرح"

#: pro/fields/class-acf-field-flexible-content.php:74
msgid "layouts"
msgstr "طرح ها"

#: pro/fields/class-acf-field-flexible-content.php:77
#: pro/fields/class-acf-field-flexible-content.php:923
#: pro/fields/class-acf-field-flexible-content.php:1005
msgid "This field requires at least {min} {label} {identifier}"
msgstr "این زمینه لازم دارد {min} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:78
msgid "This field has a limit of {max} {label} {identifier}"
msgstr "این گزینه محدود است به {max} {label} {identifier}"

#: pro/fields/class-acf-field-flexible-content.php:81
msgid "{available} {label} {identifier} available (max {max})"
msgstr "{available} {label} {identifier} موجود است (حداکثر {max})"

#: pro/fields/class-acf-field-flexible-content.php:82
msgid "{required} {label} {identifier} required (min {min})"
msgstr "{required} {label} {identifier} لازم دارد (حداقل {min})"

#: pro/fields/class-acf-field-flexible-content.php:85
msgid "Flexible Content requires at least 1 layout"
msgstr "زمینه محتوای انعطاف پذیر حداقل به یک طرح نیاز دارد"

#: pro/fields/class-acf-field-flexible-content.php:287
#, php-format
msgid "Click the \"%s\" button below to start creating your layout"
msgstr "روی دکمه \"%s\" دز زیر کلیک کنید تا چیدمان خود را بسازید"

#: pro/fields/class-acf-field-flexible-content.php:413
msgid "Add layout"
msgstr "طرح جدید"

#: pro/fields/class-acf-field-flexible-content.php:414
msgid "Remove layout"
msgstr "حذف طرح"

#: pro/fields/class-acf-field-flexible-content.php:415
#: pro/fields/class-acf-field-repeater.php:301
msgid "Click to toggle"
msgstr "کلیک برای انتخاب"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder Layout"
msgstr "ترتیب بندی طرح ها"

#: pro/fields/class-acf-field-flexible-content.php:555
msgid "Reorder"
msgstr "مرتب سازی"

#: pro/fields/class-acf-field-flexible-content.php:556
msgid "Delete Layout"
msgstr "حذف طرح"

#: pro/fields/class-acf-field-flexible-content.php:557
msgid "Duplicate Layout"
msgstr "تکثیر طرح"

#: pro/fields/class-acf-field-flexible-content.php:558
msgid "Add New Layout"
msgstr "افزودن طرح جدید"

#: pro/fields/class-acf-field-flexible-content.php:629
msgid "Min"
msgstr "حداقل"

#: pro/fields/class-acf-field-flexible-content.php:642
msgid "Max"
msgstr "حداکثر"

#: pro/fields/class-acf-field-flexible-content.php:669
#: pro/fields/class-acf-field-repeater.php:464
msgid "Button Label"
msgstr "متن دکمه"

#: pro/fields/class-acf-field-flexible-content.php:678
msgid "Minimum Layouts"
msgstr "حداقل تعداد طرح ها"

#: pro/fields/class-acf-field-flexible-content.php:687
msgid "Maximum Layouts"
msgstr "حداکثر تعداد طرح ها"

#: pro/fields/class-acf-field-gallery.php:71
msgid "Add Image to Gallery"
msgstr "افزودن تصویر به گالری"

#: pro/fields/class-acf-field-gallery.php:72
msgid "Maximum selection reached"
msgstr "بیشترین حد انتخاب شده است"

#: pro/fields/class-acf-field-gallery.php:338
msgid "Length"
msgstr "طول"

#: pro/fields/class-acf-field-gallery.php:381
msgid "Caption"
msgstr "متن"

#: pro/fields/class-acf-field-gallery.php:390
msgid "Alt Text"
msgstr "متن جایگزین"

#: pro/fields/class-acf-field-gallery.php:562
msgid "Add to gallery"
msgstr "اضافه به گالری"

#: pro/fields/class-acf-field-gallery.php:566
msgid "Bulk actions"
msgstr "کارهای گروهی"

#: pro/fields/class-acf-field-gallery.php:567
msgid "Sort by date uploaded"
msgstr "به ترتیب تاریخ آپلود"

#: pro/fields/class-acf-field-gallery.php:568
msgid "Sort by date modified"
msgstr "به ترتیب تاریخ اعمال تغییرات"

#: pro/fields/class-acf-field-gallery.php:569
msgid "Sort by title"
msgstr "به ترتیب عنوان"

#: pro/fields/class-acf-field-gallery.php:570
msgid "Reverse current order"
msgstr "معکوس سازی ترتیب کنونی"

#: pro/fields/class-acf-field-gallery.php:588
msgid "Close"
msgstr "بستن"

#: pro/fields/class-acf-field-gallery.php:642
msgid "Minimum Selection"
msgstr "حداقل انتخاب"

#: pro/fields/class-acf-field-gallery.php:651
msgid "Maximum Selection"
msgstr "حداکثر انتخاب"

#: pro/fields/class-acf-field-gallery.php:660
msgid "Insert"
msgstr "درج"

#: pro/fields/class-acf-field-gallery.php:661
msgid "Specify where new attachments are added"
msgstr "مشخص کنید که پیوست ها کجا اضافه شوند"

#: pro/fields/class-acf-field-gallery.php:665
msgid "Append to the end"
msgstr "افزودن به انتها"

#: pro/fields/class-acf-field-gallery.php:666
msgid "Prepend to the beginning"
msgstr "افزودن قبل از"

#: pro/fields/class-acf-field-repeater.php:65
#: pro/fields/class-acf-field-repeater.php:661
msgid "Minimum rows reached ({min} rows)"
msgstr "مقادیر به حداکثر رسیده اند ( {min} سطر )"

#: pro/fields/class-acf-field-repeater.php:66
msgid "Maximum rows reached ({max} rows)"
msgstr "مقادیر به حداکثر رسیده اند ( {max} سطر )"

#: pro/fields/class-acf-field-repeater.php:338
msgid "Add row"
msgstr "افزودن سطر"

#: pro/fields/class-acf-field-repeater.php:339
msgid "Remove row"
msgstr "حذف سطر"

#: pro/fields/class-acf-field-repeater.php:417
msgid "Collapsed"
msgstr "جمع شده"

#: pro/fields/class-acf-field-repeater.php:418
msgid "Select a sub field to show when row is collapsed"
msgstr "یک زمینه زیرمجموعه را انتخاب کنید تا زمان بسته شدن طر نمایش داده شود"

#: pro/fields/class-acf-field-repeater.php:428
msgid "Minimum Rows"
msgstr "حداقل تعداد سطرها"

#: pro/fields/class-acf-field-repeater.php:438
msgid "Maximum Rows"
msgstr "حداکثر تعداد سطرها"

#: pro/locations/class-acf-location-options-page.php:79
msgid "No options pages exist"
msgstr "هیچ صفحه تنظیماتی یافت نشد"

#: pro/options-page.php:51
msgid "Options"
msgstr "تنظیمات"

#: pro/options-page.php:82
msgid "Options Updated"
msgstr "تنظیمات به روز شدند"

#: pro/updates.php:97
#, php-format
msgid ""
"To enable updates, please enter your license key on the <a href=\"%s\">Updates</"
"a> page. If you don't have a licence key, please see <a href=\"%s\">details & "
"pricing</a>."
msgstr ""
"برای به روزرسانی لطفا کد لایسنس را وارد  کنید. <a href=\"%s\">بروزرسانی</a>. <a "
"href=\"%s\">قیمت ها</a>."

#: tests/basic/test-blocks.php:13
msgid "Testimonial"
msgstr "توصیه‌نامه"

#: tests/basic/test-blocks.php:14
msgid "A custom testimonial block."
msgstr "بلوک سفارشی توصیه‌نامه (Testimonial)"

#: tests/basic/test-blocks.php:40
msgid "Slider"
msgstr "اسلایدر"

#: tests/basic/test-blocks.php:41
msgid "A custom gallery slider."
msgstr "اسلایدر گالری سفارشی"

#. Plugin URI of the plugin/theme
msgid "https://www.advancedcustomfields.com/"
msgstr "https://www.advancedcustomfields.com/"

#. Author of the plugin/theme
msgid "Elliot Condon"
msgstr "Elliot Condon"

#. Author URI of the plugin/theme
msgid "http://www.elliotcondon.com/"
msgstr "http://www.elliotcondon.com/"

#~ msgid "Field group duplicated. %s"
#~ msgstr "گروه زمینه تکثیر شد. %s"

#~ msgid "%s field group duplicated."
#~ msgid_plural "%s field groups duplicated."
#~ msgstr[0] "%s گروه زمینه تکثیر شد"

#~ msgid "Field group synchronised. %s"
#~ msgstr "گروه زمینه هماهنگ شد. %s"

#~ msgid "%s field group synchronised."
#~ msgid_plural "%s field groups synchronised."
#~ msgstr[0] "گروه زمینه %s هماهنگ شده است"

#~ msgid "Customise WordPress with powerful, professional and intuitive fields."
#~ msgstr "سفارشی کردن وردپرس با زمینه های قدرتمند، حرفه ای و بصری."

#~ msgid "Error validating request"
#~ msgstr "خطا در اعتبار سنجی درخواست"

#~ msgid "<b>Error</b>. Could not load add-ons list"
#~ msgstr "<b>خطا</b>. لیست افزونه ها قابل خواندن نیست"

#~ msgid "Advanced Custom Fields Database Upgrade"
#~ msgstr "به‌روزرسانی پایگاه داده زمینه های دلخواه پیشرفته"

#~ msgid "Upgrade complete"
#~ msgstr "به‌روزرسانی انجام شد"

#~ msgid ""
#~ "Before you start using the new awesome features, please update your database "
#~ "to the newest version."
#~ msgstr ""
#~ "قبل از اینکه از تمام امکانات شگفت انگیز جدید استفاده کنید لازم است بانک "
#~ "اطلاعاتی را به روز کنید"

#~ msgid ""
#~ "Please also ensure any premium add-ons (%s) have first been updated to the "
#~ "latest version."
#~ msgstr ""
#~ "لطفا اطمینان حاصل کنید که افزودنی های تجاري (%s) ابتدا به آخرین نسخه بروز "
#~ "شده‌اند."

#~ msgid "Database Upgrade complete. <a href=\"%s\">See what's new</a>"
#~ msgstr "ارتقاء پایگاه داده کامل شد. <a href=\"%s\">تغییرات جدید را ببینید</a>"

#~ msgid "A smoother custom field experience"
#~ msgstr "احساس بهتر در استفاده از زمینه دلخواه"

#~ msgid ""
#~ "To help make upgrading easy, <a href=\"%s\">login to your store account</a> "
#~ "and claim a free copy of ACF PRO!"
#~ msgstr ""
#~ "برای به روزرسانی ساده <a href=\"%s\"> به بخش کاربری خود در فروشگاه وارد شوید "
#~ "</a> و یک نسخه از ویرایش حرفه ای را دانلود کنید!"

#~ msgid ""
#~ "We also wrote an <a href=\"%s\">upgrade guide</a> to answer any questions, "
#~ "but if you do have one, please contact our support team via the <a href=\"%s"
#~ "\">help desk</a>"
#~ msgstr ""
#~ "همچنین یک <a href=\"%s\"> راهنمای به روزرسانی</a> برای پاسخ به سوالات نوشته "
#~ "ایم ولی اگر هنوز سوالی دارید از <a href=\"%s\">تیم پشتیبانی</a> بپرسید  "

#~ msgid "Under the Hood"
#~ msgstr "در پشت قضیه"

#~ msgid "Smarter field settings"
#~ msgstr "تنظیمات زمینه ها هوشمندتر شدند"

#~ msgid "ACF now saves its field settings as individual post objects"
#~ msgstr ""
#~ "افزونه اکنون تنظیمات زمینه ها را به عنوان آبجکت ها مختلف نوشته ذخیره می کند"

#~ msgid "More fields use AJAX powered search to speed up page loading"
#~ msgstr "زمینه های بیشتری از جستجوهای ایجکس برای کاهش بار صفحه استفاده می کنند"

#~ msgid "New auto export to JSON feature improves speed"
#~ msgstr "امکان جدید خرجی خودکار  JSON سرعت را بهبود بخشیده است"

#~ msgid "Better version control"
#~ msgstr "کنترل نسخه بهتر"

#~ msgid ""
#~ "New auto export to JSON feature allows field settings to be version "
#~ "controlled"
#~ msgstr "اکنون با خروجی جدید  JSON امکان کنترل نسخه بهتر را فراهم کردیم"

#~ msgid "Swapped XML for JSON"
#~ msgstr "جابجایی XML با JSON"

#~ msgid "Import / Export now uses JSON in favour of XML"
#~ msgstr "اکنون خروجی و ورودی از JSON استفاده می کند"

#~ msgid "New Forms"
#~ msgstr "فرم های جدید"

#~ msgid "Fields can now be mapped to comments, widgets and all user forms!"
#~ msgstr ""
#~ "گزینه ها اکنون می توانند به نظرات، ابزارک ها و حتی فرم های مربوط به کاربران "
#~ "متصل شوند !"

#~ msgid "A new field for embedding content has been added"
#~ msgstr "زمینه جدیدی برای جانمایی محتوا اضافه شده است"

#~ msgid "New Gallery"
#~ msgstr "گالری جدید"

#~ msgid "The gallery field has undergone a much needed facelift"
#~ msgstr "گالری دارای بهینه سازی هایی برای ارائه امکانات جدید شده است"

#~ msgid ""
#~ "Field group settings have been added for label placement and instruction "
#~ "placement"
#~ msgstr "تنظیماتی به گروه زمینه برای مکان برچسب ها و توضیحات اضافه شده است"

#~ msgid "acf_form() can now create a new post on submission"
#~ msgstr "تابع acf_form می تواند در زمان ارسال نوشته تولید کند !"

#~ msgid "Form validation is now done via PHP + AJAX in favour of only JS"
#~ msgstr ""
#~ "خطایابی فرم (validation) اکنون از طریق  PHP + AJAX  به جای JS انجام می شود"

#~ msgid "Relationship Field"
#~ msgstr "زمینه ارتباط"

#~ msgid ""
#~ "New Relationship field setting for 'Filters' (Search, Post Type, Taxonomy)"
#~ msgstr "تنظیمات جدید برای زمینه ارتباط و فیلتر کردن اضافه شده است"

#~ msgid ""
#~ "New field group functionality allows you to move a field between groups & "
#~ "parents"
#~ msgstr ""
#~ "عملکرد جدید گروه زمینه ها به شما امکان جابجایی زمینه ها بین گروه ها و بین "
#~ "گروه های والد را می دهد"

#~ msgid "New archives group in page_link field selection"
#~ msgstr "گروه بندی بایگانی جدید در انتخاب زمینه پیوند صفحه"

#~ msgid "Better Options Pages"
#~ msgstr "صفحه تنظیمات بهتر"

#~ msgid ""
#~ "New functions for options page allow creation of both parent and child menu "
#~ "pages"
#~ msgstr ""
#~ "تنظیمات جدید برای صفحه تنظیمات اجازه ساخت هر دو صفحه منوی والد و زیرمجموعه "
#~ "را می دهد"

#~ msgid "Customise the map height"
#~ msgstr "سفارشی کردن ارتفاع نقشه"

#~ msgid "checked"
#~ msgstr "انتخاب شده"

#~ msgid "Parent fields"
#~ msgstr "زمینه های مادر"

#~ msgid "Sibling fields"
#~ msgstr "زمینه های هدف"

#~ msgid "Locating"
#~ msgstr "مکان یابی"

#~ msgid "Error."
#~ msgstr "خطا."

#~ msgid "No embed found for the given URL."
#~ msgstr "امکان جاسازی برای آدرس وارد شده یافت نشد."

#~ msgid "Minimum values reached ( {min} values )"
#~ msgstr "مقار به حداقل رسیده است ( {max} )"

#~ msgid "None"
#~ msgstr "هیچ"

#~ msgid "Taxonomy Term"
#~ msgstr "آیتم طبقه بندی"

#~ msgid "remove {layout}?"
#~ msgstr "حذف {layout} ؟"

#~ msgid "This field requires at least {min} {identifier}"
#~ msgstr "این زمینه نیازدارد به {min} {identifier}"

#~ msgid "This field has a limit of {max} {identifier}"
#~ msgstr "این زمینه محدود است به {max} {identifier}"

#~ msgid "Maximum {label} limit reached ({max} {identifier})"
#~ msgstr "حداکثر {label} پرشده است ({max} {identifier})"

#~ msgid "Allow this accordion to open without closing others. "
#~ msgstr "اجاره به آکاردئون برای باز شدن بدون بستن دیگران"

#~ msgid ""
#~ "The tab field will display incorrectly when added to a Table style repeater "
#~ "field or flexible content field layout"
#~ 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 "استفاده از این زمینه به عنوان نقطه پایانی و شروع یک گروه جدید از تب ها"

#~ msgid "Disabled"
#~ msgstr "غیرفعال"

#~ msgid "Disabled <span class=\"count\">(%s)</span>"
#~ msgid_plural "Disabled <span class=\"count\">(%s)</span>"
#~ msgstr[0] "غیرفعال <span class=\"تعداد\">(%s)</span>"

#~ msgid "Getting Started"
#~ msgstr "راهنمای شروع"

#~ msgid "Field Types"
#~ msgstr "انواع زمینه"

#~ msgid "Functions"
#~ msgstr "توابع"

#~ msgid "Actions"
#~ msgstr "اکشن ها (مربوط به کدنویسی)"

#~ msgid "'How to' guides"
#~ msgstr "راهنماهای کوتاه"

#~ msgid "Tutorials"
#~ msgstr "آموزش ها"

#~ msgid "FAQ"
#~ msgstr "پرسش و پاسخ"

#~ msgid "Created by"
#~ msgstr "برنامه نویسی شده توسط"

#~ msgid "Error loading update"
#~ msgstr "خطا در به روز رسانی"

#~ msgid "Error"
#~ msgstr "خطا"

#~ msgid "Export Field Groups to PHP"
#~ msgstr "برون بری گروه های زمینه به PHP"

#~ msgid "Download export file"
#~ msgstr "دانلود فایل خروجی"

#~ msgid "Generate export code"
#~ msgstr "تولید کد خروجی"

#~ msgid "Import"
#~ msgstr "وارد کردن"

#~ msgid "See what's new"
#~ msgstr "ببینید چه چیزی جدید است"

#~ msgid "eg. Show extra content"
#~ msgstr "به عنوان مثال: نمایش محتوای اضافی"

#~ msgid "Customise WordPress with powerful, professional and intuitive fields"
#~ msgstr "شخصی سازی وردپرس با زمینه های قدرتمند، حرفه ای و دیداری"

#~ msgid "See what's new in"
#~ msgstr "ببینید چه چیزی جدید است"

#~ msgid "version"
#~ msgstr "نسخه"

#~ msgid "<b>Success</b>. Import tool added %s field groups: %s"
#~ msgstr "<b>انجام شد</b> ابزار وارد سازی %s زمینه را وارد کرد: %s"

#~ msgid ""
#~ "<b>Warning</b>. Import tool detected %s field groups already exist and have "
#~ "been ignored: %s"
#~ msgstr ""
#~ "<b>اخطار</b> ابزار وارد سازی تشخصی داد که گروه زمینه %s اکنون موجود می باشد "
#~ "و %s نادیده گرفته شد"

#~ msgid "Upgrade ACF"
#~ msgstr "بروزرسانی "

#~ msgid "Upgrade"
#~ msgstr "بروزرسانی"

#~ 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 "Upgrading data to"
#~ msgstr "به روزرسانی داده ها به"

#~ msgid "Done"
#~ msgstr "انجام شده"

#~ msgid "Today"
#~ msgstr "امروز"

#~ msgid "Show a different month"
#~ msgstr "نمایش یک ماه دیگر"

#~ msgid "Return format"
#~ msgstr "فرمت بازگشت"

#~ msgid "uploaded to this post"
#~ msgstr "بارگذاری شده در این نوشته"

#~ msgid "File Name"
#~ msgstr "نام پرونده"

#~ msgid "File Size"
#~ msgstr "اندازه پرونده"

#~ msgid "No File selected"
#~ msgstr "هیچ پرونده ای انتخاب نشده"

#~ msgid "Select"
#~ msgstr "انتخاب(دراپ باکس)"

#~ msgid "Add new %s "
#~ msgstr "افزودن %s "

#~ msgid "<b>Connection Error</b>. Sorry, please try again"
#~ msgstr "خطا در اتصال. متاسفیم. لطفا مجددا بررسی کنید"

#~ msgid "Save Options"
#~ msgstr "ذخیره تنظیمات"

#~ 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 "details & pricing"
#~ msgstr "جزئیات و قیمت"

#~ msgid ""
#~ "To enable updates, please enter your license key on the <a href=\"%s"
#~ "\">Updates</a> page. If you don't have a licence key, please see <a href=\"%s"
#~ "\">details & pricing</a>"
#~ msgstr ""
#~ "برای به روز رسانی لایسنس خود را در قسمت  <a href=\"%s\">به روزرسانی ها</a> "
#~ "وارد کنید. اگر لایسنس ندارید اینجا را ببینید: <a href=\"%s\">جزئیات ئ قیمت</"
#~ "a>"

#~ msgid "Please note that all text will first be passed through the wp function "
#~ msgstr "دقت کنید که نکاک متن ها اول از تابع وردپرس عبور خواهند کرد"

#~ msgid "Warning"
#~ msgstr "اخطار"

#~ msgid "Hide / Show All"
#~ msgstr "مخفی کردن / نمایش همه"

#~ msgid "Show Field Keys"
#~ msgstr "نمایش کلید های زمینه"

#~ msgid "Import / Export"
#~ msgstr "درون ریزی/برون بری"

#~ msgid "Field groups are created in order from lowest to highest"
#~ msgstr ""
#~ "گروه های زمینه به ترتیب از کوچکترین شماره تا بزرگترین شماره نمایش داده می "
#~ "شوند"

#~ msgid "Upgrading data to "
#~ msgstr "به روز رسانی داده ها به %s"

#~ msgid "Sync Terms"
#~ msgstr "همگام سازی آیتم‌ها(ترم‌ها)"

#~ msgid "Pending Review"
#~ msgstr "در انتظار بررسی"

#~ msgid "Draft"
#~ msgstr "پیش نویس"

#~ msgid "Future"
#~ msgstr "شاخص"

#~ msgid "Private"
#~ msgstr "خصوصی"

#~ msgid "Revision"
#~ msgstr "بازنگری"

#~ msgid "Trash"
#~ msgstr "زباله دان"

#~ 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 ""
#~ "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"
#~ msgstr "بازگشت به v%s"

#~ msgid "Learn why ACF PRO is required for my site"
#~ msgstr "یاد بگیرید که چرا نسخه حرفه ای بای سایت شما لازم است"

#~ msgid "Data Upgrade"
#~ msgstr "به روزرسانی داده ها"

#~ msgid "Data upgraded successfully."
#~ msgstr "داده ها با موفقیت به روز رسانی شدند"

#~ msgid "Data is at the latest version."
#~ msgstr "داده ها آخرین نسخه می باشند"

#~ msgid "1 required field below is empty"
#~ msgid_plural "%s required fields below are empty"
#~ msgstr[0] "زمینه زیر خالی است"
#~ msgstr[1] "%s زمینه در زیر خالی است"

#~ 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 "Controls how HTML tags are rendered"
#~ msgstr "کنترل چگونگی نمایش تگ های HTML"

#, fuzzy
#~ msgid "image"
#~ msgstr "تصویر"

#, fuzzy
#~ msgid "expand_details"
#~ msgstr "نمایش جزئیات"

#, fuzzy
#~ msgid "collapse_details"
#~ msgstr "عدم نمایش جزئیات"

#, fuzzy
#~ msgid "relationship"
#~ msgstr "ارتباط"

#, fuzzy
#~ msgid "unload"
#~ msgstr "دانلود"

#, fuzzy
#~ msgid "title_is_required"
#~ msgstr "عنوان گروه زمینه ضروری است"

#, fuzzy
#~ msgid "move_field"
#~ msgstr "جابجایی زمینه"

#, fuzzy
#~ msgid "flexible_content"
#~ msgstr "محتوای انعطاف پذیر"

#, fuzzy
#~ msgid "gallery"
#~ msgstr "گالری"

#, fuzzy
#~ msgid "repeater"
#~ msgstr "زمینه تکرار کننده"

#~ msgid "Attachment Details"
#~ msgstr "جزئیات پیوست"

#~ msgid "Custom field updated."
#~ msgstr "زمینه دلخواه بروز شد"

#~ msgid "Custom field deleted."
#~ msgstr "زمینه دلخواه حذف شد"

#~ msgid "Field group duplicated! Edit the new \"%s\" field group."
#~ msgstr "گروه زمینه تکراری است! گروه زمینه جدید \"%s\" را ویرایش کنید"

#~ msgid "Import/Export"
#~ msgstr "درون ریزی/برون بری"

#~ msgid "Column Width"
#~ msgstr "عرض ستون"

#~ msgid "Field group restored to revision from %s"
#~ msgstr "گروه زمینه از %s برای تجدید نظر بازگردانده شد."

#~ msgid "No ACF groups selected"
#~ msgstr "هیچ گروه زمینه دلخواه پیشرفته ای انتخاب نشده است."

#~ msgid "Create infinite rows of repeatable data with this versatile interface!"
#~ msgstr ""
#~ "ایجاد بی نهایت سطر از داده های تکرار شونده به وسیله این زمینه چند منظوره!"

#~ msgid "Create image galleries in a simple and intuitive interface!"
#~ msgstr "ایجاد گالری های تصاویر در یک رابط کاربری ساده و دیداری!"

#~ msgid "Create global data to use throughout your website!"
#~ msgstr "ایجاد داده فراگیر برای استفاده در همه جای سایت شما!"

#~ msgid "Create unique designs with a flexible content layout manager!"
#~ msgstr "ایجاد طرح های منحصر به فرد با زمینه محتوای انعطاف پذیر!"

#~ msgid "Gravity Forms Field"
#~ msgstr "زمینه افزونه GravityForms"

#~ msgid "Creates a select field populated with Gravity Forms!"
#~ msgstr ""
#~ "زمینه جدید از نوع انتخاب می سازد که می توانید یکی از فرم های GravityForms که "
#~ "ساخته اید را از آن انتخاب کنید"

#~ msgid "Date & Time Picker"
#~ msgstr "تاریخ و زمان"

#~ msgid "jQuery date & time picker"
#~ msgstr "تاریخ و زمان جی کوئری"

#~ msgid "Find addresses and coordinates of a desired location"
#~ msgstr "یافتن آدرس و مختصات مکان مورد نظر"

#~ msgid "Contact Form 7 Field"
#~ msgstr "زمینه فرم تماس (Contact Form 7)"

#~ msgid "Assign one or more contact form 7 forms to a post"
#~ msgstr "اختصاص یک یا چند فرم تماس (Contact Form 7) به یک نوشته"

#~ 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 ""
#~ "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 "خرید و نصب"

#~ msgid "Export"
#~ msgstr "برون بری"

#~ msgid "Export to XML"
#~ msgstr "برون بری به فرمت XML"

#~ 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 ""
#~ "Imported field groups <b>will</b> appear in the list of editable field "
#~ "groups. This is useful for migrating fields groups between Wp websites."
#~ msgstr ""
#~ "گروه های زمینه درون ریزی شده در لیست گروه های زمینه قابل ویرایش نمایش داده "
#~ "<b>خواهند شد</b>. این روش برای انتقال گروه های زمینه در بین سایت های وردپرسی "
#~ "مفید است."

#~ msgid "Select field group(s) from the list and click \"Export XML\""
#~ msgstr ""
#~ "گروه زمینه را از لیست انتخاب کنید و سپس روی دکمه ((برون بری به فرمت XML)) "
#~ "کلیک کنید"

#~ msgid "Save the .xml file when prompted"
#~ msgstr "فایل .xml را وقتی آماده شد، ذخیره کنید"

#~ msgid "Navigate to Tools &raquo; Import and select WordPress"
#~ msgstr "به ((ابزارها > درون ریزی)) بروید و وردپرس را انتخاب کنید."

#~ msgid "Install WP import plugin if prompted"
#~ msgstr "افزونه درون ریزی وردپرس را در صورت درخواست نصب نمایید"

#~ msgid "Upload and import your exported .xml file"
#~ msgstr "فایل .xml خود را آپلود و درون ریزی کنید"

#~ msgid "Select your user and ignore Import Attachments"
#~ msgstr "کاربر خود را انتخاب کنید و درون ریزی پیوست ها را نا دیده بگیرید"

#~ msgid "That's it! Happy WordPressing"
#~ msgstr "همین ! از وردپرس لذت ببرید"

#~ msgid "ACF will create the PHP code to include in your theme."
#~ msgstr ""
#~ "افزونه زمینه های دلخواه پیشرفته کد های PHP برای اضافه کردن در پوسته در "
#~ "اختیاران قرار می دهد"

#~ msgid ""
#~ "Registered field groups <b>will not</b> appear in the list of editable field "
#~ "groups. This is useful for including fields in themes."
#~ msgstr ""
#~ "گروه های زمینه ساخته خواهند شد ولی قابل ویرایش <b>نخواهند بود</b>.یعنی در "
#~ "لیست افزونه برای ویرایش دیده نمی شوند. این روش برای قرار دادن زمینه ها در "
#~ "پوسته ها (برای مشتری) مفید است."

#~ 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)) کلیک کنید"

#~ msgid "Copy the PHP code generated"
#~ msgstr "کدهای PHP تولید شده را کپی کنید"

#~ 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 "Notes"
#~ msgstr "نکته ها"

#~ 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 ""
#~ "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 "
#~ "<b>before</b> the include_once code:"
#~ msgstr ""
#~ "برای حذف همه رابط های بصری از افزونه زمینه های دلخواه پیشرفته (دیده نشدن "
#~ "افزونه)، می توانید از یک ثابت (کانستنت) برای فعال سازی حالت سبک (lite) "
#~ "استفاده کنید. کد زیر را به پرونده functions.php خود <b>قبل از</b> تابع "
#~ "include_once اضافه کنید:"

#~ msgid "Back to export"
#~ msgstr "بازگشت به برون بری"

#~ msgid "What’s New"
#~ msgstr "چه چیزی جدید است؟"

#~ 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 "All previous Add-ons have been successfully installed"
#~ msgstr "تمام افزونه های قبلی با موفقیت نصب شده اند"

#~ msgid "This website uses premium Add-ons which need to be downloaded"
#~ msgstr "این سایت از افزودنی های پولی استفاده می کند که لازم است دانلود شوند"

#~ 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 "Easier Development"
#~ msgstr "توسعه آسانتر"

#~ msgid "New Field Types"
#~ msgstr "انواع زمینه جدید"

#~ msgid "Taxonomy Field"
#~ msgstr "زمینه طبقه بندی"

#~ msgid "Email Field"
#~ msgstr "زمینه پست الکترونیکی"

#~ 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 "Migrating your field types is easy, please"
#~ msgstr "انتقال انواع زمینه ها آسان است. پس لطفا افزونه خود را بروزرسانی کنید."

#~ msgid "follow this tutorial"
#~ msgstr "این آموزش را دنبال کنید"

#~ msgid "to learn more."
#~ msgstr "تا بیشتر بیاموزید"

#~ msgid "Actions &amp; Filters"
#~ msgstr "اکشن ها و فیلترها"

#~ msgid ""
#~ "All actions & filters have received a major facelift to make customizing ACF "
#~ "even easier! Please"
#~ msgstr ""
#~ "همه اکشن ها و فیلترها دارای تغییرات عمده ای شدند تا دلخواه سازی ACF از قبل "
#~ "آسانتر شود"

#~ msgid "read this guide"
#~ msgstr "لطفا راهنما را مطالعه فرمایید"

#~ msgid "to find the updated naming convention."
#~ msgstr "تا نامگذاری های جدید را متوجه شوید"

#~ msgid "Preview draft is now working!"
#~ msgstr "پیش نمایش پیش نویس اکنون کار می کند"

#~ msgid "This bug has been squashed along with many other little critters!"
#~ msgstr "این مشکل همراه با بسیاری از مشکلات دیگر برطرف شده اند!"

#~ msgid "See the full changelog"
#~ msgstr "مشاهده تغییرات کامل"

#~ msgid "Database Changes"
#~ msgstr "تغییرات پایگاه داده"

#~ msgid ""
#~ "Absolutely <strong>no</strong> 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 ""
#~ "<strong>هیچ تغییری</strong> در پایگاه داده بین نسخه 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 "Migrating from v3 to v4"
#~ msgstr "مهاجرت از نسخه 3 به نسخه 4 را مطالعه کنید"

#~ msgid "guide to view the full list of changes."
#~ msgstr "راهنمایی برای مشاهده لیست کاملی از تغییرات"

#~ 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 "version 3"
#~ msgstr "نسخه 3"

#~ msgid "of this plugin."
#~ msgstr "از این افزونه."

#~ msgid "Thank You"
#~ msgstr "از شما متشکرم"

#~ msgid ""
#~ "A <strong>BIG</strong> thank you to everyone who has helped test the version "
#~ "4 beta and for all the support I have received."
#~ msgstr ""
#~ "یک <strong>تشکر بزرگ</strong> از شما و همه کسانی که در تست نسخه 4 بتا به من "
#~ "کمک کردند میکنم. برای تمام کمک ها و پشتیبانی هایی که دریافت کردم نیز از همه "
#~ "شما متشکرم."

#~ msgid "Without you all, this release would not have been possible!"
#~ msgstr "بدون همه شما انتشار این نسخه امکان پذیر نبود!"

#~ msgid "Changelog for"
#~ msgstr "تغییرات برای"

#~ msgid "Learn more"
#~ msgstr "اطلاعات بیشتر"

#~ 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 ""
#~ "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."
#~ msgstr "افزودنی های زیر به صورت فعال در این سایت شناسایی شده اند"

#~ msgid "Installation"
#~ msgstr "نصب"

#~ msgid "For each Add-on available, please perform the following:"
#~ msgstr "برای هر افزودنی موجود، لطفا کارهای زیر را انجام دهید:"

#~ msgid "Download the Add-on plugin (.zip file) to your desktop"
#~ msgstr "دانلود افزونه افزودنی (پرونده ZIP) در کامپیوتر خود"

#~ msgid "Navigate to"
#~ msgstr "رفتن به"

#~ msgid "Plugins > Add New > Upload"
#~ msgstr "افزونه ها > افزودن > بارگذاری"

#~ 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 "The Add-on is now installed and activated!"
#~ msgstr "افزودنی در حال حاضر نصب و فعال سازی شده است!"

#~ msgid "Awesome. Let's get to work"
#~ msgstr "شگفت انگیزه، نه؟ پس بیا شروع به کار کنیم."

#~ msgid "Validation Failed. One or more fields below are required."
#~ msgstr "یک یا چند مورد از گزینه های زیر را لازم است تکمیل نمایید"

#~ msgid "Modifying field group options 'show on page'"
#~ msgstr "اصلاح گزینه های 'نمایش در برگه' ی گروه زمینه"

#~ msgid "Modifying field option 'taxonomy'"
#~ msgstr "اصلاح گزینه 'صبقه بندی' زمینه"

#~ msgid "Moving user custom fields from wp_options to wp_usermeta'"
#~ msgstr "انتقال زمینه های دلخواه کاربر از wp_options به wp_usermeta"

#~ msgid "blue : Blue"
#~ msgstr "blue : آبی"

#~ msgid "Dummy"
#~ msgstr "ساختگی"

#~ msgid "Size"
#~ msgstr "اندازه"

#~ msgid "File Object"
#~ msgstr "آبجکت پرونده"

#~ msgid "Image Object"
#~ msgstr "آبجکت تصویر"

#~ msgid "Text &amp; HTML entered here will appear inline with the fields"
#~ msgstr ""
#~ "متن و کد HTML وارد شده در اینجا در خط همراه با زمینه نمایش داده خواهد شد"

#~ msgid "Enter your choices one per line"
#~ msgstr "انتخاب ها را در هر خط وارد کنید"

#~ msgid "Red"
#~ msgstr "قرمز"

#~ msgid "Blue"
#~ msgstr "آبی"

#~ msgid "Post Objects"
#~ msgstr "آبجکت های نوشته ها"

#~ msgid "Post Type Select"
#~ msgstr "انتخاب نوع نوشته"

#~ msgid "Use multiple tabs to divide your fields into sections."
#~ msgstr "از چندین تب برای تقسیم زمینه های خود به بخش های مختلف استفاده کنید."

#~ msgid "Formatting"
#~ msgstr "قالب بندی"

#~ msgid "Effects value on front end"
#~ msgstr "موثر بر شیوه نمایش در سایت اصلی"

#~ msgid "Convert HTML into tags"
#~ msgstr "تبدیل HTML به تگ ها"

#~ msgid "Convert new lines into &lt;br /&gt; tags"
#~ msgstr "تبدیل خط های جدید به برچسب ها"

#~ msgid "Save format"
#~ msgstr "فرمت ذخیره"

#~ 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\" بهترین و پر استفاده ترین فرمت ذخیره است. اطلاعات بیشتر"

#~ msgid "jQuery date formats"
#~ 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"
#~ msgstr ""
#~ "\"dd/mm/yy\" یا \"mm/dd/yy\"  پر استفاده ترین قالب های نمایش تاریخ می باشند. "
#~ "اطلاعات بیشتر"

#~ msgid "Field Order"
#~ msgstr "ترتیب زمینه"

#~ msgid "Edit this Field"
#~ msgstr "ویرایش این زمینه"

#~ msgid "Docs"
#~ msgstr "توضیحات"

#~ msgid "Field Instructions"
#~ msgstr "دستورالعمل های زمینه"

#~ msgid "Show this field when"
#~ msgstr "نمایش این زمینه موقعی که"

#~ msgid "all"
#~ msgstr "همه"

#~ msgid "any"
#~ msgstr "هرکدام از"

#~ msgid "these rules are met"
#~ msgstr "این قوانین تلاقی کردند"

#~ msgid "Vote"
#~ msgstr "رأی دادن"

#~ msgid "Follow"
#~ msgstr "دنبال کردن"

#~ msgid "credits"
#~ msgstr "اعتبارات"

#~ msgid "Term"
#~ msgstr "دوره"

#~ msgid "No Metabox"
#~ msgstr "بدون متاباکس"
PK�[q��1-1-includes/local-fields.phpnu�[���<?php 

// Register notices stores.
acf_register_store( 'local-fields' );
acf_register_store( 'local-groups' );
acf_register_store( 'local-empty' );

// Register filter.
acf_enable_filter( 'local' );

/**
 * acf_enable_local
 *
 * Enables the local filter.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	void
 */
function acf_enable_local() {
	acf_enable_filter('local');
}

/**
 * acf_disable_local
 *
 * Disables the local filter.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	void
 */
function acf_disable_local() {
	acf_disable_filter('local');
}

/**
 * acf_is_local_enabled
 *
 * Returns true if local fields are enabled.
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	bool
 */
function acf_is_local_enabled() {
	return ( acf_is_filter_enabled('local') && acf_get_setting('local') );
}

/**
 * acf_get_local_store
 *
 * Returns either local store or a dummy store for the given name.
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	string $name The store name (fields|groups).
 * @return	ACF_Data
 */
function acf_get_local_store( $name = '' ) {
	
	// Check if enabled.
	if( acf_is_local_enabled() ) {
		return acf_get_store( "local-$name" );
	
	// Return dummy store if not enabled.
	} else {
		return acf_get_store( "local-empty" );
	}
}

/**
 * acf_reset_local
 *
 * Resets the local data.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	void
 */
function acf_reset_local() {
	acf_get_local_store( 'fields' )->reset();
	acf_get_local_store( 'groups' )->reset();
}

/**
 * acf_get_local_field_groups
 *
 * Returns all local field groups.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	array
 */
function acf_get_local_field_groups() {
	return acf_get_local_store( 'groups' )->get();
}

/**
 * acf_have_local_field_groups
 *
 * description
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	type $var Description. Default.
 * @return	type Description.
 */
function acf_have_local_field_groups() {
	return acf_get_local_store( 'groups' )->count() ? true : false;
}

/**
 * acf_count_local_field_groups
 *
 * description
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	type $var Description. Default.
 * @return	type Description.
 */
function acf_count_local_field_groups() {
	return acf_get_local_store( 'groups' )->count();
}

/**
 * acf_add_local_field_group
 *
 * Adds a local field group.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $field_group The field group array.
 * @return	bool
 */
function acf_add_local_field_group( $field_group ) {
	
	// Apply default properties needed for import.
	$field_group = wp_parse_args($field_group, array(
		'key'		=> '',
		'title'		=> '',
		'fields'	=> array(),
		'local'		=> 'php'
	));
	
	// Generate key if only name is provided.
	if( !$field_group['key'] ) {
		$field_group['key'] = 'group_' . acf_slugify($field_group['title'], '_');
	}
	
	// Bail early if field group already exists.
	if( acf_is_local_field_group($field_group['key']) ) {
		return false;
	}
	
	// Prepare field group for import (adds menu_order and parent properties to fields).
	$field_group = acf_prepare_field_group_for_import( $field_group );
	
	// Extract fields from group.
	$fields = acf_extract_var( $field_group, 'fields' );
	
	// Add to store
	acf_get_local_store( 'groups' )->set( $field_group['key'], $field_group );
	
	// Add fields
	if( $fields ) {
		acf_add_local_fields( $fields );
	}
	
	// Return true on success.
	return true;
}

/**
 * register_field_group
 *
 * See acf_add_local_field_group().
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $field_group The field group array.
 * @return	void
 */
function register_field_group( $field_group ) {
	acf_add_local_field_group( $field_group );
}

/**
 * acf_remove_local_field_group
 *
 * Removes a field group for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	bool
 */
function acf_remove_local_field_group( $key = '' ) {
	return acf_get_local_store( 'groups' )->remove( $key );
}

/**
 * acf_is_local_field_group
 *
 * Returns true if a field group exists for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	bool
 */
function acf_is_local_field_group( $key = '' ) {
	return acf_get_local_store( 'groups' )->has( $key );
}

/**
 * acf_is_local_field_group_key
 *
 * Returns true if a field group exists for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group group key.
 * @return	bool
 */
function acf_is_local_field_group_key( $key = '' ) {
	return acf_get_local_store( 'groups' )->is( $key );
}

/**
 * acf_get_local_field_group
 *
 * Returns a field group for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	(array|null)
 */
function acf_get_local_field_group( $key = '' ) {
	return acf_get_local_store( 'groups' )->get( $key );
}

/**
 * acf_add_local_fields
 *
 * Adds an array of local fields.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $fields An array of un prepared fields.
 * @return	array
 */
function acf_add_local_fields( $fields = array() ) {
	
	// Prepare for import (allows parent fields to offer up children).
	$fields = acf_prepare_fields_for_import( $fields );
	
	// Add each field.
	foreach( $fields as $field ) {
		acf_add_local_field( $field, true );
	}
}

/**
 * acf_get_local_fields
 *
 * Returns all local fields for the given parent.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $parent The parent key.
 * @return	array
 */
function acf_get_local_fields( $parent = '' ) {
	
	// Return children
	if( $parent ) {
		return acf_get_local_store( 'fields' )->query(array(
			'parent' => $parent
		));
	
	// Return all.
	} else {
		return acf_get_local_store( 'fields' )->get();
	}
}

/**
 * acf_have_local_fields
 *
 * Returns true if local fields exist.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $parent The parent key.
 * @return	bool
 */
function acf_have_local_fields( $parent = '' ) {
	return acf_get_local_fields($parent) ? true : false;
}

/**
 * acf_count_local_fields
 *
 * Returns the number of local fields for the given parent.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $parent The parent key.
 * @return	int
 */
function acf_count_local_fields( $parent = '' ) {
	return count( acf_get_local_fields($parent) );
}

/**
 * acf_add_local_field
 *
 * Adds a local field.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @param	bool $prepared Whether or not the field has already been prepared for import.
 * @return	void
 */
function acf_add_local_field( $field, $prepared = false ) {
	
	// Apply default properties needed for import.
	$field = wp_parse_args($field, array(
		'key'		=> '',
		'name'		=> '',
		'type'		=> '',
		'parent'	=> '',
	));
	
	// Generate key if only name is provided.
	if( !$field['key'] ) {
		$field['key'] = 'field_' . $field['name'];
	}
	
	// If called directly, allow sub fields to be correctly prepared.
	if( !$prepared ) {
		return acf_add_local_fields( array( $field ) );
	}
	
	// Extract attributes.
	$key = $field['key'];
	$name = $field['name'];
	
	// Allow sub field to be added multipel times to different parents.
	$store = acf_get_local_store( 'fields' );
	if( $store->is($key) ) {
		$old_key = _acf_generate_local_key( $store->get($key) );
		$new_key = _acf_generate_local_key( $field );
		if( $old_key !== $new_key ) {
			$key = $new_key;
		}
	}
	
	// Add field.
	$store->set( $key, $field )->alias( $key, $name );
}

/**
 * _acf_generate_local_key
 *
 * Generates a unique key based on the field's parent.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field key.
 * @return	bool
 */
function _acf_generate_local_key( $field ) {
	return "{$field['key']}:{$field['parent']}";
}

/**
 * acf_remove_local_field
 *
 * Removes a field for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field key.
 * @return	bool
 */
function acf_remove_local_field( $key = '' ) {
	return acf_get_local_store( 'fields' )->remove( $key );
}

/**
 * acf_is_local_field
 *
 * Returns true if a field exists for the given key or name.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	bool
 */
function acf_is_local_field( $key = '' ) {
	return acf_get_local_store( 'fields' )->has( $key );
}

/**
 * acf_is_local_field_key
 *
 * Returns true if a field exists for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	bool
 */
function acf_is_local_field_key( $key = '' ) {
	return acf_get_local_store( 'fields' )->is( $key );
}

/**
 * acf_get_local_field
 *
 * Returns a field for the given key.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	string $key The field group key.
 * @return	(array|null)
 */
function acf_get_local_field( $key = '' ) {
	return acf_get_local_store( 'fields' )->get( $key );
}

/**
 * _acf_apply_get_local_field_groups
 *
 * Appends local field groups to the provided array. 
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	array $field_groups An array of field groups.
 * @return	array
 */
function _acf_apply_get_local_field_groups( $groups = array() ) {
	
	// Get local groups
	$local = acf_get_local_field_groups();
	if( $local ) {
		
		// Generate map of "index" => "key" data.
		$map = wp_list_pluck($groups, 'key');
		
		// Loop over groups and update/append local.
		foreach( $local as $group ) {
			
			// Get group allowing cache and filters to run.
			//$group = acf_get_field_group( $group['key'] );
			
			// Update.
			$i = array_search($group['key'], $map);
			if( $i !== false ) {
				unset($group['ID']);
				$groups[ $i ] = array_merge($groups[ $i ], $group);
				
			// Append	
			} else {
				$groups[] = acf_get_field_group( $group['key'] );
			}
		}
		
		// Sort list via menu_order and title.
		$groups = wp_list_sort( $groups, array('menu_order' => 'ASC', 'title' => 'ASC') );
	}
	
	// Return groups.
	return $groups;
}

// Hook into filter.
add_filter( 'acf/load_field_groups', '_acf_apply_get_local_field_groups', 20, 1 );

/**
 * _acf_apply_is_local_field_key
 *
 * Returns true if is a local key.
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	bool $bool The result.
 * @param	string $id The identifier.
 * @return	bool
 */
function _acf_apply_is_local_field_key( $bool, $id ) {
	return acf_is_local_field_key( $id );
}

// Hook into filter.
add_filter( 'acf/is_field_key', '_acf_apply_is_local_field_key', 20, 2 );

/**
 * _acf_apply_is_local_field_group_key
 *
 * Returns true if is a local key.
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	bool $bool The result.
 * @param	string $id The identifier.
 * @return	bool
 */
function _acf_apply_is_local_field_group_key( $bool, $id ) {
	return acf_is_local_field_group_key( $id );
}

// Hook into filter.
add_filter( 'acf/is_field_group_key', '_acf_apply_is_local_field_group_key', 20, 2 );

/**
 * _acf_do_prepare_local_fields
 *
 * Local fields that are added too early will not be correctly prepared by the field type class. 
 *
 * @date	23/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	void
 */
function _acf_do_prepare_local_fields() {
	
	// Get fields.
	$fields = acf_get_local_fields();
	
	// If fields have been registered early, re-add to correctly prepare them.
	if( $fields ) {
		acf_add_local_fields( $fields );
	}
}

// Hook into action.
add_action( 'acf/include_fields', '_acf_do_prepare_local_fields', 0, 1 );

?>PK�[�y�$�$"includes/forms/form-customizer.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_form_customizer') ) :

class acf_form_customizer {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// vars
		$this->preview_values = array();
		$this->preview_fields = array();
		$this->preview_errors = array();
		
		
		// actions
		add_action('customize_controls_init',	array($this, 'customize_controls_init'));
		add_action('customize_preview_init',	array($this, 'customize_preview_init'), 1, 1);
		add_action('customize_save', 			array($this, 'customize_save'), 1, 1);
		
		
		// save
		add_filter('widget_update_callback', 	array($this, 'save_widget'), 10, 4);
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function customize_controls_init() {
		
		// load acf scripts
		acf_enqueue_scripts(array(
			'context'	=> 'customize_controls'
		));
		
		
		// actions
		add_action('acf/input/admin_footer', array($this, 'admin_footer'), 1);

	}
		
	
	/*
	*  save_widget
	*
	*  This function will hook into the widget update filter and save ACF data
	*
	*  @type	function
	*  @date	27/05/2015
	*  @since	5.2.3
	*
	*  @param	$instance (array) widget settings
	*  @param	$new_instance (array) widget settings
	*  @param	$old_instance (array) widget settings
	*  @param	$widget (object) widget info
	*  @return	$instance
	*/
	
	function save_widget( $instance, $new_instance, $old_instance, $widget ) {
		
		// bail ealry if not valid (customize + acf values + nonce)
		if( !isset($_POST['wp_customize']) || !isset($new_instance['acf']) || !acf_verify_nonce('widget') ) return $instance;
		
		
		// vars
		$data = array(
			'post_id'	=> "widget_{$widget->id}",
			'values'	=> array(),
			'fields'	=> array()
		);
		
		
		// append values
		$data['values'] = $new_instance['acf'];
		
		
		// append fields (name => key relationship) - used later in 'acf/get_field_reference' for customizer previews
		foreach( $data['values'] as $k => $v ) {
			
			// get field
			$field = acf_get_field( $k );
			
			
			// continue if no field
			if( !$field ) continue;
			
			
			// update
			$data['fields'][ $field['name'] ] = $field['key'];
			
		}
		
		
		// append data to instance
		$instance['acf'] = $data;
		
				
		
		// return
		return $instance;
		
	}
	
	
	/*
	*  settings
	*
	*  This function will return an array of cutomizer settings that include ACF data
	*  similar to `$customizer->settings();`
	*
	*  @type	function
	*  @date	22/03/2016
	*  @since	5.3.2
	*
	*  @param	$customizer (object)
	*  @return	$value (mixed)
	*/
	
	function settings( $customizer ) {
		
		// vars
		$data = array();
		$settings = $customizer->settings();
		
		
		// bail ealry if no settings
		if( empty($settings) ) return false;
		
		
		// loop over settings
		foreach( $settings as $setting ) {
			
			// vars
			$id = $setting->id;
			
			
			// verify settings type
			if( substr($id, 0, 6) == 'widget' || substr($id, 0, 7) == 'nav_menu' ) {
				// allow
			} else {
				continue;
			}
			
			
			// get value
			$value = $setting->post_value();	
			
			
			// bail early if no acf
			if( !is_array($value) || !isset($value['acf']) ) continue;
			
			
			// set data	
			$setting->acf = $value['acf'];
			
			
			// append
			$data[] = $setting;
						
		}
		
		
		// bail ealry if no settings
		if( empty($data) ) return false;
		
		
		// return
		return $data;
		
	}
	
		
	/*
	*  customize_preview_init
	*
	*  This function is called when customizer preview is initialized
	*
	*  @type	function
	*  @date	22/03/2016
	*  @since	5.3.2
	*
	*  @param	$customizer (object)
	*  @return	n/a
	*/
	
	function customize_preview_init( $customizer ) {
		
		// get customizer settings (widgets)
		$settings = $this->settings( $customizer );
		
		
		// bail ealry if no settings
		if( empty($settings) ) return;
		
		
		// append values
		foreach( $settings as $setting ) {
			
			// get acf data
			$data = $setting->acf;
			
			
			// append acf_value to preview_values
			$this->preview_values[ $data['post_id'] ] = $data['values'];
			$this->preview_fields[ $data['post_id'] ] = $data['fields'];
			
		}
		
		
		// bail ealry if no preview_values
		if( empty($this->preview_values) ) return;
		
		
		// add filters
		add_filter('acf/pre_load_value', array($this, 'pre_load_value'), 10, 3);
		add_filter('acf/pre_load_reference', array($this, 'pre_load_reference'), 10, 3);
		
	}
	
	/**
	*  pre_load_value
	*
	*  Used to inject preview value
	*
	*  @date	2/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function pre_load_value( $value, $post_id, $field ) {
		
		// check 
		if( isset($this->preview_values[ $post_id ][ $field['key'] ]) ) {
			return $this->preview_values[ $post_id ][ $field['key'] ];
		}
		
		// return
		return $value;
	}
	
	/**
	*  pre_load_reference
	*
	*  Used to inject preview value
	*
	*  @date	2/2/18
	*  @since	5.6.5
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function pre_load_reference( $field_key, $field_name, $post_id ) {
		
		// check 
		if( isset($this->preview_fields[ $post_id ][ $field_name ]) ) {
			return $this->preview_fields[ $post_id ][ $field_name ];
		}
		
		// return
		return $field_key;
	}
		
	
	/*
	*  customize_save
	*
	*  This function is called when customizer saves a widget.
	*  Normally, the widget_update_callback filter would be used, but the customizer disables this and runs a custom action
	*  class-customizer-settings.php will save the widget data via the function set_root_value which uses update_option
	*
	*  @type	function
	*  @date	22/03/2016
	*  @since	5.3.2
	*
	*  @param	$customizer (object)
	*  @return	n/a
	*/
	
	function customize_save( $customizer ) {
		
		// get customizer settings (widgets)
		$settings = $this->settings( $customizer );
		
		
		// bail ealry if no settings
		if( empty($settings) ) return;
		
		
		// append values
		foreach( $settings as $setting ) {
			
			// get acf data
			$data = $setting->acf;
			
			
			// save acf data
			acf_save_post( $data['post_id'], $data['values'] );
			
			
			// remove [acf] data from saved widget array
			$id_data = $setting->id_data();
			add_filter('pre_update_option_' . $id_data['base'], array($this, 'pre_update_option'), 10, 3);
			
		}
		
	}
	
	
	/*
	*  pre_update_option
	*
	*  this function will remove the [acf] data from widget insance
	*
	*  @type	function
	*  @date	22/03/2016
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function pre_update_option( $value, $option, $old_value ) {
		
		// bail ealry if no value
		if( empty($value) ) return $value;
		
		
		// loop over widgets 
		// WP saves all widgets (of the same type) as an array of widgets
		foreach( $value as $i => $widget ) {
			
			// bail ealry if no acf
			if( !isset($widget['acf']) ) continue;
			
			
			// remove widget
			unset($value[ $i ]['acf']);
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  admin_footer
	*
	*  This function will add some custom HTML to the footer of the edit page
	*
	*  @type	function
	*  @date	11/06/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_footer() {
		
?>
<script type="text/javascript">
(function($) {
	
	// customizer saves widget on any input change, so unload is not needed
	acf.unload.active = 0;
	
	
	// hack customizer function to remove bug caused by WYSIWYG field using aunique ID
	// customizer compares returned AJAX HTML with the HTML of the widget form.
	// the _getInputsSignature() function is used to generate a string based of input name + id.
	// because ACF generates a unique ID on the WYSIWYG field, this string will not match causing the preview function to bail.
	// an attempt was made to remove the WYSIWYG unique ID, but this caused multiple issues in the wp-admin and altimately doesn't make sense with the tinymce rule that all editors must have a unique ID.
	// source: wp-admin/js/customize-widgets.js
	
	// vars
	var WidgetControl = wp.customize.Widgets.WidgetControl.prototype;
	
	
	// backup functions
	WidgetControl.__getInputsSignature = WidgetControl._getInputsSignature;
	WidgetControl.__setInputState = WidgetControl._setInputState;
	
	
	// modify __getInputsSignature
	WidgetControl._getInputsSignature = function( inputs ) {
		
		// vars
		var signature = this.__getInputsSignature( inputs );
			safe = [];
		
		
		// split
		signature = signature.split(';');
		
		
		// loop
		for( var i in signature ) {
			
			// vars
			var bit = signature[i];
			
			
			// bail ealry if acf is found
			if( bit.indexOf('acf') !== -1 ) continue;
			
			
			// append
			safe.push( bit );
			
		}
		
		
		// update
		signature = safe.join(';');
		
		
		// return
		return signature;
		
	};
	
	
	// modify _setInputState
	// this function deosn't seem to run on widget title/content, only custom fields
	// either way, this function is not needed and will break ACF fields 
	WidgetControl._setInputState = function( input, state ) {
		
		return true;
			
	};
		
})(jQuery);	
</script>
<?php
		
	}
	
}

new acf_form_customizer();

endif;

?>PK�[\��^A0A0includes/forms/form-front.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_form_front') ) :

class acf_form_front {
	
	/** @var array An array of registered form settings */
	private $forms = array();
	
	/** @var array An array of default fields */
	public $fields = array();
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// vars
		$this->fields = array(
						
			'_post_title' => array(
				'prefix'	=> 'acf',
				'name'		=> '_post_title',
				'key'		=> '_post_title',
				'label'		=> __('Title', 'acf'),
				'type'		=> 'text',
				'required'	=> true,
			),
			
			'_post_content' => array(
				'prefix'	=> 'acf',
				'name'		=> '_post_content',
				'key'		=> '_post_content',
				'label'		=> __('Content', 'acf'),
				'type'		=> 'wysiwyg',
			),
			
			'_validate_email' => array(
				'prefix'	=> 'acf',
				'name'		=> '_validate_email',
				'key'		=> '_validate_email',
				'label'		=> __('Validate Email', 'acf'),
				'type'		=> 'text',
				'value'		=> '',
				'wrapper'	=> array('style' => 'display:none !important;')
			)
			
		);
		
		
		// actions
		add_action('acf/validate_save_post', array($this, 'validate_save_post'), 1);
		
		
		// filters
		add_filter('acf/pre_save_post', array($this, 'pre_save_post'), 5, 2);
		
	}
	
	
	/*
	*  validate_form
	*
	*  description
	*
	*  @type	function
	*  @date	28/2/17
	*  @since	5.5.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_form( $args ) {
		
		// defaults
		// Todo: Allow message and button text to be generated by CPT settings.
		$args = wp_parse_args( $args, array(
			'id'					=> 'acf-form',
			'post_id'				=> false,
			'new_post'				=> false,
			'field_groups'			=> false,
			'fields'				=> false,
			'post_title'			=> false,
			'post_content'			=> false,
			'form'					=> true,
			'form_attributes'		=> array(),
			'return'				=> add_query_arg( 'updated', 'true', acf_get_current_url() ),
			'html_before_fields'	=> '',
			'html_after_fields'		=> '',
			'submit_value'			=> __("Update", 'acf'),
			'updated_message'		=> __("Post updated", 'acf'),
			'label_placement'		=> 'top',
			'instruction_placement'	=> 'label',
			'field_el'				=> 'div',
			'uploader'				=> 'wp',
			'honeypot'				=> true,
			'html_updated_message'	=> '<div id="message" class="updated"><p>%s</p></div>', // 5.5.10
			'html_submit_button'	=> '<input type="submit" class="acf-button button button-primary button-large" value="%s" />', // 5.5.10
			'html_submit_spinner'	=> '<span class="acf-spinner"></span>', // 5.5.10
			'kses'					=> true // 5.6.5
		));
		
		$args['form_attributes'] = wp_parse_args( $args['form_attributes'], array(
			'id'					=> $args['id'],
			'class'					=> 'acf-form',
			'action'				=> '',
			'method'				=> 'post',
		));
		
		
		// filter post_id
		$args['post_id'] = acf_get_valid_post_id( $args['post_id'] );
		
		
		// new post?
		if( $args['post_id'] === 'new_post' ) {
			
			$args['new_post'] = wp_parse_args( $args['new_post'], array(
				'post_type' 	=> 'post',
				'post_status'	=> 'draft',
			));
			
		}
		
		
		// filter
		$args = apply_filters('acf/validate_form', $args);
		
		
		// return
		return $args;
		
	}
	
	
	/*
	*  add_form
	*
	*  description
	*
	*  @type	function
	*  @date	28/2/17
	*  @since	5.5.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function add_form( $args = array() ) {
		
		// validate
		$args = $this->validate_form( $args );
		
		
		// append
		$this->forms[ $args['id'] ] = $args;
		
	}
	
	
	/*
	*  get_form
	*
	*  description
	*
	*  @type	function
	*  @date	28/2/17
	*  @since	5.5.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function get_form( $id = '' ) {
		
		// bail early if not set
		if( !isset($this->forms[ $id ]) ) return false;
		
		
		// return
		return $this->forms[ $id ];
		
	}
	
	
	/*
	*  validate_save_post
	*
	*  This function will validate fields from the above array
	*
	*  @type	function
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_save_post() {
		
		// register field if isset in $_POST
		foreach( $this->fields as $k => $field ) {
			
			// bail early if no in $_POST
			if( !isset($_POST['acf'][ $k ]) ) continue;
			
			
			// register
			acf_add_local_field($field);
			
		}
		
		
		// honeypot
		if( !empty($_POST['acf']['_validate_email']) ) {
			
			acf_add_validation_error( '', __('Spam Detected', 'acf') );
			
		}
		
	}
	
	
	/*
	*  pre_save_post
	*
	*  description
	*
	*  @type	function
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function pre_save_post( $post_id, $form ) {
		
		// vars
		$save = array(
			'ID' => 0
		);
		
		
		// determine save data
		if( is_numeric($post_id) ) {
			
			// update post
			$save['ID'] = $post_id;
			
		} elseif( $post_id == 'new_post' ) {
			
			// merge in new post data
			$save = array_merge($save, $form['new_post']);
					
		} else {
			
			// not post
			return $post_id;
			
		}
		
		
		// save post_title
		if( isset($_POST['acf']['_post_title']) ) {
			
			$save['post_title'] = acf_extract_var($_POST['acf'], '_post_title');
		
		}
		
		
		// save post_content
		if( isset($_POST['acf']['_post_content']) ) {
			
			$save['post_content'] = acf_extract_var($_POST['acf'], '_post_content');
			
		}
		
		
		// honeypot
		if( !empty($_POST['acf']['_validate_email']) ) return false;
		
		
		// validate
		if( count($save) == 1 ) {
			
			return $post_id;
			
		}
		
		
		// save
		if( $save['ID'] ) {
			
			wp_update_post( $save );
			
		} else {
			
			$post_id = wp_insert_post( $save );
			
		}
			
		
		// return
		return $post_id;
		
	}
	
	
	/*
	*  enqueue
	*
	*  This function will enqueue a form
	*
	*  @type	function
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function enqueue_form() {
		
		// check
		$this->check_submit_form();
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
	}
	
	
	/*
	*  check_submit_form
	*
	*  This function will maybe submit form data
	*
	*  @type	function
	*  @date	3/3/17
	*  @since	5.5.10
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function check_submit_form() {
		
		// Verify nonce.
		if( !acf_verify_nonce('acf_form') ) {
			return false;
		}
		
		// Confirm form was submit.
		if( !isset($_POST['_acf_form']) ) {
			return false;
		}
		
		// Load registered form using id.
		$form = $this->get_form( $_POST['_acf_form'] );
		
		// Fallback to encrypted JSON.
		if( !$form ) {
			$form = json_decode( acf_decrypt($_POST['_acf_form']), true );
			if( !$form ) {
		    	return false;
	    	}
		}    	
    	
    	// Run kses on all $_POST data.
    	if( $form['kses'] && isset($_POST['acf']) ) {
	    	$_POST['acf'] = wp_kses_post_deep( $_POST['acf'] );
    	}
    	
		// Validate data and show errors.
		// Todo: Return WP_Error and show above form, keeping input values.
		acf_validate_save_post( true );
		
		// Submit form.
		$this->submit_form( $form );
	}
	
	
	/*
	*  submit_form
	*
	*  This function will submit form data
	*
	*  @type	function
	*  @date	3/3/17
	*  @since	5.5.10
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit_form( $form ) {
		
		// filter
    	$form = apply_filters('acf/pre_submit_form', $form);
    	
    	
    	// vars
    	$post_id = acf_maybe_get($form, 'post_id', 0);
		
		
		// add global for backwards compatibility
		$GLOBALS['acf_form'] = $form;
		
		
		// allow for custom save
		$post_id = apply_filters('acf/pre_save_post', $post_id, $form);
		
		
		// save
		acf_save_post( $post_id );
		
		
		// restore form (potentially modified)
		$form = $GLOBALS['acf_form'];
		
		
		// action
		do_action('acf/submit_form', $form, $post_id);
		
		
		// vars
		$return = acf_maybe_get($form, 'return', '');
		
		
		// redirect
		if( $return ) {
			
			// update %placeholders%
			$return = str_replace('%post_id%', $post_id, $return);
			$return = str_replace('%post_url%', get_permalink($post_id), $return);
			
			
			// redirect
			wp_redirect( $return );
			exit;
			
		}
		
	}
	
	
	/*
	*  render
	*
	*  description
	*
	*  @type	function
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_form( $args = array() ) {
		
		// Vars.
		$is_registered = false;
		$field_groups = array();
		$fields = array();
		
		// Allow form settings to be directly provided.
		if( is_array($args) ) {
			$args = $this->validate_form( $args );
			
		// Otherwise, lookup registered form.
		} else {
			$is_registered = true;
			$args = $this->get_form( $args );
			if( !$args ) {
				return false;
			}
		}
		
		// Extract vars.
		$post_id = $args['post_id'];
		
		// Prevent ACF from loading values for "new_post".
		if( $post_id === 'new_post' ) {
			$post_id = false;
		}
		
		// Set uploader type.
		acf_update_setting('uploader', $args['uploader']);
		
		// Register local fields.
		foreach( $this->fields as $k => $field ) {
			acf_add_local_field($field);
		}
		
		// Append post_title field.
		if( $args['post_title'] ) {
			$_post_title = acf_get_field('_post_title');
			$_post_title['value'] = $post_id ? get_post_field('post_title', $post_id) : '';
			$fields[] = $_post_title;
		}
		
		// Append post_content field.
		if( $args['post_content'] ) {
			$_post_content = acf_get_field('_post_content');
			$_post_content['value'] = $post_id ? get_post_field('post_content', $post_id) : '';
			$fields[] = $_post_content;	
		}
		
		// Load specific fields.
		if( $args['fields'] ) {
			
			// Lookup fields using $strict = false for better compatibility with field names.
			foreach( $args['fields'] as $selector ) {
				$fields[] = acf_maybe_get_field( $selector, $post_id, false );
			}
		
		// Load specific field groups.
		} elseif( $args['field_groups'] ) {
			foreach( $args['field_groups'] as $selector ) {
				$field_groups[] = acf_get_field_group( $selector );
			}
		
		// Load fields for the given "new_post" args.	
		} elseif( $args['post_id'] == 'new_post' ) {
			$field_groups = acf_get_field_groups( $args['new_post'] );
		
		// Load fields for the given "post_id" arg.
		} else {
			$field_groups = acf_get_field_groups(array(
				'post_id' => $args['post_id']
			));
		}
		
		// load fields from the found field groups.
		if( $field_groups ) {
			foreach( $field_groups as $field_group ) {
				$_fields = acf_get_fields( $field_group );
				if( $_fields ) {
					foreach( $_fields as $_field ) {
						$fields[] = $_field;
					}
				}
			}
		}
		
		// Add honeypot field.
		if( $args['honeypot'] ) {
			$fields[] = acf_get_field('_validate_email');
		}
		
		// Display updated_message
		if( !empty($_GET['updated']) && $args['updated_message'] ) {
			printf( $args['html_updated_message'], $args['updated_message'] );
		}
		
		// display form
		if( $args['form'] ): ?>
		<form <?php echo acf_esc_attrs( $args['form_attributes'] ); ?>>
		<?php endif; 
			
			// Render hidde form data.
			acf_form_data(array( 
				'screen'	=> 'acf_form',
				'post_id'	=> $args['post_id'],
				'form'		=> $is_registered ? $args['id'] : acf_encrypt(json_encode($args))
			));
			
			?>
			<div class="acf-fields acf-form-fields -<?php echo esc_attr($args['label_placement']); ?>">
				<?php echo $args['html_before_fields']; ?>
				<?php acf_render_fields( $fields, $post_id, $args['field_el'], $args['instruction_placement'] ); ?>
				<?php echo $args['html_after_fields']; ?>
			</div>
		<?php if( $args['form'] ): ?>
			<div class="acf-form-submit">
				<?php printf( $args['html_submit_button'], $args['submit_value'] ); ?>
				<?php echo $args['html_submit_spinner']; ?>
			</div>
		</form>
		<?php endif;
	}
	
}

// initialize
acf()->form_front = new acf_form_front();

endif; // class_exists check


/*
*  Functions
*
*  alias of acf()->form->functions
*
*  @type	function
*  @date	11/06/2014
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/


function acf_form_head() {
	
	acf()->form_front->enqueue_form();
	
}

function acf_form( $args = array() ) {
	
	acf()->form_front->render_form( $args );
	
}

function acf_get_form( $id = '' ) {
	
	return acf()->form_front->get_form( $id );
	
}

function acf_register_form( $args ) {
	
	acf()->form_front->add_form( $args );
	
}

?>PK�[C��y��includes/forms/form-comment.phpnu�[���<?php

/*
*  ACF Comment Form Class
*
*  All the logic for adding fields to comments
*
*  @class 		acf_form_comment
*  @package		ACF
*  @subpackage	Forms
*/

if( ! class_exists('acf_form_comment') ) :

class acf_form_comment {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action( 'admin_enqueue_scripts',			array( $this, 'admin_enqueue_scripts' ) );
		
		
		// render
		add_filter('comment_form_field_comment',		array($this, 'comment_form_field_comment'), 999, 1);
		
		//add_action( 'comment_form_logged_in_after',		array( $this, 'add_comment') );
		//add_action( 'comment_form',						array( $this, 'add_comment') );

		
		// save
		add_action( 'edit_comment', 					array( $this, 'save_comment' ), 10, 1 );
		add_action( 'comment_post', 					array( $this, 'save_comment' ), 10, 1 );
		
	}
	
	
	/*
	*  validate_page
	*
	*  This function will check if the current page is for a post/page edit form
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	n/a
	*  @return	(boolean)
	*/
	
	function validate_page() {
		
		// global
		global $pagenow;
		
		
		// validate page
		if( $pagenow == 'comment.php' ) {
			
			return true;
			
		}
		
		
		// return
		return false;		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_enqueue_scripts() {
		
		// validate page
		if( ! $this->validate_page() ) {
		
			return;
			
		}
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action('admin_footer',				array($this, 'admin_footer'), 10, 1);
		add_action('add_meta_boxes_comment', 	array($this, 'edit_comment'), 10, 1);

	}
	
	
	/*
	*  edit_comment
	*
	*  This function is run on the admin comment.php page and will render the ACF fields within custom metaboxes to look native
	*
	*  @type	function
	*  @date	19/10/13
	*  @since	5.0.0
	*
	*  @param	$comment (object)
	*  @return	n/a
	*/
	
	function edit_comment( $comment ) {
		
		// vars
		$post_id = "comment_{$comment->comment_ID}";

		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'comment' => get_post_type( $comment->comment_post_ID )
		));
		
		
		// render
		if( !empty($field_groups) ) {
		
			// render post data
			acf_form_data(array( 
				'screen'	=> 'comment',
				'post_id'	=> $post_id
			));
			
			
			foreach( $field_groups as $field_group ) {
				
				// load fields
				$fields = acf_get_fields( $field_group );
				
				
				// vars
				$o = array(
					'id'			=> 'acf-'.$field_group['ID'],
					'key'			=> $field_group['key'],
					//'style'			=> $field_group['style'],
					'label'			=> $field_group['label_placement'],
					'edit_url'		=> '',
					'edit_title'	=> __('Edit field group', 'acf'),
					//'visibility'	=> $visibility
				);
				
				
				// edit_url
				if( $field_group['ID'] && acf_current_user_can_admin() ) {
					
					$o['edit_url'] = admin_url('post.php?post=' . $field_group['ID'] . '&action=edit');
						
				}
				
				?>
				<div id="acf-<?php echo $field_group['ID']; ?>" class="stuffbox">
					<h3 class="hndle"><?php echo $field_group['title']; ?></h3>
					<div class="inside">
						<?php acf_render_fields( $fields, $post_id, 'div', $field_group['instruction_placement'] ); ?>
						<script type="text/javascript">
						if( typeof acf !== 'undefined' ) {
								
							acf.newPostbox(<?php echo json_encode($o); ?>);	
						
						}
						</script>
					</div>
				</div>
				<?php
				
			}
		
		}
		
	}
	
	
	/*
	*  comment_form_field_comment
	*
	*  description
	*
	*  @type	function
	*  @date	18/04/2016
	*  @since	5.3.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function comment_form_field_comment( $html ) {
		
		// global
		global $post;
		
		
		// vars
		$post_id = false;

		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'comment' => $post->post_type
		));
		
		
		// bail early if no field groups
		if( !$field_groups ) return $html;
		
		
		// enqueue scripts
		acf_enqueue_scripts();
		
		
		// ob
		ob_start();
			
			// render post data
			acf_form_data(array( 
				'screen'	=> 'comment',
				'post_id'	=> $post_id
			));
			
			echo '<div class="acf-comment-fields acf-fields -clear">';
			
			foreach( $field_groups as $field_group ) {
				
				$fields = acf_get_fields( $field_group );
				
				acf_render_fields( $fields, $post_id, 'p', $field_group['instruction_placement'] );
				
			}
			
			echo '</div>';
		
		
		// append
		$html .= ob_get_contents();
		ob_end_clean();
		
		
		// return
		return $html;
		
	}
	
	
	/*
	*  save_comment
	*
	*  This function will save the comment data
	*
	*  @type	function
	*  @date	19/10/13
	*  @since	5.0.0
	*
	*  @param	comment_id (int)
	*  @return	n/a
	*/
	
	function save_comment( $comment_id ) {
		
		// bail early if not valid nonce
		if( !acf_verify_nonce('comment') ) {
			return $comment_id;
		}
		
		
		// kses
    	if( isset($_POST['acf']) ) {
	    	$_POST['acf'] = wp_kses_post_deep( $_POST['acf'] );
    	}
		
	    
	    // validate and save
	    if( acf_validate_save_post(true) ) {
			acf_save_post( "comment_{$comment_id}" );
		}
		
	}
	
	
	/*
	*  admin_footer
	*
	*  description
	*
	*  @type	function
	*  @date	27/03/2015
	*  @since	5.1.5
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_footer() {
		
?>
<script type="text/javascript">
(function($) {
	
	// vars
	var $spinner = $('#publishing-action .spinner');
	
	
	// create spinner if not exists (may exist in future WP versions)
	if( !$spinner.exists() ) {
		
		// create spinner
		$spinner = $('<span class="spinner"></span>');
		
		
		// append
		$('#publishing-action').prepend( $spinner );
		
	}
	
})(jQuery);	
</script>
<?php
		
	}
			
}

new acf_form_comment();

endif;

?>PK�[�'g� includes/forms/form-nav-menu.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_form_nav_menu') ) :

class acf_form_nav_menu {
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('admin_enqueue_scripts',		array($this, 'admin_enqueue_scripts'));
		add_action('wp_update_nav_menu',		array($this, 'update_nav_menu'));
		add_action('acf/validate_save_post',	array($this, 'acf_validate_save_post'), 5);
		add_action('wp_nav_menu_item_custom_fields',	array($this, 'wp_nav_menu_item_custom_fields'), 10, 5);
		
		// 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);
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function admin_enqueue_scripts() {
		
		// validate screen
		if( !acf_is_screen('nav-menus') ) return;
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action('admin_footer', array($this, 'admin_footer'), 1);

	}
	
	
	/**
	*  wp_nav_menu_item_custom_fields
	*
	*  description
	*
	*  @date	30/7/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function wp_nav_menu_item_custom_fields( $item_id, $item, $depth, $args, $id = '' ) {
		
		// vars
		$prefix = "menu-item-acf[$item_id]";
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'nav_menu_item' 		=> $item->type,
			'nav_menu_item_id'		=> $item_id,
			'nav_menu_item_depth'	=> $depth
		));
		
		// render
		if( !empty($field_groups) ) {
			
			// open
			echo '<div class="acf-menu-item-fields acf-fields -clear">';
			
			// loop
			foreach( $field_groups as $field_group ) {
				
				// load fields
				$fields = acf_get_fields( $field_group );
				
				// bail if not fields
				if( empty($fields) ) continue;
				
				// change prefix
				acf_prefix_fields( $fields, $prefix );
				
				// render
				acf_render_fields( $fields, $item_id, 'div', $field_group['instruction_placement'] );
			}
			
			// close
			echo '</div>';
			
			// Trigger append for newly created menu item (via AJAX)
			if( acf_is_ajax('add-menu-item') ): ?>
			<script type="text/javascript">
			(function($) {
				acf.doAction('append', $('#menu-item-settings-<?php echo $item_id; ?>') );
			})(jQuery);
			</script>
			<?php endif;
		}
	}
	
	
	/*
	*  update_nav_menu
	*
	*  description
	*
	*  @type	function
	*  @date	26/5/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function update_nav_menu( $menu_id ) {
		
		// vars
		$post_id = acf_get_term_post_id( 'nav_menu', $menu_id );
		
		
		// verify and remove nonce
		if( !acf_verify_nonce('nav_menu') ) return $menu_id;
		
			   
	    // validate and show errors
		acf_validate_save_post( true );
		
		
	    // save
		acf_save_post( $post_id );
		
		
		// save nav menu items
		$this->update_nav_menu_items( $menu_id );
		
	}
	
	
	/*
	*  update_nav_menu_items
	*
	*  description
	*
	*  @type	function
	*  @date	26/5/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function update_nav_menu_items( $menu_id ) {
			
		// bail ealry if not set
		if( empty($_POST['menu-item-acf']) ) return;
		
		
		// loop
		foreach( $_POST['menu-item-acf'] as $post_id => $values ) {
			
			acf_save_post( $post_id, $values );
				
		}
			
	}
	
	
	/**
	*  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;
	}
	
	/**
	 * Called when WP renders a menu edit form.
	 * Used to set global data and customize the Walker class.
	 *
	 * @date	26/5/17
	 * @since	5.6.0
	 *
	 * @param 	string $class The walker class to use. Default 'Walker_Nav_Menu_Edit'.
	 * @param 	int $menu_id ID of the menu being rendered.
	 * @return	string
	 */
	function wp_edit_nav_menu_walker( $class, $menu_id = 0 ) {
		
		// update data (needed for ajax location rules to work)
		acf_set_data('nav_menu_id', $menu_id);
		
		// Use custom walker class to inject "wp_nav_menu_item_custom_fields" action prioir to WP 5.4.
		if( acf_version_compare('wp', '<', '5.3.99') ) {
			acf_include('includes/walkers/class-acf-walker-nav-menu-edit.php');
			return 'ACF_Walker_Nav_Menu_Edit';
		}
		
		// Return class.
		return $class;
	}
	
	
	/*
	*  acf_validate_save_post
	*
	*  This function will loop over $_POST data and validate
	*
	*  @type	action 'acf/validate_save_post' 5
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function acf_validate_save_post() {
		
		// bail ealry if not set
		if( empty($_POST['menu-item-acf']) ) return;
		
		
		// loop
		foreach( $_POST['menu-item-acf'] as $post_id => $values ) {
			
			// vars
			$prefix = 'menu-item-acf['.$post_id.']';
			
			
			// validate
			acf_validate_values( $values, $prefix );
				
		}
				
	}
	
	
	/*
	*  admin_footer
	*
	*  This function will add some custom HTML to the footer of the edit page
	*
	*  @type	function
	*  @date	11/06/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_footer() {
		
		// vars
		$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' => $nav_menu_id
		));
		
?>
<div id="tmpl-acf-menu-settings" style="display: none;">
	<?php
	
	// data (always needed to save nav menu items)
	acf_form_data(array( 
		'screen'	=> 'nav_menu',
		'post_id'	=> $post_id,
		'ajax'		=> 1
	));
	
	
	// render
	if( !empty($field_groups) ) {
		
		// loop
		foreach( $field_groups as $field_group ) {
			
			$fields = acf_get_fields( $field_group );
			
			echo '<div class="acf-menu-settings -'.$field_group['style'].'">';
			
				echo '<h2>' . $field_group['title'] . '</h2>';
			
				echo '<div class="acf-fields -left -clear">';
			
					acf_render_fields( $fields, $post_id, 'div', $field_group['instruction_placement'] );
			
				echo '</div>';
			
			echo '</div>';
			
		}
		
	}
	
	?>
</div>
<script type="text/javascript">
(function($) {
	
	// append html
	$('#post-body-content').append( $('#tmpl-acf-menu-settings').html() );
	
	
	// avoid WP over-writing $_POST data
	// - https://core.trac.wordpress.org/ticket/41502#ticket
	$(document).on('submit', '#update-nav-menu', function() {

		// vars
		var $form = $(this);
		var $input = $('input[name="nav-menu-data"]');
		
		
		// decode json
		var json = $form.serializeArray();
		var json2 = [];
		
		
		// loop
		$.each( json, function( i, pair ) {
			
			// avoid nesting (unlike WP)
			if( pair.name === 'nav-menu-data' ) return;
			
			
			// bail early if is 'acf[' input
			if( pair.name.indexOf('acf[') > -1 ) return;
						
			
			// append
			json2.push( pair );
			
		});
		
		
		// update
		$input.val( JSON.stringify(json2) );
		
	});
		
		
})(jQuery);	
</script>
<?php
		
	}
	
}

acf_new_instance('acf_form_nav_menu');

endif;

?>PK�[<�zd||"includes/forms/form-attachment.phpnu�[���<?php

/*
*  ACF Attachment Form Class
*
*  All the logic for adding fields to attachments
*
*  @class 		acf_form_attachment
*  @package		ACF
*  @subpackage	Forms
*/

if( ! class_exists('acf_form_attachment') ) :

class acf_form_attachment {
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('admin_enqueue_scripts',			array($this, 'admin_enqueue_scripts'));
		
		
		// render
		add_filter('attachment_fields_to_edit', 	array($this, 'edit_attachment'), 10, 2);
		
		
		// save
		add_filter('attachment_fields_to_save', 	array($this, 'save_attachment'), 10, 2);
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function admin_enqueue_scripts() {
		
		// bail early if not valid screen
		if( !acf_is_screen(array('attachment', 'upload')) ) {
			return;
		}
				
		// load acf scripts
		acf_enqueue_scripts(array(
			'uploader'	=> true,
		));
		
		// actions
		if( acf_is_screen('upload') ) {
			add_action('admin_footer', array($this, 'admin_footer'), 0);
		}
	}
	
	
	/*
	*  admin_footer
	*
	*  This function will add acf_form_data to the WP 4.0 attachment grid
	*
	*  @type	action (admin_footer)
	*  @date	11/09/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_footer() {
		
		// render post data
		acf_form_data(array( 
			'screen'	=> 'attachment',
			'post_id'	=> 0,
		));
		
?>
<script type="text/javascript">
	
// WP saves attachment on any input change, so unload is not needed
acf.unload.active = 0;

</script>
<?php
		
	}
	
	
	/*
	*  edit_attachment
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function edit_attachment( $form_fields, $post ) {
		
		// vars
		$is_page = acf_is_screen('attachment');
		$post_id = $post->ID;
		$el = 'tr';
		
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'attachment_id' => $post_id,
			'attachment' => $post_id // Leave for backwards compatibility
		));
		
		
		// render
		if( !empty($field_groups) ) {
			
			// get acf_form_data
			ob_start();
			
			
			acf_form_data(array( 
				'screen'	=> 'attachment',
				'post_id'	=> $post_id,
			));
			
			
			// open
			echo '</td></tr>';
			
			
			// loop
			foreach( $field_groups as $field_group ) {
				
				// load fields
				$fields = acf_get_fields( $field_group );
				
				
				// override instruction placement for modal
				if( !$is_page ) {
					
					$field_group['instruction_placement'] = 'field';
				}
				
				
				// render			
				acf_render_fields( $fields, $post_id, $el, $field_group['instruction_placement'] );
				
			}
			
			
			// close
			echo '<tr class="compat-field-acf-blank"><td>';
			
			
			
			$html = ob_get_contents();
			
			
			ob_end_clean();
			
			
			$form_fields[ 'acf-form-data' ] = array(
	       		'label' => '',
	   			'input' => 'html',
	   			'html' => $html
			);
						
		}
		
		
		// return
		return $form_fields;
		
	}
	
	
	/*
	*  save_attachment
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function save_attachment( $post, $attachment ) {
		
		// bail early if not valid nonce
		if( !acf_verify_nonce('attachment') ) {
			return $post;
		}
		
		// bypass validation for ajax
		if( acf_is_ajax('save-attachment-compat') ) {
			acf_save_post( $post['ID'] );
		
		// validate and save
		} elseif( acf_validate_save_post(true) ) {
			acf_save_post( $post['ID'] );
		}
		
		// return
		return $post;	
	}
	
			
}

new acf_form_attachment();

endif;

?>PK�[#8�vvincludes/forms/form-widget.phpnu�[���<?php

/*
*  ACF Widget Form Class
*
*  All the logic for adding fields to widgets
*
*  @class 		acf_form_widget
*  @package		ACF
*  @subpackage	Forms
*/

if( ! class_exists('acf_form_widget') ) :

class acf_form_widget {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// vars
		$this->preview_values = array();
		$this->preview_reference = array();
		$this->preview_errors = array();
		
		
		// actions
		add_action('admin_enqueue_scripts',		array($this, 'admin_enqueue_scripts'));
		add_action('in_widget_form', 			array($this, 'edit_widget'), 10, 3);
		add_action('acf/validate_save_post',	array($this, 'acf_validate_save_post'), 5);
		
		
		// filters
		add_filter('widget_update_callback', 	array($this, 'save_widget'), 10, 4);
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function admin_enqueue_scripts() {
		
		// validate screen
		if( acf_is_screen('widgets') || acf_is_screen('customize') ) {
		
			// valid
			
		} else {
			
			return;
			
		}
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action('acf/input/admin_footer', array($this, 'admin_footer'), 1);

	}
	
	
	/*
	*  acf_validate_save_post
	*
	*  This function will loop over $_POST data and validate
	*
	*  @type	action 'acf/validate_save_post' 5
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function acf_validate_save_post() {
		
		// bail ealry if not widget
		if( !isset($_POST['_acf_widget_id']) ) return;
		
		
		// vars
		$id = $_POST['_acf_widget_id'];
		$number = $_POST['_acf_widget_number'];
		$prefix = $_POST['_acf_widget_prefix'];
		
		
		// validate
		acf_validate_values( $_POST[ $id ][ $number ]['acf'], $prefix );
				
	}
	
	
	/*
	*  edit_widget
	*
	*  This function will render the fields for a widget form
	*
	*  @type	function
	*  @date	11/06/2014
	*  @since	5.0.0
	*
	*  @param	$widget (object)
	*  @param	$return (null)
	*  @param	$instance (object)
	*  @return	$post_id (int)
	*/
	
	function edit_widget( $widget, $return, $instance ) {
		
		// vars
		$post_id = 0;
		$prefix = 'widget-' . $widget->id_base . '[' . $widget->number . '][acf]';
		
		
		// get id
		if( $widget->number !== '__i__' ) {
		
			$post_id = "widget_{$widget->id}";
			
		}
		
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'widget' => $widget->id_base
		));
		
		
		// render
		if( !empty($field_groups) ) {
			
			// render post data
			acf_form_data(array( 
				'screen'		=> 'widget',
				'post_id'		=> $post_id,
				'widget_id'		=> 'widget-' . $widget->id_base,
				'widget_number'	=> $widget->number,
				'widget_prefix'	=> $prefix
			));
			
			
			// wrap
			echo '<div class="acf-widget-fields acf-fields -clear">';
			
			// loop
			foreach( $field_groups as $field_group ) {
				
				// load fields
				$fields = acf_get_fields( $field_group );
				
				
				// bail if not fields
				if( empty($fields) ) continue;
				
				
				// change prefix
				acf_prefix_fields( $fields, $prefix );
				
				
				// render
				acf_render_fields( $fields, $post_id, 'div', $field_group['instruction_placement'] );
				
			}
			
			//wrap
			echo '</div>';
			
			
			// jQuery selector looks odd, but is necessary due to WP adding an incremental number into the ID
			// - not possible to find number via PHP parameters
			if( $widget->updated ): ?>
			<script type="text/javascript">
			(function($) {
				
				acf.doAction('append', $('[id^="widget"][id$="<?php echo $widget->id; ?>"]') );
				
			})(jQuery);	
			</script>
			<?php endif;
				
		}
		
	}
	
	
	/*
	*  save_widget
	*
	*  This function will hook into the widget update filter and save ACF data
	*
	*  @type	function
	*  @date	27/05/2015
	*  @since	5.2.3
	*
	*  @param	$instance (array) widget settings
	*  @param	$new_instance (array) widget settings
	*  @param	$old_instance (array) widget settings
	*  @param	$widget (object) widget info
	*  @return	$instance
	*/
	
	function save_widget( $instance, $new_instance, $old_instance, $widget ) {
		
		// bail ealry if not valid (!customize + acf values + nonce)
		if( isset($_POST['wp_customize']) || !isset($new_instance['acf']) || !acf_verify_nonce('widget') ) return $instance;
		
		
		// save
		acf_save_post( "widget_{$widget->id}", $new_instance['acf'] );
		
		
		// return
		return $instance;
		
	}
	
	
	/*
	*  admin_footer
	*
	*  This function will add some custom HTML to the footer of the edit page
	*
	*  @type	function
	*  @date	11/06/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_footer() {
?>
<script type="text/javascript">
(function($) {
	
	// vars
	acf.set('post_id', 'widgets');
	
	// Only initialize visible fields.
	acf.addFilter('find_fields', function( $fields ){
		
		// not templates
		$fields = $fields.not('#available-widgets .acf-field');
		
		// not widget dragging in
		$fields = $fields.not('.widget.ui-draggable-dragging .acf-field');
		
		// return
		return $fields;
	});
	
	// on publish
	$('#widgets-right').on('click', '.widget-control-save', function( e ){
		
		// vars
		var $button = $(this);
		var $form = $button.closest('form');
		
		// validate
		var valid = acf.validateForm({
			form: $form,
			event: e,
			reset: true
		});
		
		// if not valid, stop event and allow validation to continue
		if( !valid ) {
			e.preventDefault();
			e.stopImmediatePropagation();
		}
	});
	
	// show
	$('#widgets-right').on('click', '.widget-top', function(){
		var $widget = $(this).parent();
		if( $widget.hasClass('open') ) {
			acf.doAction('hide', $widget);
		} else {
			acf.doAction('show', $widget);
		}
	});
	
	$(document).on('widget-added', function( e, $widget ){
		
		// - use delay to avoid rendering issues with customizer (ensures div is visible)
		setTimeout(function(){
			acf.doAction('append', $widget );
		}, 100);
	});
	
})(jQuery);	
</script>
<?php
		
	}
}

new acf_form_widget();

endif;

?>
PK�[}Z�fhhincludes/forms/form-post.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Form_Post') ) :

class ACF_Form_Post {
	
	/** @var string The first field groups style CSS. */
	var $style = '';
	
	/**
	*  __construct
	*
	*  Sets up the class functionality.
	*
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	function __construct() {
		
		// initialize on post edit screens
		add_action('load-post.php',		array($this, 'initialize'));
		add_action('load-post-new.php',	array($this, 'initialize'));
		
		// save
		add_filter('wp_insert_post_empty_content',		array($this, 'wp_insert_post_empty_content'), 10, 2);
		add_action('save_post', 						array($this, 'save_post'), 10, 2);
	}
	
	
	/**
	*  initialize
	*
	*  Sets up Form functionality.
	*
	*  @date	19/9/18
	*  @since	5.7.6
	*
	*  @param	void
	*  @return	void
	*/
	function initialize() {
		
		// globals
		global $typenow;
		
		// restrict specific post types
		$restricted = array('acf-field-group', 'attachment');
		if( in_array($typenow, $restricted) ) {
			return;
		}
		
		// enqueue scripts
		acf_enqueue_scripts(array(
			'uploader'	=> true,
		));
		
		// actions
		add_action('add_meta_boxes', array($this, 'add_meta_boxes'), 10, 2);
	}
	
	/**
	*  add_meta_boxes
	*
	*  Adds ACF metaboxes for the given $post_type and $post.
	*
	*  @date	19/9/18
	*  @since	5.7.6
	*
	*  @param	string $post_type The post type.
	*  @param	WP_Post $post The post being edited.
	*  @return	void
	*/
	function add_meta_boxes( $post_type, $post ) {
		
		// Storage for localized postboxes.
		$postboxes = array();
		
		// Get field groups for this screen.
		$field_groups = acf_get_field_groups(array(
			'post_id'	=> $post->ID, 
			'post_type'	=> $post_type
		));
		
		// Loop over field groups.
		if( $field_groups ) {
			foreach( $field_groups as $field_group ) {
					
				// vars
				$id = "acf-{$field_group['key']}";			// acf-group_123
				$title = $field_group['title'];				// Group 1
				$context = $field_group['position'];		// normal, side, acf_after_title
				$priority = 'high';							// high, core, default, low
				
				// Reduce priority for sidebar metaboxes for best position.
				if( $context == 'side' ) {
					$priority = 'core';
				}
				
				/**
				 * Filters the metabox priority.
				 *
				 * @date	23/06/12
				 * @since	3.1.8
				 *
				 * @param	string $priority The metabox priority (high, core, default, low).
				 * @param	array $field_group The field group array.
				 */
				$priority = apply_filters('acf/input/meta_box_priority', $priority, $field_group);
				
				// Localize data
				$postboxes[] = array(
					'id'		=> $id,
					'key'		=> $field_group['key'],
					'style'		=> $field_group['style'],
					'label'		=> $field_group['label_placement'],
					'edit'		=> acf_get_field_group_edit_link( $field_group['ID'] )
				);
				
				// Add the meta box.
				add_meta_box( $id, $title, array($this, 'render_meta_box'), $post_type, $context, $priority, array('field_group' => $field_group) );
				
			}
			
			// Set style from first field group.
			$this->style = acf_get_field_group_style( $field_groups[0] );
			
			// Localize postboxes.
			acf_localize_data(array(
				'postboxes'	=> $postboxes
			));
		}
		
		// remove postcustom metabox (removes expensive SQL query)
		if( acf_get_setting('remove_wp_meta_box') ) {
			remove_meta_box( 'postcustom', false, 'normal' ); 
		}
		
		// Add hidden input fields.
		add_action('edit_form_after_title', array($this, 'edit_form_after_title'));
		
		/**
		*  Fires after metaboxes have been added. 
		*
		*  @date	13/12/18
		*  @since	5.8.0
		*
		*  @param	string $post_type The post type.
		*  @param	WP_Post $post The post being edited.
		*  @param	array $field_groups The field groups added.
		*/
		do_action('acf/add_meta_boxes', $post_type, $post, $field_groups);
	}
	
	/**
	*  edit_form_after_title
	*
	*  Called after the title adn before the content editor.
	*
	*  @date	19/9/18
	*  @since	5.7.6
	*
	*  @param	void
	*  @return	void
	*/
	function edit_form_after_title() {
		
		// globals
		global $post, $wp_meta_boxes;
		
		// render post data
		acf_form_data(array(
			'screen'	=> 'post',
			'post_id'	=> $post->ID
		));
		
		// render 'acf_after_title' metaboxes
		do_meta_boxes( get_current_screen(), 'acf_after_title', $post );
		
		// render dynamic field group style
		echo '<style type="text/css" id="acf-style">' . $this->style . '</style>';
	}
	
	/**
	*  render_meta_box
	*
	*  Renders the ACF metabox HTML.
	*
	*  @date	19/9/18
	*  @since	5.7.6
	*
	*  @param	WP_Post $post The post being edited.
	*  @param	array metabox The add_meta_box() args.
	*  @return	void
	*/
	function render_meta_box( $post, $metabox ) {
		
		// vars
		$id = $metabox['id'];
		$field_group = $metabox['args']['field_group'];
		
		// Render fields.
		$fields = acf_get_fields( $field_group );
		acf_render_fields( $fields, $post->ID, 'div', $field_group['instruction_placement'] );
	}
	
	/**
	*  wp_insert_post_empty_content
	*
	*  Allows WP to insert a new post without title or post_content if ACF data exists.
	*
	*  @date	16/07/2014
	*  @since	5.0.1
	*
	*  @param	bool $maybe_empty Whether the post should be considered "empty".
	*  @param	array $postarr Array of post data.
	*  @return	bool
	*/
	function wp_insert_post_empty_content( $maybe_empty, $postarr ) {
		
		// return false and allow insert if '_acf_changed' exists
		if( $maybe_empty && acf_maybe_get_POST('_acf_changed') ) {
			return false;
		}

		// return
		return $maybe_empty;
	}
	
	/*
	*  allow_save_post
	*
	*  Checks if the $post is allowed to be saved.
	*  Used to avoid triggering "acf/save_post" on dynamically created posts during save.
	*
	*  @type	function
	*  @date	26/06/2016
	*  @since	5.3.8
	*
	*  @param	WP_Post $post The post to check.
	*  @return	bool
	*/
	function allow_save_post( $post ) {
		
		// vars
		$allow = true;
		
		// restrict post types
		$restrict = array( 'auto-draft', 'revision', 'acf-field', 'acf-field-group' );
		if( in_array($post->post_type, $restrict) ) {
			$allow = false;
		}
		
		// disallow if the $_POST ID value does not match the $post->ID
		$form_post_id = (int) acf_maybe_get_POST('post_ID');
		if( $form_post_id && $form_post_id !== $post->ID ) {
			$allow = false;
		}
		
		// revision (preview)
		if( $post->post_type == 'revision' ) {
			
			// allow if doing preview and this $post is a child of the $_POST ID
			if( acf_maybe_get_POST('wp-preview') == 'dopreview' && $form_post_id === $post->post_parent) {
				$allow = true;
			}
		}
		
		// return
		return $allow;
	}
	
	/*
	*  save_post
	*
	*  Triggers during the 'save_post' action to save the $_POST data.
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	1.0.0
	*
	*  @param	int $post_id The post ID
	*  @param	WP_POST $post the post object.
	*  @return	int
	*/
	
	function save_post( $post_id, $post ) {
		
		// bail ealry if no allowed to save this post type
		if( !$this->allow_save_post($post) ) {
			return $post_id;
		}
		
		// verify nonce
		if( !acf_verify_nonce('post') ) {
			return $post_id;
		}
		
		// validate for published post (allow draft to save without validation)
		if( $post->post_status == 'publish' ) {
			
			// bail early if validation fails
			if( !acf_validate_save_post() ) {
				return;
			}
		}
		
		// save
		acf_save_post( $post_id );
		
		// save revision
		if( post_type_supports($post->post_type, 'revisions') ) {
			acf_save_post_revision( $post_id );
		}
		
		// return
		return $post_id;
	}
}

acf_new_instance('ACF_Form_Post');

endif;

?>PK�[pP��%%includes/forms/form-user.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Form_User') ) :

class ACF_Form_User {
	
	/** @var string The current view (new, edit, register) */
	var $view = '';
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// enqueue
		add_action('admin_enqueue_scripts',			array($this, 'admin_enqueue_scripts'));
		add_action('login_form_register', 			array($this, 'login_form_register'));
		
		// render
		add_action('show_user_profile', 			array($this, 'render_edit'));
		add_action('edit_user_profile',				array($this, 'render_edit'));
		add_action('user_new_form',					array($this, 'render_new'));
		add_action('register_form',					array($this, 'render_register'));
		
		// save
		add_action('user_register',					array($this, 'save_user'));
		add_action('profile_update',				array($this, 'save_user'));
		
		// Perform validation before new user is registered.
		add_filter('registration_errors',			array($this, 'filter_registration_errors'), 10, 3);
	}
	
	
	/**
	*  admin_enqueue_scripts
	*
	*  Checks current screen and enqueues scripts
	*
	*  @date	17/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	function admin_enqueue_scripts() {
		
		// bail early if not valid screen
		if( !acf_is_screen(array('profile', 'user', 'user-edit')) ) {
			return;
		}
		
		// enqueue
		acf_enqueue_scripts();
	}
	
	
	/**
	*  login_form_register
	*
	*  Customizes and enqueues scripts
	*
	*  @date	17/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	function login_form_register() {
		
		// customize action prefix so that "admin_head" = "login_head"
		acf_enqueue_scripts(array(
			'context' => 'login'
		));
	}
	
	
	/*
	*  register_user
	*
	*  Called during the user register form
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	
	function render_register() {
		
		// render
		$this->render(array(
			'user_id'	=> 0,
			'view'		=> 'register',
			'el'		=> 'div'
		));
	}
	
	
	/*
	*  render_edit
	*
	*  Called during the user edit form
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	
	function render_edit( $user ) {
		
		// add compatibility with front-end user profile edit forms such as bbPress
		if( !is_admin() ) {
			acf_enqueue_scripts();
		}
		
		// render
		$this->render(array(
			'user_id'	=> $user->ID,
			'view'		=> 'edit',
			'el'		=> 'tr'
		));
	}
	
	
	/*
	*  user_new_form
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_new() {
		
		// Multisite uses a different 'user-new.php' form. Don't render fields here
		if( is_multisite() ) {
			return;
		}
		
		// render
		$this->render(array(
			'user_id'	=> 0,
			'view'		=> 'add',
			'el'		=> 'tr'
		));
	}
	
	
	/*
	*  render
	*
	*  This function will render ACF fields for a given $post_id parameter
	*
	*  @type	function
	*  @date	7/10/13
	*  @since	5.0.0
	*
	*  @param	$user_id (int) this can be set to 0 for a new user
	*  @param	$user_form (string) used for location rule matching. edit | add | register
	*  @param	$el (string)
	*  @return	n/a
	*/
	
	function render( $args = array() ) {
		
		// Allow $_POST data to persist across form submission attempts.
		if( isset($_POST['acf']) ) {
			add_filter('acf/pre_load_value', array($this, 'filter_pre_load_value'), 10, 3);
		}
		
		// defaults
		$args = wp_parse_args($args, array(
			'user_id'	=> 0,
			'view'		=> 'edit',
			'el'		=> 'tr',
		));
		
		// vars
		$post_id = 'user_' . $args['user_id'];
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'user_id'	=> $args['user_id'] ? $args['user_id'] : 'new',
			'user_form'	=> $args['view']
		));
		
		// bail early if no field groups
		if( empty($field_groups) ) {
			return;
		}
		
		// form data
		acf_form_data(array(
			'screen'		=> 'user',
			'post_id'		=> $post_id,
			'validation'	=> ($args['view'] == 'register') ? 0 : 1
		));
		
		// elements
		$before = '<table class="form-table"><tbody>';
		$after = '</tbody></table>';
				
		if( $args['el'] == 'div') {
			$before = '<div class="acf-user-' . $args['view'] . '-fields acf-fields -clear">';
			$after = '</div>';
		}
		
		// loop
		foreach( $field_groups as $field_group ) {
			
			// vars
			$fields = acf_get_fields( $field_group );
			
			// title
			if( $field_group['style'] === 'default' ) {
				echo '<h2>' . $field_group['title'] . '</h2>';
			}
			
			// render
			echo $before;
			acf_render_fields( $fields, $post_id, $args['el'], $field_group['instruction_placement'] );
			echo $after;
		}
				
		// actions
		add_action('acf/input/admin_footer', array($this, 'admin_footer'), 10, 1);
	}
	
	
	/*
	*  admin_footer
	*
	*  description
	*
	*  @type	function
	*  @date	27/03/2015
	*  @since	5.1.5
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_footer() {
	
		// script
		?>
<script type="text/javascript">
(function($) {
	
	// vars
	var view = '<?php echo $this->view; ?>';
	
	// add missing spinners
	var $submit = $('input.button-primary');
	if( !$submit.next('.spinner').length ) {
		$submit.after('<span class="spinner"></span>');
	}
	
})(jQuery);	
</script>
<?php
		
	}
	
	
	/*
	*  save_user
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function save_user( $user_id ) {
		
		// verify nonce
		if( !acf_verify_nonce('user') ) {
			return $user_id;
		}
		
	    // save
	    if( acf_validate_save_post(true) ) {
			acf_save_post( "user_$user_id" );
		}
	}
	
	/**
	 * filter_registration_errors
	 *
	 * Validates $_POST data and appends any errors to prevent new user registration.
	 *
	 * @date	12/7/19
	 * @since	5.8.1
	 *
	 * @param	WP_Error $errors A WP_Error object containing any errors encountered during registration.
     * @param	string $sanitized_user_login User's username after it has been sanitized.
     * @param	string $user_email User's email.
	 * @return	WP_Error
	 */
	function filter_registration_errors( $errors, $sanitized_user_login, $user_email ) {
		if( !acf_validate_save_post() ) {
			$acf_errors = acf_get_validation_errors();
			foreach( $acf_errors as $acf_error ) {
				$errors->add(
					acf_idify( $acf_error['input'] ), 
					acf_punctify( sprintf( __('<strong>ERROR</strong>: %s', 'acf'), $acf_error['message'] ) )
				);
			}
		}
		return $errors;
	}
	
	/**
	 * filter_pre_load_value
	 *
	 * Checks if a $_POST value exists for this field to allow persistent values.
	 *
	 * @date	12/7/19
	 * @since	5.8.2
	 *
	 * @param	null $null A null placeholder.
	 * @param	(int|string) $post_id The post id.
	 * @param	array $field The field array.
	 * @return	mixed
	 */
	function filter_pre_load_value( $null, $post_id, $field ) {
		$field_key = $field['key'];
		if( isset( $_POST['acf'][ $field_key ] )) {
			return $_POST['acf'][ $field_key ];
		}
		return $null;
	}
}

// instantiate
acf_new_instance('ACF_Form_User');

endif; // class_exists check

?>PK�[7<9Q�� includes/forms/form-taxonomy.phpnu�[���<?php

/*
*  ACF Taxonomy Form Class
*
*  All the logic for adding fields to taxonomy terms
*
*  @class 		acf_form_taxonomy
*  @package		ACF
*  @subpackage	Forms
*/

if( ! class_exists('acf_form_taxonomy') ) :

class acf_form_taxonomy {
	
	var $view = 'add';
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('admin_enqueue_scripts',	array($this, 'admin_enqueue_scripts'));
		
		
		// save
		add_action('create_term',			array($this, 'save_term'), 10, 3);
		add_action('edit_term',				array($this, 'save_term'), 10, 3);
		
		
		// delete
		add_action('delete_term',			array($this, 'delete_term'), 10, 4);
		
	}
	
	
	/*
	*  validate_page
	*
	*  This function will check if the current page is for a post/page edit form
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	n/a
	*  @return	(boolean)
	*/
	
	function validate_page() {
		
		// global
		global $pagenow;
		
		
		// validate page
		if( $pagenow === 'edit-tags.php' || $pagenow === 'term.php' ) {
			
			return true;
			
		}
		
		
		// return
		return false;		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function admin_enqueue_scripts() {
		
		// validate page
		if( !$this->validate_page() ) {
			
			return;
			
		}
		
		
		// vars
		$screen = get_current_screen();
		$taxonomy = $screen->taxonomy;
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action('admin_footer',					array($this, 'admin_footer'), 10, 1);
		add_action("{$taxonomy}_add_form_fields", 	array($this, 'add_term'), 10, 1);
		add_action("{$taxonomy}_edit_form", 		array($this, 'edit_term'), 10, 2);
		
	}
	
	
	/*
	*  add_term
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function add_term( $taxonomy ) {
		
		// vars
		$post_id = acf_get_term_post_id( $taxonomy, 0 );
		
		
		// update vars
		$this->view = 'add';
		
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'taxonomy' => $taxonomy
		));
		
		
		// render
		if( !empty($field_groups) ) {
			
			// data
			acf_form_data(array( 
				'screen'	=> 'taxonomy',
				'post_id'	=> $post_id, 
			));
			
			// wrap
			echo '<div id="acf-term-fields" class="acf-fields -clear">';
			
			// loop
			foreach( $field_groups as $field_group ) {
				$fields = acf_get_fields( $field_group );
				acf_render_fields( $fields, $post_id, 'div', 'field' );
			}
			
			// wrap
			echo '</div>';
			
		}
		
	}
	
	
	/*
	*  edit_term
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function edit_term( $term, $taxonomy ) {
		
		// vars
		$post_id = acf_get_term_post_id( $term->taxonomy, $term->term_id );
		
		
		// update vars
		$this->view = 'edit';
		
		
		// get field groups
		$field_groups = acf_get_field_groups(array(
			'taxonomy' => $taxonomy
		));
		
		
		// render
		if( !empty($field_groups) ) {
			
			acf_form_data(array( 
				'screen'	=> 'taxonomy',
				'post_id'	=> $post_id,
			));
			
			foreach( $field_groups as $field_group ) {
				
				// title
				if( $field_group['style'] == 'default' ) {
					echo '<h2>' . $field_group['title'] . '</h2>';
				}
				
				// fields
				echo '<table class="form-table">';
					$fields = acf_get_fields( $field_group );
					acf_render_fields( $fields, $post_id, 'tr', 'field' );
				echo '</table>';
				
			}
			
		}
		
	}
	
	
	/*
	*  admin_footer
	*
	*  description
	*
	*  @type	function
	*  @date	27/03/2015
	*  @since	5.1.5
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_footer() {
		
?>
<script type="text/javascript">
(function($) {
	
	// Define vars.
	var view = '<?php echo $this->view; ?>';
	var $form = $('#' + view + 'tag');
	var $submit = $('#' + view + 'tag input[type="submit"]:last');
	
	// Add missing spinner.
	if( !$submit.next('.spinner').length ) {
		$submit.after('<span class="spinner"></span>');
	}
	
<?php 
	
// View: Add.
if( $this->view == 'add' ): ?>
	
	// vars
	var $fields = $('#acf-term-fields');
	var html = '';
	
	// Store a copy of the $fields html used later to replace after AJAX request.
	// Hook into 'prepare' action to allow ACF core helpers to first modify DOM.
	// Fixes issue where hidden #acf-hidden-wp-editor is initialized again.
	acf.addAction('prepare', function(){
		html = $fields.html();
	}, 6);
		
	// WP triggers click as primary action
	$submit.on('click', function( e ){
		
		// validate
		var valid = acf.validateForm({
			form: $form,
			event: e,
			reset: true
		});
		
		// if not valid, stop event and allow validation to continue
		if( !valid ) {
			e.preventDefault();
			e.stopImmediatePropagation();
		}
	});
	
	// listen to AJAX add-tag complete
	$(document).ajaxComplete(function(event, xhr, settings) {
		
		// bail early if is other ajax call
		if( settings.data.indexOf('action=add-tag') == -1 ) {
			return;
		}
		
		// bail early if response contains error
		if( xhr.responseText.indexOf('wp_error') !== -1 ) {
			return;
		}
		
		// action for 3rd party customization
		acf.doAction('remove', $fields);
		
		// reset HTML
		$fields.html( html );
		
		// action for 3rd party customization
		acf.doAction('append', $fields);
		
		// reset unload
		acf.unload.reset();
	});
	
<?php endif; ?>
	
})(jQuery);	
</script>
<?php
		
	}
	
	
	/*
	*  save_term
	*
	*  description
	*
	*  @type	function
	*  @date	8/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function save_term( $term_id, $tt_id, $taxonomy ) {
		
		// vars
		$post_id = acf_get_term_post_id( $taxonomy, $term_id );
		
		
		// verify and remove nonce
		if( !acf_verify_nonce('taxonomy') ) return $term_id;
		
	    
	    // valied and show errors
		acf_validate_save_post( true );
			
			
	    // save
		acf_save_post( $post_id );
			
	}
	
	
	/*
	*  delete_term
	*
	*  description
	*
	*  @type	function
	*  @date	15/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function delete_term( $term, $tt_id, $taxonomy, $deleted_term ) {
		
		// bail early if termmeta table exists
		if( acf_isset_termmeta() ) return $term;
		
		
		// globals
		global $wpdb;
		
		
		// vars
		$search = $taxonomy . '_' . $term . '_%';
		$_search = '_' . $search;
		
		
		// escape '_'
		// http://stackoverflow.com/questions/2300285/how-do-i-escape-in-sql-server
		$search = str_replace('_', '\_', $search);
		$_search = str_replace('_', '\_', $_search);
		
		
		// delete
		$result = $wpdb->query($wpdb->prepare(
			"DELETE FROM $wpdb->options WHERE option_name LIKE %s OR option_name LIKE %s",
			$search,
			$_search 
		));
		
	}
			
}

new acf_form_taxonomy();

endif;


?>
PK�[7�lFF!includes/forms/form-gutenberg.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly.

if( ! class_exists('ACF_Form_Gutenberg') ) :

class ACF_Form_Gutenberg {
	
	/**
	*  __construct
	*
	*  Setup for class functionality.
	*
	*  @date	13/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
		
	function __construct() {
		
		// Add actions.
		add_action('enqueue_block_editor_assets', array($this, 'enqueue_block_editor_assets'));
		
		// Ignore validation during meta-box-loader AJAX request.
		add_action('acf/validate_save_post', array($this, 'acf_validate_save_post'), 999);
	}
	
	/**
	*  enqueue_block_editor_assets
	*
	*  Allows a safe way to customize Guten-only functionality.
	*
	*  @date	14/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	function enqueue_block_editor_assets() {
		
		// Remove edit_form_after_title.
		add_action( 'add_meta_boxes', array($this, 'add_meta_boxes'), 20, 0 );
		
		// Call edit_form_after_title manually.
		add_action( 'block_editor_meta_box_hidden_fields', array($this, 'block_editor_meta_box_hidden_fields') );
		
		// Cusotmize editor metaboxes.
		add_filter( 'filter_block_editor_meta_boxes', array($this, 'filter_block_editor_meta_boxes') );
	}
	
	/**
	*  add_meta_boxes
	*
	*  Modify screen for Gutenberg.
	*
	*  @date	13/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	function add_meta_boxes() {
		
		// Remove 'edit_form_after_title' action.
		remove_action('edit_form_after_title', array(acf_get_instance('ACF_Form_Post'), 'edit_form_after_title'));
	}
	
	/**
	*  block_editor_meta_box_hidden_fields
	*
	*  Modify screen for Gutenberg.
	*
	*  @date	13/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	function block_editor_meta_box_hidden_fields() {
	
		// Manually call 'edit_form_after_title' function.
		acf_get_instance('ACF_Form_Post')->edit_form_after_title();
	}
	
	/**
	 * filter_block_editor_meta_boxes
	 *
	 * description
	 *
	 * @date	5/4/19
	 * @since	5.7.14
	 *
	 * @param	type $var Description. Default.
	 * @return	type Description.
	 */
	function filter_block_editor_meta_boxes( $wp_meta_boxes ) {
		
		// Globals
		global $current_screen;
		
		// Move 'acf_after_title' metaboxes into 'normal' location.
		if( isset($wp_meta_boxes[ $current_screen->id ][ 'acf_after_title' ]) ) {
			
			// Extract locations.
			$locations = $wp_meta_boxes[ $current_screen->id ];
			
			// Ensure normal location exists.
			if( !isset($locations['normal']) ) $locations['normal'] = array();
			if( !isset($locations['normal']['high']) ) $locations['normal']['high'] = array();
			
			// Append metaboxes.
			foreach( $locations['acf_after_title'] as $priority => $meta_boxes ) {
				$locations['normal']['high'] = array_merge( $meta_boxes, $locations['normal']['high'] );
			}
			
			// Update original data.
			$wp_meta_boxes[ $current_screen->id ] = $locations;
			unset( $wp_meta_boxes[ $current_screen->id ]['acf_after_title'] );
			
			// Avoid conflicts with saved metabox order.
			add_filter( 'get_user_option_meta-box-order_' . $current_screen->id, array($this, 'modify_user_option_meta_box_order') );
		}
		
		// Return
		return $wp_meta_boxes;
	}
	
	/**
	 * modify_user_option_meta_box_order
	 *
	 * Filters the `meta-box-order_{$post_type}` value by prepending "acf_after_title" data to "normal".
	 * Fixes a bug where metaboxes with position "acf_after_title" do not appear in the block editor.
	 *
	 * @date	11/7/19
	 * @since	5.8.2
	 *
	 * @param	array $stored_meta_box_order User's existing meta box order.
	 * @return	array Modified array with meta boxes moved around.
	 */
	function modify_user_option_meta_box_order( $locations ) {
		if( !empty($locations['acf_after_title']) ) {
			if( !empty($locations['normal']) ) {
				$locations['normal'] = $locations['acf_after_title'] . ',' . $locations['normal'];
			} else {
				$locations['normal'] = $locations['acf_after_title'];
			}
			unset($locations['acf_after_title']);
		}
		return $locations;
	}
	
	/**
	*  acf_validate_save_post
	*
	*  Ignore errors during the Gutenberg "save metaboxes" AJAX request.
	*  Allows data to save and prevent UX issues.
	*
	*  @date	16/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	function acf_validate_save_post() {
		
		// Check if current request came from Gutenberg.
		if( isset($_GET['meta-box-loader']) ) {
			acf_reset_validation_errors();
		}
	}
}

acf_new_instance('ACF_Form_Gutenberg');

endif;
PK�[m�	2%2%includes/revisions.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_revisions') ) :

class acf_revisions {
	
	// vars
	var $cache = array();
	
	
	/*
	*  __construct
	*
	*  A good place to add actions / filters
	*
	*  @type	function
	*  @date	11/08/13
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function __construct() {
		
		// actions	
		add_action('wp_restore_post_revision', array($this, 'wp_restore_post_revision'), 10, 2 );
		
		
		// filters
		add_filter('wp_save_post_revision_check_for_changes', array($this, 'wp_save_post_revision_check_for_changes'), 10, 3);
		add_filter('_wp_post_revision_fields', array($this, 'wp_preview_post_fields'), 10, 2 );
		add_filter('_wp_post_revision_fields', array($this, 'wp_post_revision_fields'), 10, 2 );
		add_filter('acf/validate_post_id', array($this, 'acf_validate_post_id'), 10, 2 );
		
	}
	
	
	/*
	*  wp_preview_post_fields
	*
	*  This function is used to trick WP into thinking that one of the $post's fields has changed and
	*  will allow an autosave to be updated. 
	*  Fixes an odd bug causing the preview page to render the non autosave post data on every odd attempt
	*
	*  @type	function
	*  @date	21/10/2014
	*  @since	5.1.0
	*
	*  @param	$fields (array)
	*  @return	$fields
	*/
	
	function wp_preview_post_fields( $fields ) {
		
		// bail early if not previewing a post
		if( acf_maybe_get_POST('wp-preview') !== 'dopreview' ) return $fields;
		
		
		// add to fields if ACF has changed
		if( acf_maybe_get_POST('_acf_changed') ) {
			
			$fields['_acf_changed'] = 'different than 1';
			
		}
		
		
		// return
		return $fields;
		
	}
	
	
	/*
	*  wp_save_post_revision_check_for_changes
	*
	*  This filter will return false and force WP to save a revision. This is required due to
	*  WP checking only post_title, post_excerpt and post_content values, not custom fields.
	*
	*  @type	filter
	*  @date	19/09/13
	*
	*  @param	$return (boolean) defaults to true
	*  @param	$last_revision (object) the last revision that WP will compare against
	*  @param	$post (object) the $post that WP will compare against
	*  @return	$return (boolean)
	*/
	
	function wp_save_post_revision_check_for_changes( $return, $last_revision, $post ) {
		
		// if acf has changed, return false and prevent WP from performing 'compare' logic
		if( acf_maybe_get_POST('_acf_changed') ) return false;
		
		
		// return
		return $return;
		
	}
	
	
	/*
	*  wp_post_revision_fields
	*
	*  This filter will add the ACF fields to the returned array
	*  Versions 3.5 and 3.6 of WP feature different uses of the revisions filters, so there are
	*  some hacks to allow both versions to work correctly
	*
	*  @type	filter
	*  @date	11/08/13
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
		
	function wp_post_revision_fields( $fields, $post = null ) {
		
		// validate page
		if( acf_is_screen('revision') || acf_is_ajax('get-revision-diffs') ) {
			
			// bail early if is restoring
			if( acf_maybe_get_GET('action') === 'restore' ) return $fields;
			
			// allow
			
		} else {
			
			// bail early (most likely saving a post)
			return $fields;
			
		}
		
		
		// vars
		$append = array();
		$order = array();
		$post_id = acf_maybe_get($post, 'ID');
		
		
		// compatibility with WP < 4.5 (test)
		if( !$post_id ) {
			
			global $post;
			$post_id = $post->ID;
			
		}
		
		
		// get all postmeta
		$meta = get_post_meta( $post_id );
		
		
		// bail early if no meta
		if( !$meta ) return $fields;
		
		
		// loop
		foreach( $meta as $name => $value ) {
			
			// attempt to find key value
			$key = acf_maybe_get( $meta, '_'.$name );
			
			
			// bail ealry if no key
			if( !$key ) continue;
			
			
			// update vars
			$value = $value[0];
			$key = $key[0];
			
					
			// bail early if $key is a not a field_key
			if( !acf_is_field_key($key) ) continue;
			
			
			// get field
			$field = acf_get_field( $key );
			$field_title = $field['label'] . ' (' . $name . ')';
			$field_order = $field['menu_order'];
			$ancestors = acf_get_field_ancestors( $field );
			
			
			// ancestors
			if( !empty($ancestors) ) {
				
				// vars
				$count = count($ancestors);
				$oldest = acf_get_field( $ancestors[$count-1] );
				
				
				// update vars
				$field_title = str_repeat('- ', $count) . $field_title;
				$field_order = $oldest['menu_order'] . '.1';
				
			}
			
			
			// append
			$append[ $name ] = $field_title;
			$order[ $name ] = $field_order;
			
			
			// hook into specific revision field filter and return local value
			add_filter("_wp_post_revision_field_{$name}", array($this, 'wp_post_revision_field'), 10, 4);
			
		}
		
		
		// append 
		if( !empty($append) ) {
			
			// vars
			$prefix = '_';
			
			
			// add prefix
			$append = acf_add_array_key_prefix($append, $prefix);
			$order = acf_add_array_key_prefix($order, $prefix);
			
			
			// sort by name (orders sub field values correctly)
			array_multisort($order, $append);
			
			
			// remove prefix
			$append = acf_remove_array_key_prefix($append, $prefix);
			
			
			// append
			$fields = $fields + $append;
			
		}
		
		
		// return
		return $fields;
	
	}
	
	
	/*
	*  wp_post_revision_field
	*
	*  This filter will load the value for the given field and return it for rendering
	*
	*  @type	filter
	*  @date	11/08/13
	*
	*  @param	$value (mixed) should be false as it has not yet been loaded
	*  @param	$field_name (string) The name of the field
	*  @param	$post (mixed) Holds the $post object to load from - in WP 3.5, this is not passed!
	*  @param	$direction (string) to / from - not used
	*  @return	$value (string)
	*/
	
	function wp_post_revision_field( $value, $field_name, $post = null, $direction = false) {
		
		// bail ealry if is empty
		if( empty($value) ) return $value;
		
		
		// value has not yet been 'maybe_unserialize'
		$value = maybe_unserialize( $value );
		
		
		// vars
		$post_id = $post->ID;
		
		
		// load field
		$field = acf_maybe_get_field( $field_name, $post_id );
		
		
		// default formatting
		if( is_array($value) ) {
			
			$value = implode(', ', $value);
			
		} elseif( is_object($value) ) {
			
			$value = serialize($value);
			
		}
		
		
		// image
		if( $field['type'] == 'image' || $field['type'] == 'file' ) {
			
			$url = wp_get_attachment_url($value);
			$value = $value . ' (' . $url . ')';
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  wp_restore_post_revision
	*
	*  This action will copy and paste the metadata from a revision to the post
	*
	*  @type	action
	*  @date	11/08/13
	*
	*  @param	$parent_id (int) the destination post
	*  @return	$revision_id (int) the source post
	*/
	
	function wp_restore_post_revision( $post_id, $revision_id ) {
		
		// copy postmeta from revision to post (restore from revision)
		acf_copy_postmeta( $revision_id, $post_id );
		
		
		// Make sure the latest revision is also updated to match the new $post data
		// get latest revision
		$revision = acf_get_post_latest_revision( $post_id );
		
		
		// save
		if( $revision ) {
			
			// copy postmeta from revision to latest revision (potentialy may be the same, but most likely are different)
			acf_copy_postmeta( $revision_id, $revision->ID );
			
		}
			
	}
	
	
	/*
	*  acf_validate_post_id
	*
	*  This function will modify the $post_id and allow loading values from a revision
	*
	*  @type	function
	*  @date	6/3/17
	*  @since	5.5.10
	*
	*  @param	$post_id (int)
	*  @param	$_post_id (int)
	*  @return	$post_id (int)
	*/
	
	function acf_validate_post_id( $post_id, $_post_id ) {
		
		// bail early if no preview in URL
		if( !isset($_GET['preview']) ) return $post_id;
		
		
		// bail early if $post_id is not numeric
		if( !is_numeric($post_id) ) return $post_id;
		
		
		// vars
		$k = $post_id;
		$preview_id = 0;
		
		
		// check cache
		if( isset($this->cache[$k]) ) return $this->cache[$k];
		
		
		// validate
		if( isset($_GET['preview_id']) ) {
		
			$preview_id = (int) $_GET['preview_id'];
			
		} elseif( isset($_GET['p']) ) {
			
			$preview_id = (int) $_GET['p'];
			
		} elseif( isset($_GET['page_id']) ) {
			
			$preview_id = (int) $_GET['page_id'];
			
		}
		
		
		// bail early id $preview_id does not match $post_id
		if( $preview_id != $post_id ) return $post_id;
		
		
		// attempt find revision
		$revision = acf_get_post_latest_revision( $post_id );
		
		
		// save
		if( $revision && $revision->post_parent == $post_id) {
			
			$post_id = (int) $revision->ID;
			
		}
		
		
		// set cache
		$this->cache[$k] = $post_id;
		
		
		// return
		return $post_id;
		
	}
			
}

// initialize
acf()->revisions = new acf_revisions();

endif; // class_exists check


/*
*  acf_save_post_revision
*
*  This function will copy meta from a post to it's latest revision
*
*  @type	function
*  @date	26/09/2016
*  @since	5.4.0
*
*  @param	$post_id (int)
*  @return	n/a
*/

function acf_save_post_revision( $post_id = 0 ) {
	
	// get latest revision
	$revision = acf_get_post_latest_revision( $post_id );
	
	
	// save
	if( $revision ) {
		
		acf_copy_postmeta( $post_id, $revision->ID );
		
	}
	
}


/*
*  acf_get_post_latest_revision
*
*  This function will return the latest revision for a given post
*
*  @type	function
*  @date	25/06/2016
*  @since	5.3.8
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_get_post_latest_revision( $post_id ) {
	
	// vars
	$revisions = wp_get_post_revisions( $post_id );
	
	
	// shift off and return first revision (will return null if no revisions)
	$revision = array_shift($revisions);
	
	
	// return
	return $revision;		
	
}


?>PK�[��协�includes/acf-post-functions.phpnu�[���<?php 

/**
 * acf_get_post_templates
 *
 * Returns an array of post_type => templates data.
 *
 * @date	29/8/17
 * @since	5.6.2
 *
 * @param	void
 * @return	array
 */
function acf_get_post_templates() {
	
	// Defaults.
	$post_templates = array(
		'page'	=> array()
	);
	
	// Loop over post types and append their templates.
	if( method_exists('WP_Theme', 'get_page_templates') ) {
		$post_types = acf_get_post_types();
		foreach( $post_types as $post_type ) {
			$templates = wp_get_theme()->get_page_templates( null, $post_type );
			if( $templates ) {
				$post_templates[ $post_type ] = $templates;
			}
		}
	}
	
	// Return.
	return $post_templates;
}PK�[%�6���includes/loop.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_loop') ) :

class acf_loop {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// vars
		$this->loops = array();
		
	}
	
	
	/*
	*  is_empty
	*
	*  This function will return true if no loops exist
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	n/a
	*  @return	(boolean)
	*/
	
	function is_empty() {
		
		return empty( $this->loops );
		
	}
	
	
	/*
	*  is_loop
	*
	*  This function will return true if a loop exists for the given array index
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$i (int)
	*  @return	(boolean)
	*/
	
	function is_loop( $i = 0 ) {
		
		return isset( $this->loops[ $i ] );
		
	}
	
	
	/*
	*  get_i
	*
	*  This function will return a valid array index for the given $i
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$i (mixed)
	*  @return	(int)
	*/
	
	function get_i( $i = 0 ) {
		
		// 'active'
		if( $i === 'active' ) $i = -1;
		
		
		// 'previous'
		if( $i === 'previous' ) $i = -2;
		
		
		// allow negative to look at end of loops
		if( $i < 0 ) {
			
			$i = count($this->loops) + $i;
			
		}
		
		
		// return
		return $i;
		
	}
	
	
	/*
	*  add_loop
	*
	*  This function will add a new loop
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$loop (array)
	*  @return	n/a
	*/
	
	function add_loop( $loop = array() ) {
		
		// defaults
		$loop = wp_parse_args( $loop, array(
			'selector'	=> '',
			'name'		=> '',
			'value'		=> false,
			'field'		=> false,
			'i'			=> -1,
			'post_id'	=> 0,
			'key'		=> ''
		));
		
		
		// ensure array
		$loop['value'] = acf_get_array( $loop['value'] );
		
		
		// Re-index values if this loop starts from index 0.
		// This allows ajax previews to work ($_POST data contains random unique array keys)
		if( $loop['i'] == -1 ) {
			
			$loop['value'] = array_values($loop['value']);
			
		}
		
		
		// append
		$this->loops[] = $loop;
		
		
		// return
		return $loop;
		
	}
	
	
	/*
	*  update_loop
	*
	*  This function will update a loop's setting
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$i (mixed)
	*  @param	$key (string) the loop setting name
	*  @param	$value (mixed) the loop setting value
	*  @return	(boolean) true on success
	*/
	
	function update_loop( $i = 'active', $key = null, $value = null ) {
		
		// i
		$i = $this->get_i( $i );
		
		
		// bail early if no set
		if( !$this->is_loop($i) ) return false;
		
		
		// set
		$this->loops[ $i ][ $key ] = $value;
		
		
		// return
		return true;
		
	}
	
	
	/*
	*  get_loop
	*
	*  This function will return a loop, or loop's setting for a given index & key
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$i (mixed)
	*  @param	$key (string) the loop setting name
	*  @return	(mixed) false on failure
	*/
	
	function get_loop( $i = 'active', $key = null ) {
		
		// i
		$i = $this->get_i( $i );
		
		
		// bail early if no set
		if( !$this->is_loop($i) ) return false;
		
		
		// check for key
		if( $key !== null ) {
			
			return $this->loops[ $i ][ $key ];
				
		}
		
		
		// return
		return $this->loops[ $i ];
		
	}
	
	
	/*
	*  remove_loop
	*
	*  This function will remove a loop
	*
	*  @type	function
	*  @date	3/03/2016
	*  @since	5.3.2
	*
	*  @param	$i (mixed)
	*  @return	(boolean) true on success
	*/
	
	function remove_loop( $i = 'active' ) {
		
		// i
		$i = $this->get_i( $i );
		
		
		// bail early if no set
		if( !$this->is_loop($i) ) return false;
		
		
		// remove
		unset($this->loops[ $i ]);
		
		
		// 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();
		}
	}
	
}

// initialize
acf()->loop = new acf_loop();

endif; // class_exists check



/*
*  acf_add_loop
*
*  alias of acf()->loop->add_loop()
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_add_loop( $loop = array() ) {
	
	return acf()->loop->add_loop( $loop );
	
}


/*
*  acf_update_loop
*
*  alias of acf()->loop->update_loop()
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_update_loop( $i = 'active', $key = null, $value = null ) {
	
	return acf()->loop->update_loop( $i, $key, $value );
	
}


/*
*  acf_get_loop
*
*  alias of acf()->loop->get_loop()
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_loop( $i = 'active', $key = null ) {
	
	return acf()->loop->get_loop( $i, $key );
	
}


/*
*  acf_remove_loop
*
*  alias of acf()->loop->remove_loop()
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_remove_loop( $i = 'active' ) {
	
	return acf()->loop->remove_loop( $i );
	
}

?>PK�[iBqɗ�includes/l10n.phpnu�[���<?php 

/**
 * Determine the current locale desired for the request.
 *
 * @since 5.0.0
 *
 * @global string $pagenow
 *
 * @return string The determined locale.
 */
if( !function_exists('determine_locale') ):
function determine_locale() {
	/**
	 * Filters the locale for the current request prior to the default determination process.
	 *
	 * Using this filter allows to override the default logic, effectively short-circuiting the function.
	 *
	 * @since 5.0.0
	 *
	 * @param string|null The locale to return and short-circuit, or null as default.
	 */
	$determined_locale = apply_filters( 'pre_determine_locale', null );
	if ( ! empty( $determined_locale ) && is_string( $determined_locale ) ) {
		return $determined_locale;
	}
	
	$determined_locale = get_locale();
	
	if ( function_exists('get_user_locale') && is_admin() ) {
		$determined_locale = get_user_locale();
	}
	
	if ( function_exists('get_user_locale') && isset( $_GET['_locale'] ) && 'user' === $_GET['_locale'] ) {
		$determined_locale = get_user_locale();
	}
	
	if ( ! empty( $_GET['wp_lang'] ) && ! empty( $GLOBALS['pagenow'] ) && 'wp-login.php' === $GLOBALS['pagenow'] ) {
		$determined_locale = sanitize_text_field( $_GET['wp_lang'] );
	}
	
	/**
	 * Filters the locale for the current request.
	 *
	 * @since 5.0.0
	 *
	 * @param string $locale The locale.
	 */
	return apply_filters( 'determine_locale', $determined_locale );
}
endif;

/*
 * acf_get_locale
 *
 * Returns the current locale.
 *
 * @date	16/12/16
 * @since	5.5.0
 *
 * @param	void
 * @return	string
 */
function acf_get_locale() {
	
	// Determine local.
	$locale = determine_locale();
	
	// Fallback to parent language for regions without translation.
	// https://wpastra.com/docs/complete-list-wordpress-locale-codes/
	$langs = array(
		'az_TR'	=> 'az',		// Azerbaijani (Turkey)
		'zh_HK'	=> 'zh_CN',		// Chinese (Hong Kong)
		'nl_BE'	=> 'nl_NL',		// Dutch (Belgium)
		'fr_BE'	=> 'fr_FR',		// French (Belgium)
		'nn_NO'	=> 'nb_NO',		// Norwegian (Nynorsk)
		'fa_AF'	=> 'fa_IR',		// Persian (Afghanistan)
		'ru_UA'	=> 'ru_RU',		// Russian (Ukraine)
	);
	if( isset($langs[ $locale ]) ) {
		$locale = $langs[ $locale ];
	}
	
	/**
	 * Filters the determined local.
	 *
	 * @date	8/1/19
	 * @since	5.7.10
	 *
	 * @param	string $locale The local.
	 */
	return apply_filters( 'acf/get_locale', $locale );
}

/**
 * acf_load_textdomain
 *
 * Loads the plugin's translated strings similar to load_plugin_textdomain().
 *
 * @date	8/1/19
 * @since	5.7.10
 *
 * @param	string $locale The plugin's current locale.
 * @return	void
 */
function acf_load_textdomain( $domain = 'acf' ) {
	
	/**
	 * Filters a plugin's locale.
	 *
	 * @date	8/1/19
	 * @since	5.7.10
	 *
	 * @param 	string $locale The plugin's current locale.
	 * @param 	string $domain Text domain. Unique identifier for retrieving translated strings.
	 */
	$locale = apply_filters( 'plugin_locale', acf_get_locale(), $domain );
	$mofile = $domain . '-' . $locale . '.mo';
	
	// Try to load from the languages directory first.
	if( load_textdomain( $domain, WP_LANG_DIR . '/plugins/' . $mofile ) ) {
		return true;
	}
	
	// Load from plugin lang folder.
	return load_textdomain( $domain, acf_get_path( 'lang/' . $mofile ) );
}

 /**
 * _acf_apply_language_cache_key
 *
 * Applies the current language to the cache key.
 *
 * @date	23/1/19
 * @since	5.7.11
 *
 * @param	string $key The cache key.
 * @return	string
 */
function _acf_apply_language_cache_key( $key ) {
	
	// Get current language.
	$current_language = acf_get_setting('current_language');
	if( $current_language ) {
		$key = "{$key}:{$current_language}";
	}
	
	// Return key.
	return $key;
}

// Hook into filter.
add_filter( 'acf/get_cache_key', '_acf_apply_language_cache_key' );
PK�[��*���includes/acf-user-functions.phpnu�[���<?php 

/**
 * acf_get_users
 *
 * Similar to the get_users() function but with extra functionality.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	array $args The query args.
 * @return	array
 */
function acf_get_users( $args = array() ) {
	
	// Get users.
	$users = get_users( $args );
	
	// Maintain order.
	if( $users && $args['include'] ) {
		
		// Generate order array.
		$order = array();
		foreach( $users as $i => $user ) {
			$order[ $i ] = array_search($user->ID, $args['include']);
		}
		
		// Sort results.
		array_multisort($order, $users);	
	}
	
	// Return
	return $users;
}

/**
 * acf_get_user_result
 *
 * Returns a result containing "id" and "text" for the given user.
 *
 * @date	21/5/19
 * @since	5.8.1
 *
 * @param	WP_User $user The user object.
 * @return	array
 */
function acf_get_user_result( $user ) {
	
	// Vars.
	$id = $user->ID;
	$text = $user->user_login;
	
	// Add name.
	if( $user->first_name && $user->last_name ) {
		$text .= " ({$user->first_name} {$user->last_name})";
	} elseif( $user->last_name ) {
		$text .= " ({$user->first_name})";
	}
	return compact('id', 'text');
}


/**
 * acf_get_user_role_labels
 *
 * Returns an array of user roles in the format "name => label".
 *
 * @date	20/5/19
 * @since	5.8.1
 *
 * @param	array $roles A specific array of roles.
 * @return	array
 */
function acf_get_user_role_labels( $roles = array() ) {
	
	// Load all roles if none provided.
	if( !$roles ) {
		$roles = get_editable_roles();
	}
	
	// Loop over roles and populare labels.
	$lables = array();
	foreach( $roles as $role ) {
		$lables[ $role ] = translate_user_role( $role );
	}
	
	// Return labels.
	return $lables;
}

/**
 * acf_allow_unfiltered_html
 *
 * Returns true if the current user is allowed to save unfiltered HTML.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	bool
 */
function acf_allow_unfiltered_html() {
	
	// Check capability.
	$allow_unfiltered_html = current_user_can('unfiltered_html');
	
	/**
	 * Filters whether the current user is allowed to save unfiltered HTML.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	bool allow_unfiltered_html The result.
	 */
	return apply_filters( 'acf/allow_unfiltered_html', $allow_unfiltered_html );
}PK�[�Ed���includes/json.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_json') ) :

class acf_json {
	
	function __construct() {
		
		// update setting
		acf_update_setting('save_json', get_stylesheet_directory() . '/acf-json');
		acf_append_setting('load_json', get_stylesheet_directory() . '/acf-json');
		
		
		// actions
		add_action('acf/update_field_group',		array($this, 'update_field_group'), 10, 1);
		add_action('acf/untrash_field_group',		array($this, 'update_field_group'), 10, 1);
		add_action('acf/trash_field_group',			array($this, 'delete_field_group'), 10, 1);
		add_action('acf/delete_field_group',		array($this, 'delete_field_group'), 10, 1);
		add_action('acf/include_fields', 			array($this, 'include_json_folders'), 10, 0);
		
	}
	
	
	/*
	*  update_field_group
	*
	*  This function is hooked into the acf/update_field_group action and will save all field group data to a .json file 
	*
	*  @type	function
	*  @date	10/03/2014
	*  @since	5.0.0
	*
	*  @param	$field_group (array)
	*  @return	n/a
	*/
	
	function update_field_group( $field_group ) {
		
		// validate
		if( !acf_get_setting('json') ) return;
		
		
		// get fields
		$field_group['fields'] = acf_get_fields( $field_group );
		
		
		// save file
		acf_write_json_field_group( $field_group );
			
	}
	
	
	/*
	*  delete_field_group
	*
	*  This function will remove the field group .json file
	*
	*  @type	function
	*  @date	10/03/2014
	*  @since	5.0.0
	*
	*  @param	$field_group (array)
	*  @return	n/a
	*/
	
	function delete_field_group( $field_group ) {
		
		// validate
		if( !acf_get_setting('json') ) return;
		
		
		// WP appends '__trashed' to end of 'key' (post_name) 
		$field_group['key'] = str_replace('__trashed', '', $field_group['key']);
		
		
		// delete
		acf_delete_json_field_group( $field_group['key'] );
		
	}
		
	
	/*
	*  include_json_folders
	*
	*  This function will include all registered .json files
	*
	*  @type	function
	*  @date	10/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function include_json_folders() {
		
		// validate
		if( !acf_get_setting('json') ) return;
		
		
		// vars
		$paths = acf_get_setting('load_json');
		
		
		// loop through and add to cache
		foreach( $paths as $path ) {
			
			$this->include_json_folder( $path );
		    
		}
		
	}
	
	
	/*
	*  include_json_folder
	*
	*  This function will include all .json files within a folder
	*
	*  @type	function
	*  @date	1/5/17
	*  @since	5.5.13
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function include_json_folder( $path = '' ) {
		
		// remove trailing slash
		$path = untrailingslashit( $path );
		
		
		// bail early if path does not exist
		if( !is_dir($path) ) return false;
		
		
		// open
		$dir = opendir( $path );
    
		// bail early if not valid
		if( !$dir ) return false;
		
		// loop over files
	    while(false !== ( $file = readdir($dir)) ) {
	    	
	    	// validate type
			if( pathinfo($file, PATHINFO_EXTENSION) !== 'json' ) continue;
	    	
	    	
	    	// read json
	    	$json = file_get_contents("{$path}/{$file}");
	    	
	    	
	    	// validate json
	    	if( empty($json) ) continue;
	    	
	    	
	    	// decode
	    	$json = json_decode($json, true);
	    	
	    	
	    	// add local
	    	$json['local'] = 'json';
	    	
	    	
	    	// add field group
	    	acf_add_local_field_group( $json );
	        
	    }
	    
	    
	    // return
	    return true;
	    
	}
	
}


// initialize
acf()->json = new acf_json();

endif; // class_exists check


/*
*  acf_write_json_field_group
*
*  This function will save a field group to a json file within the current theme
*
*  @type	function
*  @date	5/12/2014
*  @since	5.1.5
*
*  @param	$field_group (array)
*  @return	(boolean)
*/

function acf_write_json_field_group( $field_group ) {
	
	// vars
	$path = acf_get_setting('save_json');
	$file = $field_group['key'] . '.json';
	
	
	// remove trailing slash
	$path = untrailingslashit( $path );
	
	
	// bail early if dir does not exist
	if( !is_writable($path) ) return false;
	
	
	// prepare for export
	$id = acf_extract_var( $field_group, 'ID' );
	$field_group = acf_prepare_field_group_for_export( $field_group );
	

	// add modified time
	$field_group['modified'] = get_post_modified_time('U', true, $id, true);
	
	
	// write file
	$f = fopen("{$path}/{$file}", 'w');
	fwrite($f, acf_json_encode( $field_group ));
	fclose($f);
	
	
	// return
	return true;
	
}


/*
*  acf_delete_json_field_group
*
*  This function will delete a json field group file
*
*  @type	function
*  @date	5/12/2014
*  @since	5.1.5
*
*  @param	$key (string)
*  @return	(boolean)
*/

function acf_delete_json_field_group( $key ) {
	
	// vars
	$path = acf_get_setting('save_json');
	$file = $key . '.json';
	
	
	// remove trailing slash
	$path = untrailingslashit( $path );
	
	
	// bail early if file does not exist
	if( !is_readable("{$path}/{$file}") ) {
	
		return false;
		
	}
	
		
	// remove file
	unlink("{$path}/{$file}");
	
	
	// return
	return true;
	
}


?>PK�['�ҵ�includes/local-meta.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Local_Meta') ) :

class ACF_Local_Meta {
	
	/** @var array Storage for meta data. */
	var $meta = array();
	
	/** @var mixed Storage for the current post_id. */
	var $post_id = 0;
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	void
	 * @return	void
	 */
	function __construct() {
		
		// add filters
		add_filter( 'acf/pre_load_post_id', 	array($this, 'pre_load_post_id'), 	1, 2 );
		add_filter( 'acf/pre_load_meta', 		array($this, 'pre_load_meta'), 		1, 2 );
		add_filter( 'acf/pre_load_metadata', 	array($this, 'pre_load_metadata'), 	1, 4 );
	}
	
	/**
	 * add
	 *
	 * Adds postmeta to storage.
	 * Accepts data in either raw or request format.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	array $meta An array of metdata to store.
	 * @param	mixed $post_id The post_id for this data.
	 * @param	bool $is_main Makes this postmeta visible to get_field() without a $post_id value.
	 * @return	array
	 */
	function add( $meta = array(), $post_id = 0, $is_main = false ) {
		
		// Capture meta if supplied meta is from a REQUEST.
		if( $this->is_request($meta) ) {
			$meta = $this->capture( $meta, $post_id );
		}
		
		// Add to storage.
		$this->meta[ $post_id ] = $meta;
		
		// Set $post_id reference when is the "main" postmeta.
		if( $is_main ) {
			$this->post_id = $post_id;
		}
		
		// Return meta.
		return $meta;
	}
	
	/**
	 * is_request
	 *
	 * Returns true if the supplied $meta is from a REQUEST (serialized <form> data).
	 *
	 * @date	11/3/19
	 * @since	5.7.14
	 *
	 * @param	array $meta An array of metdata to check.
	 * @return	bool
	 */
	function is_request( $meta = array() ) {
		return acf_is_field_key( key( $meta ) );
	}
	
	/**
	 * capture
	 *
	 * Returns a flattened array of meta for the given postdata.
	 * This is achieved by simulating a save whilst capturing all meta changes.
	 *
	 * @date	26/2/19
	 * @since	5.7.13
	 *
	 * @param	array $values An array of raw values.
	 * @param	mixed $post_id The post_id for this data.
	 * @return	array
	 */
	function capture( $values = array(), $post_id = 0 ) {
		
		// Reset meta.
		$this->meta[ $post_id ] = array();
		
		// Listen for any added meta.
		add_filter('acf/pre_update_metadata', array($this, 'capture_update_metadata'), 1, 5);
		
		// Simulate update.
		if( $values ) {
			acf_update_values( $values, $post_id );
		}
		
		// Remove listener filter.
		remove_filter('acf/pre_update_metadata', array($this, 'capture_update_metadata'), 1, 5);
		
		// Return meta.
		return $this->meta[ $post_id ];
	}
	
	/**
	 * capture_update_metadata
	 *
	 * Records all meta activity and returns a non null value to bypass DB updates.
	 *
	 * @date	26/2/19
	 * @since	5.7.13
	 *
	 * @param	null $null .
	 * @param	(int|string) $post_id The post id.
	 * @param	string $name The meta name.
	 * @param	mixed $value The meta value.
	 * @param	bool $hidden If the meta is hidden (starts with an underscore).
	 * @return	false.
	 */
	function capture_update_metadata( $null, $post_id, $name, $value, $hidden ) {
		$name = ($hidden ? '_' : '') . $name;
		$this->meta[ $post_id ][ $name ] = $value;
		
		// Return non null value to escape update process.
		return true;
	}
	
	/**
	 * remove
	 *
	 * Removes postmeta from storage.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	mixed $post_id The post_id for this data.
	 * @return	void
	 */
	function remove( $post_id = 0 ) {
		
		// unset meta
		unset( $this->meta[ $post_id ] );
		
		// reset post_id
		if( $post_id === $this->post_id ) {
			$this->post_id = 0;
		}
	}
	
	/**
	 * pre_load_meta
	 *
	 * Injects the local meta.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	null $null An empty parameter. Return a non null value to short-circuit the function.
	 * @param	mixed $post_id The post_id for this data.
	 * @return	mixed
	 */
	function pre_load_meta( $null, $post_id ) {
		if( isset($this->meta[ $post_id ]) ) {
			return $this->meta[ $post_id ];
		}
		return $null;
	}
	
	/**
	 * pre_load_metadata
	 *
	 * Injects the local meta.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	null $null An empty parameter. Return a non null value to short-circuit the function.
	 * @param	(int|string) $post_id The post id.
	 * @param	string $name The meta name.
	 * @param	bool $hidden If the meta is hidden (starts with an underscore).
	 * @return	mixed
	 */
	function pre_load_metadata( $null, $post_id, $name, $hidden ) {
		$name = ($hidden ? '_' : '') . $name;
		if( isset($this->meta[ $post_id ]) ) {
			if( isset($this->meta[ $post_id ][ $name ]) ) {
				return $this->meta[ $post_id ][ $name ];
			}
			return '__return_null';
		}
		return $null;
	}
		
	/**
	 * pre_load_post_id
	 *
	 * Injects the local post_id.
	 *
	 * @date	8/10/18
	 * @since	5.8.0
	 *
	 * @param	null $null An empty parameter. Return a non null value to short-circuit the function.
	 * @param	mixed $post_id The post_id for this data.
	 * @return	mixed
	 */
	function pre_load_post_id( $null, $post_id ) {
		if( !$post_id && $this->post_id ) {
			return $this->post_id;
		}
		return $null;
	}
}

endif; // class_exists check

/**
 * acf_setup_meta
 *
 * Adds postmeta to storage.
 *
 * @date	8/10/18
 * @since	5.8.0
 * @see		ACF_Local_Meta::add() for list of parameters.
 *
 * @return	array
 */
function acf_setup_meta( $meta = array(), $post_id = 0, $is_main = false ) {
	return acf_get_instance('ACF_Local_Meta')->add( $meta, $post_id, $is_main );
}

/**
 * acf_reset_meta
 *
 * Removes postmeta to storage.
 *
 * @date	8/10/18
 * @since	5.8.0
 * @see		ACF_Local_Meta::remove() for list of parameters.
 *
 * @return	void
 */
function acf_reset_meta( $post_id = 0 ) {
	return acf_get_instance('ACF_Local_Meta')->remove( $post_id );
}
PK�[��E��� includes/acf-value-functions.phpnu�[���<?php 

// Register store.
acf_register_store( 'values' )->prop( 'multisite', true );

/**
 * acf_get_reference
 *
 * Retrieves the field key for a given field name and post_id.
 *
 * @date	26/1/18
 * @since	5.6.5
 *
 * @param	string $field_name The name of the field. eg 'sub_heading'.
 * @param	mixed $post_id The post_id of which the value is saved against.
 * @return	string The field key.
 */
function acf_get_reference( $field_name, $post_id ) {
	
	// Allow filter to short-circuit load_value logic.
	$reference = apply_filters( "acf/pre_load_reference", null, $field_name, $post_id );
    if( $reference !== null ) {
	    return $reference;
    }
    
	// Get hidden meta for this field name.
	$reference = acf_get_metadata( $post_id, $field_name, true );
	
	/**
	 * Filters the reference value.
	 *
	 * @date	25/1/19
	 * @since	5.7.11
	 *
	 * @param	string $reference The reference value.
	 * @param	string $field_name The field name.
	 * @param	(int|string) $post_id The post ID where meta is stored.
	 */
	return apply_filters( "acf/load_reference", $reference, $field_name, $post_id );
}

/**
 * acf_get_value
 *
 * Retrieves the value for a given field and post_id.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	(int|string) $post_id The post id.
 * @param	array $field The field array.
 * @return	mixed.
 */
function acf_get_value( $post_id = 0, $field ) {
	
	// Allow filter to short-circuit load_value logic.
	$value = apply_filters( "acf/pre_load_value", null, $post_id, $field );
    if( $value !== null ) {
	    return $value;
    }
    
    // Get field name.
    $field_name = $field['name'];
    
    // Check store.
	$store = acf_get_store( 'values' );
	if( $store->has( "$post_id:$field_name" ) ) {
		return $store->get( "$post_id:$field_name" );
	}
	
	// Load value from database.
	$value = acf_get_metadata( $post_id, $field_name );
	
	// Use field's default_value if no meta was found.
	if( $value === null && isset($field['default_value']) ) {
		$value = $field['default_value'];
	}
	
	/**
	 * Filters the $value after it has been loaded.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	mixed $value The value to preview.
	 * @param	string $post_id The post ID for this value.
	 * @param	array $field The field array.
	 */
	$value = apply_filters( "acf/load_value", $value, $post_id, $field );
	
	// Update store.
	$store->set( "$post_id:$field_name", $value );

	// Return value.
	return $value;
}

// Register variation.
acf_add_filter_variations( 'acf/load_value', array('type', 'name', 'key'), 2 );

/**
 * acf_format_value
 *
 * Returns a formatted version of the provided value.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	mixed $value The field value.
 * @param	(int|string) $post_id The post id.
 * @param	array $field The field array.
 * @return	mixed.
 */
function acf_format_value( $value, $post_id, $field ) {
	
	// Allow filter to short-circuit load_value logic.
	$check = apply_filters( "acf/pre_format_value", null, $value, $post_id, $field );
    if( $check !== null ) {
	    return $check;
    }
    
    // Get field name.
    $field_name = $field['name'];
    
    // Check store.
	$store = acf_get_store( 'values' );
	if( $store->has( "$post_id:$field_name:formatted" ) ) {
		return $store->get( "$post_id:$field_name:formatted" );
	}
	
	/**
	 * Filters the $value for use in a template function.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	mixed $value The value to preview.
	 * @param	string $post_id The post ID for this value.
	 * @param	array $field The field array.
	 */
	$value = apply_filters( "acf/format_value", $value, $post_id, $field );
	
	// Update store.
	$store->set( "$post_id:$field_name:formatted", $value );

	// Return value.
	return $value;
}

// Register variation.
acf_add_filter_variations( 'acf/format_value', array('type', 'name', 'key'), 2 );

/**
 * acf_update_value
 *
 * Updates the value for a given field and post_id.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	mixed $value The new value.
 * @param	(int|string) $post_id The post id.
 * @param	array $field The field array.
 * @return	bool.
 */
function acf_update_value( $value = null, $post_id = 0, $field ) {
	
	// Allow filter to short-circuit update_value logic.
	$check = apply_filters( "acf/pre_update_value", null, $value, $post_id, $field );
	if( $check !== null ) {
		 return $check;
	}
    
    /**
	 * Filters the $value before it is updated.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	mixed $value The value to update.
	 * @param	string $post_id The post ID for this value.
	 * @param	array $field The field array.
	 * @param	mixed $original The original value before modification.
	 */
	$value = apply_filters( "acf/update_value", $value, $post_id, $field, $value );
	
	// Allow null to delete value.
	if( $value === null ) {
		return acf_delete_value( $post_id, $field );
	}
	
	// Update meta.
	$return = acf_update_metadata( $post_id, $field['name'], $value );
	
	// Update reference.
	acf_update_metadata( $post_id, $field['name'], $field['key'], true );
	
	// Delete stored data.
	acf_flush_value_cache( $post_id, $field['name'] );
	
	// Return update status.
	return $return;
}

// Register variation.
acf_add_filter_variations( 'acf/update_value', array('type', 'name', 'key'), 2 );

/**
 * acf_update_values
 *
 * Updates an array of values.
 *
 * @date	26/2/19
 * @since	5.7.13
 *
 * @param	array values The array of values.
 * @param	(int|string) $post_id The post id.
 * @return	void
 */
function acf_update_values( $values = array(), $post_id = 0 ) {
	
	// Loop over values.
	foreach( $values as $key => $value ) {
		
		// Get field.
		$field = acf_get_field( $key );
		
		// Update value.
		if( $field ) {
			acf_update_value( $value, $post_id, $field );
		}
	}
}

/**
 * acf_flush_value_cache
 *
 * Deletes all cached data for this value.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $post_id The post id.
 * @param	string $field_name The field name.
 * @return	void
 */
function acf_flush_value_cache( $post_id = 0, $field_name = '' ) {
	
	// Delete stored data.
	acf_get_store( 'values' )
		->remove( "$post_id:$field_name" )
		->remove( "$post_id:$field_name:formatted" );
}

/**
 * acf_delete_value
 *
 * Deletes the value for a given field and post_id.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	(int|string) $post_id The post id.
 * @param	array $field The field array.
 * @return	bool.
 */
function acf_delete_value( $post_id, $field ) {
	
	/**
	 * Fires before a value is deleted.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	string $post_id The post ID for this value.
	 * @param	mixed $name The meta name.
	 * @param	array $field The field array.
	 */
	do_action( "acf/delete_value", $post_id, $field['name'], $field );
	
	// Delete meta.
	$return = acf_delete_metadata( $post_id, $field['name'] );
	
	// Delete reference.
	acf_delete_metadata( $post_id, $field['name'], true );
	
	// Delete stored data.
	acf_flush_value_cache( $post_id, $field['name'] );
	
	// Return delete status.
	return $return;
}

// Register variation.
acf_add_filter_variations( 'acf/delete_value', array('type', 'name', 'key'), 2 );

/**
 * acf_preview_value
 *
 * Return a human friendly 'preview' for a given field value.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	mixed $value The new value.
 * @param	(int|string) $post_id The post id.
 * @param	array $field The field array.
 * @return	bool.
 */
function acf_preview_value( $value, $post_id, $field ) {
	
	/**
	 * Filters the $value before used in HTML.
	 *
	 * @date	24/10/16
	 * @since	5.5.0
	 *
	 * @param	mixed $value The value to preview.
	 * @param	string $post_id The post ID for this value.
	 * @param	array $field The field array.
	 */
	return apply_filters( "acf/preview_value", $value, $post_id, $field );
}

// Register variation.
acf_add_filter_variations( 'acf/preview_value', array('type', 'name', 'key'), 2 );
PK�[��`zzincludes/validation.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_validation') ) :

class acf_validation {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// vars
		$this->errors = array();
		
		
		// ajax
		add_action('wp_ajax_acf/validate_save_post',			array($this, 'ajax_validate_save_post'));
		add_action('wp_ajax_nopriv_acf/validate_save_post',		array($this, 'ajax_validate_save_post'));
		add_action('acf/validate_save_post',					array($this, 'acf_validate_save_post'), 5);
		
	}
	
	
	/*
	*  add_error
	*
	*  This function will add an error message for a field
	*
	*  @type	function
	*  @date	25/11/2013
	*  @since	5.0.0
	*
	*  @param	$input (string) name attribute of DOM elmenet
	*  @param	$message (string) error message
	*  @return	$post_id (int)
	*/
	
	function add_error( $input, $message ) {
		
		// add to array
		$this->errors[] = array(
			'input'		=> $input,
			'message'	=> $message
		);
		
	}
	
	
	/*
	*  get_error
	*
	*  This function will return an error for a given input
	*
	*  @type	function
	*  @date	5/03/2016
	*  @since	5.3.2
	*
	*  @param	$input (string) name attribute of DOM elmenet
	*  @return	(mixed)
	*/
	
	function get_error( $input ) {
		
		// bail early if no errors
		if( empty($this->errors) ) return false;
		
		
		// loop
		foreach( $this->errors as $error ) {
			
			if( $error['input'] === $input ) return $error;
			
		}
		
		
		// return
		return false;
				
	}
	
	
	/*
	*  get_errors
	*
	*  This function will return validation errors
	*
	*  @type	function
	*  @date	25/11/2013
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	(array|boolean)
	*/
	
	function get_errors() {
		
		// bail early if no errors
		if( empty($this->errors) ) return false;
		
		
		// return
		return $this->errors;
		
	}
	
	
	/*
	*  reset_errors
	*
	*  This function will remove all errors
	*
	*  @type	function
	*  @date	4/03/2016
	*  @since	5.3.2
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function reset_errors() {
		
		$this->errors = array();
		
	}
	
	
	/*
	*  ajax_validate_save_post
	*
	*  This function will validate the $_POST data via AJAX
	*
	*  @type	function
	*  @date	27/10/2014
	*  @since	5.0.9
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function ajax_validate_save_post() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// vars
		$json = array(
			'valid'		=> 1,
			'errors'	=> 0
		);
		
		
		// success
		if( acf_validate_save_post() ) {
			
			wp_send_json_success($json);
			
		}
		
		
		// update vars
		$json['valid'] = 0;
		$json['errors'] = acf_get_validation_errors();
		
		
		// return
		wp_send_json_success($json);
		
	}
	
	
	/*
	*  acf_validate_save_post
	*
	*  This function will loop over $_POST data and validate
	*
	*  @type	function
	*  @date	7/09/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function acf_validate_save_post() {
		
		// bail early if no $_POST
		if( empty($_POST['acf']) ) return;
		
		
		// validate
		acf_validate_values( $_POST['acf'], 'acf' );
				
	}
	
}

// initialize
acf()->validation = new acf_validation();

endif; // class_exists check


/*
*  Public functions
*
*  alias of acf()->validation->function()
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_add_validation_error( $input, $message = '' ) {
	
	return acf()->validation->add_error( $input, $message );
	
}

function acf_get_validation_errors() {
	
	return acf()->validation->get_errors();
	
}

function acf_get_validation_error() {
	
	return acf()->validation->get_error( $input );
	
}

function acf_reset_validation_errors() {
	
	return acf()->validation->reset_errors();
	
}


/*
*  acf_validate_save_post
*
*  This function will validate $_POST data and add errors
*
*  @type	function
*  @date	25/11/2013
*  @since	5.0.0
*
*  @param	$show_errors (boolean) if true, errors will be shown via a wp_die screen
*  @return	(boolean)
*/

function acf_validate_save_post( $show_errors = false ) {
	
	// action
	do_action('acf/validate_save_post');
	
	
	// vars
	$errors = acf_get_validation_errors();
	
	
	// bail ealry if no errors
	if( !$errors ) return true;
	
	
	// show errors
	if( $show_errors ) {
			
		$message = '<h2>' . __('Validation failed', 'acf') . '</h2>';
		$message .= '<ul>';
		foreach( $errors as $error ) {
			
			$message .= '<li>' . $error['message'] . '</li>';
			
		}
		$message .= '</ul>';
		
		
		// die
		wp_die( $message, __('Validation failed', 'acf') );
		
	}
	
	
	// return
	return false;
	
}


/*
*  acf_validate_values
*
*  This function will validate an array of field values
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	values (array)
*  @param	$input_prefix (string)
*  @return	n/a
*/

function acf_validate_values( $values, $input_prefix = '' ) {
	
	// bail early if empty
	if( empty($values) ) return;
	
	
	// loop
	foreach( $values as $key => $value ) {
		
		// vars
		$field = acf_get_field( $key );
		$input = $input_prefix . '[' . $key . ']';
		
		
		// bail early if not found
		if( !$field ) continue;
		
		
		// validate
		acf_validate_value( $value, $field, $input );
		
	}
	
}


/*
*  acf_validate_value
*
*  This function will validate a field's value
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_validate_value( $value, $field, $input ) {
	
	// vars
	$valid = true;
	$message = sprintf( __( '%s value is required', 'acf' ), $field['label'] );
	
	
	// valid
	if( $field['required'] ) {
		
		// valid is set to false if the value is empty, but allow 0 as a valid value
		if( empty($value) && !is_numeric($value) ) {
			
			$valid = false;
			
		}
		
	}
	
	
	/**
	*  Filters whether the value is valid.
	*
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	bool $valid The valid status. Return a string to display a custom error message.
	*  @param	mixed $value The value.
	*  @param	array $field The field array.
	*  @param	string $input The input element's name attribute.
	*/
	$valid = apply_filters( "acf/validate_value/type={$field['type']}",		$valid, $value, $field, $input );
	$valid = apply_filters( "acf/validate_value/name={$field['_name']}", 	$valid, $value, $field, $input );
	$valid = apply_filters( "acf/validate_value/key={$field['key']}", 		$valid, $value, $field, $input );
	$valid = apply_filters( "acf/validate_value", 							$valid, $value, $field, $input );
	
	
	// allow $valid to be a custom error message
	if( !empty($valid) && is_string($valid) ) {
		
		$message = $valid;
		$valid = false;
		
	}
	
	
	if( !$valid ) {
		
		acf_add_validation_error( $input, $message );
		return false;
		
	}
	
	
	// return
	return true;
	
}
PK�[
9�)�)includes/api/api-term.phpnu�[���<?php

/*
*  acf_get_taxonomies
*
*  Returns an array of taxonomy names.
*
*  @date	7/10/13
*  @since	5.0.0
*
*  @param	array $args An array of args used in the get_taxonomies() function.
*  @return	array An array of taxonomy names.
*/

function acf_get_taxonomies( $args = array() ) {

	// vars
	$taxonomies = array();
	
	// get taxonomy objects
	$objects = get_taxonomies( $args, 'objects' );
	
	// loop
	foreach( $objects as $i => $object ) {
		
		// bail early if is builtin (WP) private post type
		// - nav_menu_item, revision, customize_changeset, etc
		if( $object->_builtin && !$object->public ) continue;
		
		// append
		$taxonomies[] = $i;
	}
	
	// custom post_type arg which does not yet exist in core
	if( isset($args['post_type']) ) {
		$taxonomies = acf_get_taxonomies_for_post_type($args['post_type']);
	}
	
	// filter
	$taxonomies = apply_filters('acf/get_taxonomies', $taxonomies, $args);
	
	// return
	return $taxonomies;
}

/**
*  acf_get_taxonomies_for_post_type
*
*  Returns an array of taxonomies for a given post type(s)
*
*  @date	7/9/18
*  @since	5.7.5
*
*  @param	string|array $post_types The post types to compare against.
*  @return	array
*/
function acf_get_taxonomies_for_post_type( $post_types = 'post' ) {
	
	// vars
	$taxonomies = array();
	
	// loop
	foreach( (array) $post_types as $post_type ) {
		$object_taxonomies = get_object_taxonomies( $post_type );
		foreach( (array) $object_taxonomies as $taxonomy ) {
			$taxonomies[] = $taxonomy;						
		}
	}
	
	// remove duplicates
	$taxonomies = array_unique($taxonomies);
	
	// return
	return $taxonomies;
}

/*
*  acf_get_taxonomy_labels
*
*  Returns an array of taxonomies in the format "name => label" for use in a select field.
*
*  @date	3/8/18
*  @since	5.7.2
*
*  @param	array $taxonomies Optional. An array of specific taxonomies to return.
*  @return	array
*/

function acf_get_taxonomy_labels( $taxonomies = array() ) {
	
	// default
	if( empty($taxonomies) ) {
		$taxonomies = acf_get_taxonomies();
	}
	
	// vars
	$ref = array();
	$data = array();
	
	// loop
	foreach( $taxonomies as $taxonomy ) {
		
		// vars
		$object = get_taxonomy( $taxonomy );
		$label = $object->labels->singular_name;
		
		// append
		$data[ $taxonomy ] = $label;
		
		// increase counter
		if( !isset($ref[ $label ]) ) {
			$ref[ $label ] = 0;
		}
		$ref[ $label ]++;
	}
	
	// show taxonomy name next to label for shared labels
	foreach( $data as $taxonomy => $label ) {
		if( $ref[$label] > 1 ) {
			$data[ $taxonomy ] .= ' (' . $taxonomy . ')';
		}
	}
	
	// return
	return $data;
}

/**
*  acf_get_term_title
*
*  Returns the title for this term object.
*
*  @date	10/9/18
*  @since	5.0.0
*
*  @param	object $term The WP_Term object.
*  @return	string
*/

function acf_get_term_title( $term ) {
	
	// set to term name
	$title = $term->name;
	
	// allow for empty name
	if( $title === '' ) {
		$title = __('(no title)', 'acf');
	}
	
	// prepent ancestors indentation
	if( is_taxonomy_hierarchical($term->taxonomy) ) {
		$ancestors = get_ancestors( $term->term_id, $term->taxonomy );
		$title = str_repeat('- ', count($ancestors)) . $title;
	}
	
	// return
	return $title;
}

/**
*  acf_get_grouped_terms
*
*  Returns an array of terms for the given query $args and groups by taxonomy name.
*
*  @date	2/8/18
*  @since	5.7.2
*
*  @param	array $args An array of args used in the get_terms() function.
*  @return	array
*/

function acf_get_grouped_terms( $args ) {
	
	// vars
	$data = array();
	
	// defaults
	$args = wp_parse_args($args, array(
		'taxonomy'					=> null,
		'hide_empty'				=> false,
		'update_term_meta_cache'	=> false,
	));
	
	// vars
	$taxonomies = acf_get_taxonomy_labels( acf_get_array($args['taxonomy']) );
	$is_single = (count($taxonomies) == 1);
	
	// specify exact taxonomies required for _acf_terms_clauses() to work.
	$args['taxonomy'] = array_keys($taxonomies);
	
	// add filter to group results by taxonomy
	if( !$is_single ) {
		add_filter('terms_clauses', '_acf_terms_clauses', 10, 3);
	}
	
	// get terms
	$terms = get_terms( $args );
	
	// remove this filter (only once)
	if( !$is_single ) {
		remove_filter('terms_clauses', '_acf_terms_clauses', 10, 3);
	}
	
	// loop
	foreach( $taxonomies as $taxonomy => $label ) {
		
		// vars
		$this_terms = array();
		
		// populate $this_terms
		foreach( $terms as $term ) {
			if( $term->taxonomy == $taxonomy ) {
				$this_terms[] = $term;
			}
		}
		
		// bail early if no $items
		if( empty($this_terms) ) continue;
		
		// sort into hierachial order
		// this will fail if a search has taken place because parents wont exist
		if( is_taxonomy_hierarchical($taxonomy) && empty($args['s'])) {
			
			// get all terms from this taxonomy
			$all_terms = get_terms(array_merge($args, array(
				'number'		=> 0,
				'offset'		=> 0,
				'taxonomy'		=> $taxonomy
			)));
			
			// vars
			$length = count($this_terms);
			$offset = 0;
			
			// find starting point (offset)
			foreach( $all_terms as $i => $term ) {
				if( $term->term_id == $this_terms[0]->term_id ) {
					$offset = $i;
					break;
				}
			}
			
			// order terms
			$parent = acf_maybe_get( $args, 'parent', 0 );
			$parent = acf_maybe_get( $args, 'child_of', $parent );
			$ordered_terms = _get_term_children( $parent, $all_terms, $taxonomy );
			
			// compare aray lengths
			// if $ordered_posts is smaller than $all_posts, WP has lost posts during the get_page_children() function
			// this is possible when get_post( $args ) filter out parents (via taxonomy, meta and other search parameters)
			if( count($ordered_terms) == count($all_terms) ) {
				$this_terms = array_slice($ordered_terms, $offset, $length);
			}
		}
		
		// populate group
		$data[ $label ] = array();
		foreach( $this_terms as $term ) {
			$data[ $label ][ $term->term_id ] = $term;
		}	
	}
	
	// return
	return $data;
}

/**
*  _acf_terms_clauses
*
*  Used in the 'terms_clauses' filter to order terms by taxonomy name.
*
*  @date	2/8/18
*  @since	5.7.2
*
*  @param	array $pieces     Terms query SQL clauses.
*  @param	array $taxonomies An array of taxonomies.
*  @param	array $args       An array of terms query arguments.
*  @return	array $pieces
*/

function _acf_terms_clauses( $pieces, $taxonomies, $args ) {
	
	// prepend taxonomy to 'orderby' SQL
	if( is_array($taxonomies) ) {
		$sql = "FIELD(tt.taxonomy,'" . implode("', '", array_map('esc_sql', $taxonomies)) . "')";
		$pieces['orderby'] = str_replace("ORDER BY", "ORDER BY $sql,", $pieces['orderby']);
	}
	
	// return	
	return $pieces;
}

/**
*  acf_get_pretty_taxonomies
*
*  Deprecated in favor of acf_get_taxonomy_labels() function.
*
*  @date		7/10/13
*  @since		5.0.0
*  @deprecated	5.7.2
*/

function acf_get_pretty_taxonomies( $taxonomies = array() ) {
	return acf_get_taxonomy_labels( $taxonomies );
}

/**
*  acf_get_term
*
*  Similar to get_term() but with some extra functionality.
*
*  @date	19/8/18
*  @since	5.7.3
*
*  @param	mixed $term_id The term ID or a string of "taxonomy:slug".
*  @param	string $taxonomy The taxonomyname.
*  @return	WP_Term
*/

function acf_get_term( $term_id, $taxonomy = '' ) {
	
	// allow $term_id parameter to be a string of "taxonomy:slug" or "taxonomy:id"
	if( is_string($term_id) && strpos($term_id, ':') ) {
		list( $taxonomy, $term_id ) = explode(':', $term_id);
		$term = get_term_by( 'slug', $term_id, $taxonomy );
		if( $term ) return $term;
	}
	
	// return
	return get_term( $term_id, $taxonomy );
}

/**
*  acf_encode_term
*
*  Returns a "taxonomy:slug" string for a given WP_Term.
*
*  @date	27/8/18
*  @since	5.7.4
*
*  @param	WP_Term $term The term object.
*  @return	string
*/
function acf_encode_term( $term ) {
	return "{$term->taxonomy}:{$term->slug}";
}

/**
*  acf_decode_term
*
*  Decodes a "taxonomy:slug" string into an array of taxonomy and slug.
*
*  @date	27/8/18
*  @since	5.7.4
*
*  @param	WP_Term $term The term object.
*  @return	string
*/
function acf_decode_term( $string ) {
	if( is_string($string) && strpos($string, ':') ) {
		list( $taxonomy, $slug ) = explode(':', $string);
		return array(
			'taxonomy'	=> $taxonomy,
			'slug'		=> $slug
		);
	}
	return false;
}

/**
*  acf_get_encoded_terms
*
*  Returns an array of WP_Term objects from an array of encoded strings
*
*  @date	9/9/18
*  @since	5.7.5
*
*  @param	array $values The array of encoded strings.
*  @return	array
*/
function acf_get_encoded_terms( $values ) {
	
	// vars
	$terms = array();
	
	// loop over values
	foreach( (array) $values as $value ) {
		
		// find term from string
		$term = acf_get_term( $value );
		
		// append
		if( $term instanceof WP_Term ) {
			$terms[] = $term;
		}
	}
	
	// return
	return $terms;
}

/**
*  acf_get_choices_from_terms
*
*  Returns an array of choices from the terms provided.
*
*  @date	8/9/18
*  @since	5.7.5
*
*  @param	array $values and array of WP_Terms objects or encoded strings.
*  @param	string $format The value format (term_id, slug).
*  @return	array
*/
function acf_get_choices_from_terms( $terms, $format = 'term_id' ) {
	
	// vars
	$groups = array();
	
	// get taxonomy lables
	$labels = acf_get_taxonomy_labels();
	
	// convert array of encoded strings to terms
	$term = reset($terms);
	if( !$term instanceof WP_Term ) {
		$terms = acf_get_encoded_terms( $terms );
	}
	
	// loop over terms
	foreach( $terms as $term ) {
		$group = $labels[ $term->taxonomy ];
		$choice = acf_get_choice_from_term( $term, $format );
		$groups[ $group ][ $choice['id'] ] = $choice['text'];
	}
	
	// return
	return $groups;
}

/**
*  acf_get_choices_from_grouped_terms
*
*  Returns an array of choices from the grouped terms provided.
*
*  @date	8/9/18
*  @since	5.7.5
*
*  @param	array $value A grouped array of WP_Terms objects.
*  @param	string $format The value format (term_id, slug).
*  @return	array
*/
function acf_get_choices_from_grouped_terms( $value, $format = 'term_id' ) {
	
	// vars
	$groups = array();
	
	// loop over values
	foreach( $value as $group => $terms ) {
		$groups[ $group ] = array();
		foreach( $terms as $term_id => $term ) {
			$choice = acf_get_choice_from_term( $term, $format );
			$groups[ $group ][ $choice['id'] ] = $choice['text'];
		}
	}
	
	// return
	return $groups;
}

/**
*  acf_get_choice_from_term
*
*  Returns an array containing the id and text for this item.
*
*  @date	10/9/18
*  @since	5.7.6
*
*  @param	object $item The item object such as WP_Post or WP_Term.
*  @param	string $format The value format (term_id, slug)
*  @return	array
*/
function acf_get_choice_from_term( $term, $format = 'term_id' ) {
	
	// vars
	$id = $term->term_id;
	$text = acf_get_term_title( $term );
	
	// return format
	if( $format == 'slug' ) {
		$id = acf_encode_term($term);
	}
	
	// return
	return array(
		'id'	=> $id,
		'text'	=> $text
	);
}



?>PK�[�DbK!n!nincludes/api/api-template.phpnu�[���<?php 

/*
*  get_field()
*
*  This function will return a custom field value for a specific field name/key + post_id.
*  There is a 3rd parameter to turn on/off formating. This means that an image field will not use 
*  its 'return option' to format the value but return only what was saved in the database
*
*  @type	function
*  @since	3.6
*  @date	29/01/13
*
*  @param	$selector (string) the field name or key
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$format_value (boolean) whether or not to format the value as described above
*  @return	(mixed)
*/
 
function get_field( $selector, $post_id = false, $format_value = true ) {
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id );
	
	
	// create dummy field
	if( !$field ) {
		
		$field = acf_get_valid_field(array(
			'name'	=> $selector,
			'key'	=> '',
			'type'	=> '',
		));
		
		
		// prevent formatting
		$format_value = false;
		
	}
	
	
	// get value for field
	$value = acf_get_value( $post_id, $field );
	
	
	// format value
	if( $format_value ) {
		
		// get value for field
		$value = acf_format_value( $value, $post_id, $field );
		
	}
	
	
	// return
	return $value;
	 
}


/*
*  the_field()
*
*  This function is the same as echo get_field().
*
*  @type	function
*  @since	1.0.3
*  @date	29/01/13
*
*  @param	$selector (string) the field name or key
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	n/a
*/

function the_field( $selector, $post_id = false, $format_value = true ) {
	
	$value = get_field($selector, $post_id, $format_value);
	
	if( is_array($value) ) {
		
		$value = @implode( ', ', $value );
		
	}
	
	echo $value;
	
}


/*
*  get_field_object()
*
*  This function will return an array containing all the field data for a given field_name
*
*  @type	function
*  @since	3.6
*  @date	3/02/13
*
*  @param	$selector (string) the field name or key
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$format_value (boolean) whether or not to format the field value
*  @param	$load_value (boolean) whether or not to load the field value
*  @return	$field (array)
*/

function get_field_object( $selector, $post_id = false, $format_value = true, $load_value = true ) {
	
	// compatibilty
	if( is_array($format_value) ) extract( $format_value );
	
	
	// get valid post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field key
	$field = acf_maybe_get_field( $selector, $post_id );
	
	
	// bail early if no field found
	if( !$field ) return false;
	
	
	// load value
	if( $load_value ) {
	
		$field['value'] = acf_get_value( $post_id, $field );
		
	}
	
	
	// format value
	if( $format_value ) {
		
		// get value for field
		$field['value'] = acf_format_value( $field['value'], $post_id, $field );
		
	}
	
	
	// return
	return $field;
	
}

/*
*  acf_get_object_field
*
*  This function will return a field for the given selector.
*  It will also review the field_reference to ensure the correct field is returned which makes it useful for the template API
*
*  @type	function
*  @date	4/08/2015
*  @since	5.2.3
*
*  @param	$selector (mixed) identifyer of field. Can be an ID, key, name or post object
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$strict (boolean) if true, return a field only when a field key is found.
*  @return	$field (array)
*/
function acf_maybe_get_field( $selector, $post_id = false, $strict = true ) {
	
	// init
	acf_init();
	
	// Check if field key was given.
	if( acf_is_field_key($selector) ) {
		return acf_get_field( $selector );
	}
	
	// Lookup field via reference.
	$post_id = acf_get_valid_post_id( $post_id );
	$field = acf_get_meta_field( $selector, $post_id );
	if( $field ) {
		return $field;
	}
	
	// Lookup field loosely via name.
	if( !$strict ) {
		return acf_get_field( $selector );	
	}
	
	// Return no result.
	return false;
}

/*
*  acf_maybe_get_sub_field
*
*  This function will attempt to find a sub field
*
*  @type	function
*  @date	3/10/2016
*  @since	5.4.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_maybe_get_sub_field( $selectors, $post_id = false, $strict = true ) {
	
	// bail ealry if not enough selectors
	if( !is_array($selectors) || count($selectors) < 3 ) return false;
	
	
	// vars
	$offset = acf_get_setting('row_index_offset');
	$selector = acf_extract_var( $selectors, 0 );
	$selectors = array_values( $selectors ); // reset keys
	
	
	// attempt get field
	$field = acf_maybe_get_field( $selector, $post_id, $strict );
	
	
	// bail early if no field
	if( !$field ) return false;
	
	
	// loop
	for( $j = 0; $j < count($selectors); $j+=2 ) {
		
		// vars
		$sub_i = $selectors[ $j ];
		$sub_s = $selectors[ $j+1 ];
		$field_name = $field['name'];
		
		
		// find sub field
		$field = acf_get_sub_field( $sub_s, $field );
		
		
		// bail early if no sub field
		if( !$field ) return false;
					
		
		// add to name
		$field['name'] = $field_name . '_' . ($sub_i-$offset) . '_' . $field['name'];
		
	}
	
	
	// return
	return $field;
}

/*
*  get_fields()
*
*  This function will return an array containing all the custom field values for a specific post_id.
*  The function is not very elegant and wastes a lot of PHP memory / SQL queries if you are not using all the values.
*
*  @type	function
*  @since	3.6
*  @date	29/01/13
*
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$format_value (boolean) whether or not to format the field value
*  @return	(array)	associative array where field name => field value
*/

function get_fields( $post_id = false, $format_value = true ) {
	
	// vars
	$fields = get_field_objects( $post_id, $format_value );
	$meta = array();
	
	
	// bail early
	if( !$fields ) return false;
	
	
	// populate
	foreach( $fields as $k => $field ) {
		
		$meta[ $k ] = $field['value'];
		
	}
	
	
	// return
	return $meta;	
	
}


/*
*  get_field_objects()
*
*  This function will return an array containing all the custom field objects for a specific post_id.
*  The function is not very elegant and wastes a lot of PHP memory / SQL queries if you are not using all the fields / values.
*
*  @type	function
*  @since	3.6
*  @date	29/01/13
*
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$format_value (boolean) whether or not to format the field value
*  @param	$load_value (boolean) whether or not to load the field value
*  @return	(array)	associative array where field name => field
*/

function get_field_objects( $post_id = false, $format_value = true, $load_value = true ) {
	
	// init
	acf_init();
	
	// validate post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	// get meta
	$meta = acf_get_meta( $post_id );
	
	// bail early if no meta
	if( empty($meta) ) return false;
	
	// populate vars
	$fields = array();
	foreach( $meta as $key => $value ) {
		
		// bail if reference key does not exist
		if( !isset($meta["_$key"]) ) continue;
		
		// get field
		$field = acf_get_field($meta["_$key"]);
		
		// bail early if no field, or if the field's name is different to $key
		// - solves problem where sub fields (and clone fields) are incorrectly allowed
		if( !$field || $field['name'] !== $key ) continue;
		
		// load value
		if( $load_value ) {
			$field['value'] = acf_get_value( $post_id, $field );
		}
		
		// format value
		if( $format_value ) {
			$field['value'] = acf_format_value( $field['value'], $post_id, $field );
		}
		
		// append to $value
		$fields[ $key ] = $field;
	}
 	
	// no value
	if( empty($fields) ) return false;
	
	// return
	return $fields;
}


/**
 * have_rows
 *
 * Checks if a field (such as Repeater or Flexible Content) has any rows of data to loop over.
 * This function is intended to be used in conjunction with the_row() to step through available values.
 *
 * @date	2/09/13
 * @since	4.3.0
 *
 * @param	string $selector The field name or field key.
 * @param	mixed $post_id The post ID where the value is saved. Defaults to the current post.
 * @return	bool
 */
function have_rows( $selector, $post_id = false ) {
	
	// Validate and backup $post_id.
	$_post_id = $post_id;
	$post_id = acf_get_valid_post_id( $post_id );
	
	// Vars.
	$key = "selector={$selector}/post_id={$post_id}";
	$active_loop = acf_get_loop('active');
	$prev_loop = acf_get_loop('previous');
	$new_loop = false;
	$sub_field = false;
	
	// Check if no active loop.
	if( !$active_loop ) {
		$new_loop = 'parent';
	
	// Detect "change" compared to the active loop.
	} elseif( $key !== $active_loop['key'] ) {
		
		// Find sub field and check if a sub value exists.
		$sub_field_exists = false;
		$sub_field = acf_get_sub_field($selector, $active_loop['field']);
		if( $sub_field ) {
			$sub_field_exists = isset( $active_loop['value'][ $active_loop['i'] ][ $sub_field['key'] ] );
		}
		
		// Detect change in post_id.
		if( $post_id != $active_loop['post_id'] ) {
			
			// Case: Change in $post_id was due to this being a nested loop and not specifying the $post_id.
			// Action: Move down one level into a new loop.
			if( empty($_post_id) && $sub_field_exists ) {
				$new_loop = 'child';
			
			// Case: Change in $post_id was due to a nested loop ending.
			// Action: move up one level through the loops.
			} elseif( $prev_loop && $prev_loop['post_id'] == $post_id ) {
				acf_remove_loop('active');
				$active_loop = $prev_loop;
			
			// Case: Chang in $post_id is the most obvious, used in an WP_Query loop with multiple $post objects.
			// Action: leave this current loop alone and create a new parent loop.
			} else {
				$new_loop = 'parent';
			}
		
		// Detect change in selector.
		} elseif( $selector != $active_loop['selector'] ) {
			
			// Case: Change in $field_name was due to this being a nested loop.
			// Action: move down one level into a new loop.
			if( $sub_field_exists ) {
				$new_loop = 'child';
			
			// Case: Change in $field_name was due to a nested loop ending.
			// Action: move up one level through the loops.
			} elseif( $prev_loop && $prev_loop['selector'] == $selector && $prev_loop['post_id'] == $post_id ) {
				acf_remove_loop('active');
				$active_loop = $prev_loop;
			
			// Case: Change in $field_name is the most obvious, this is a new loop for a different field within the $post.
			// Action: leave this current loop alone and create a new parent loop.
			} else {
				$new_loop = 'parent';
			}
		}
	}
	
	// Add loop if required.
	if( $new_loop ) {
		$args = array(
			'key'		=> $key,
			'selector'	=> $selector,
			'post_id'	=> $post_id,
			'name'		=> null,
			'value'		=> null,
			'field'		=> null,
			'i'			=> -1,
		);
		
		// Case: Parent loop.
		if( $new_loop === 'parent' ) {
			$field = get_field_object( $selector, $post_id, false );
			if( $field ) {
				$args['field'] = $field;
				$args['value'] = $field['value'];
				$args['name'] = $field['name'];
				unset( $args['field']['value'] );
			}
			
		// Case: Child loop ($sub_field must exist).
		} else {
			$args['field'] = $sub_field;
			$args['value'] = $active_loop['value'][ $active_loop['i'] ][ $sub_field['key'] ];
			$args['name'] = "{$active_loop['name']}_{$active_loop['i']}_{$sub_field['name']}";
			$args['post_id'] = $active_loop['post_id'];
		}
		
		// Bail early if value is either empty or a non array.
		if( !$args['value'] || !is_array($args['value']) ) {
			return false;
		}
		
		// Allow for non repeatable data for Group and Clone fields.
		if( acf_get_field_type_prop($args['field']['type'], 'have_rows') === 'single' ) {
			$args['value'] = array( $args['value'] );
		}
		
		// Add loop.
		$active_loop = acf_add_loop($args);
	}
	
	// Return true if next row exists.
	if( $active_loop && isset($active_loop['value'][ $active_loop['i']+1 ]) ) {
		return true;
	}	
	
	// Return false if no next row.
	acf_remove_loop('active');
	return false;
}


/*
*  the_row
*
*  This function will progress the global repeater or flexible content value 1 row
*
*  @type	function
*  @date	2/09/13
*  @since	4.3.0
*
*  @param	N/A
*  @return	(array) the current row data
*/

function the_row( $format = false ) {
	
	// vars
	$i = acf_get_loop('active', 'i');
	
	
	// increase
	$i++;
	
	
	// update
	acf_update_loop('active', 'i', $i);
	
	
	// return
	return get_row( $format );
	
}

function get_row( $format = false ) {
	
	// vars
	$loop = acf_get_loop('active');
	
	
	// bail early if no loop
	if( !$loop ) return false;
	
	
	// get value
	$value = acf_maybe_get( $loop['value'], $loop['i'] );
	
	
	// bail early if no current value
	// possible if get_row_layout() is called before the_row()
	if( !$value ) return false;
	
	
	// format
	if( $format ) {
		
		// vars
		$field = $loop['field'];
		
		
		// single row
		if( acf_get_field_type_prop($field['type'], 'have_rows') === 'single' ) {
			
			// format value
			$value = acf_format_value( $value, $loop['post_id'], $field );
		
		// multiple rows
		} else {
			
			// format entire value
			// - solves problem where cached value is incomplete
			// - no performance issues here thanks to cache
			$value = acf_format_value( $loop['value'], $loop['post_id'], $field );
			$value = acf_maybe_get( $value, $loop['i'] );
			
		}
		
	}
	
	
	// return
	return $value;
	
}

function get_row_index() {
	
	// vars
	$i = acf_get_loop('active', 'i');
	$offset = acf_get_setting('row_index_offset');
	
	
	// return
	return $offset + $i;
	
}

function the_row_index() {
	
	echo get_row_index();
	
}


/*
*  get_row_sub_field
*
*  This function is used inside a 'has_sub_field' while loop to return a sub field object
*
*  @type	function
*  @date	16/05/2016
*  @since	5.3.8
*
*  @param	$selector (string)
*  @return	(array)
*/

function get_row_sub_field( $selector ) {
	
	// vars
	$row = acf_get_loop('active');
	
	
	// bail early if no row
	if( !$row ) return false;
	
	
	// attempt to find sub field
	$sub_field = acf_get_sub_field($selector, $row['field']);
	
	
	// bail early if no field
	if( !$sub_field ) return false;
	
	
	// update field's name based on row data
	$sub_field['name'] = "{$row['name']}_{$row['i']}_{$sub_field['name']}";
	
	
	// return
	return $sub_field;
	
}


/*
*  get_row_sub_value
*
*  This function is used inside a 'has_sub_field' while loop to return a sub field value
*
*  @type	function
*  @date	16/05/2016
*  @since	5.3.8
*
*  @param	$selector (string)
*  @return	(mixed)
*/

function get_row_sub_value( $selector ) {
	
	// vars
	$row = acf_get_loop('active');
	
	
	// bail early if no row
	if( !$row ) return null;
	
	
	// return value
	if( isset($row['value'][ $row['i'] ][ $selector ]) ) {
		
		return $row['value'][ $row['i'] ][ $selector ];
		
	}
	
	
	// return
	return null;
	
}


/*
*  reset_rows
*
*  This function will find the current loop and unset it from the global array.
*  To bo used when loop finishes or a break is used
*
*  @type	function
*  @date	26/10/13
*  @since	5.0.0
*
*  @param	$hard_reset (boolean) completely wipe the global variable, or just unset the active row
*  @return	(boolean)
*/

function reset_rows() {
	
	// remove last loop
	acf_remove_loop('active');
	
	
	// return
	return true;
	
}


/*
*  has_sub_field()
*
*  This function is used inside a while loop to return either true or false (loop again or stop).
*  When using a repeater or flexible content field, it will loop through the rows until 
*  there are none left or a break is detected
*
*  @type	function
*  @since	1.0.3
*  @date	29/01/13
*
*  @param	$field_name (string) the field name
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	(boolean)
*/

function has_sub_field( $field_name, $post_id = false ) {
	
	// vars
	$r = have_rows( $field_name, $post_id );
	
	
	// if has rows, progress through 1 row for the while loop to work
	if( $r ) {
		
		the_row();
		
	}
	
	
	// return
	return $r;
	
}

function has_sub_fields( $field_name, $post_id = false ) {
	
	return has_sub_field( $field_name, $post_id );
	
}


/*
*  get_sub_field()
*
*  This function is used inside a 'has_sub_field' while loop to return a sub field value
*
*  @type	function
*  @since	1.0.3
*  @date	29/01/13
*
*  @param	$field_name (string) the field name
*  @return	(mixed)
*/

function get_sub_field( $selector = '', $format_value = true ) {
	
	// get sub field
	$sub_field = get_sub_field_object( $selector, $format_value );
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;
	
	
	// return 
	return $sub_field['value'];
	
}


/*
*  the_sub_field()
*
*  This function is the same as echo get_sub_field
*
*  @type	function
*  @since	1.0.3
*  @date	29/01/13
*
*  @param	$field_name (string) the field name
*  @return	n/a
*/

function the_sub_field( $field_name, $format_value = true ) {
	
	$value = get_sub_field( $field_name, $format_value );
	
	if( is_array($value) ) {
		
		$value = implode(', ',$value);
		
	}
	
	echo $value;
}


/*
*  get_sub_field_object()
*
*  This function is used inside a 'has_sub_field' while loop to return a sub field object
*
*  @type	function
*  @since	3.5.8.1
*  @date	29/01/13
*
*  @param	$child_name (string) the field name
*  @return	(array)	
*/

function get_sub_field_object( $selector, $format_value = true, $load_value = true ) {
	
	// vars
	$row = acf_get_loop('active');
	
	
	// bail early if no row
	if( !$row ) return false;
	
	
	// attempt to find sub field
	$sub_field = get_row_sub_field($selector);
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;
	
	
	// load value
	if( $load_value ) {
	
		$sub_field['value'] = get_row_sub_value( $sub_field['key'] );
		
	}
	
	
	// format value
	if( $format_value ) {
		
		// get value for field
		$sub_field['value'] = acf_format_value( $sub_field['value'], $row['post_id'], $sub_field );
		
	}
	
		
	// return
	return $sub_field;
	
}


/*
*  get_row_layout()
*
*  This function will return a string representation of the current row layout within a 'have_rows' loop
*
*  @type	function
*  @since	3.0.6
*  @date	29/01/13
*
*  @param	n/a
*  @return	(string)
*/

function get_row_layout() {
	
	// vars
	$row = get_row();
	
	
	// return
	if( isset($row['acf_fc_layout']) ) {
		
		return $row['acf_fc_layout'];
		
	}
	
	
	// return
	return false;
	
}


/*
*  acf_shortcode()
*
*  This function is used to add basic shortcode support for the ACF plugin
*  eg. [acf field="heading" post_id="123" format_value="1"]
*
*  @type	function
*  @since	1.1.1
*  @date	29/01/13
*
*  @param	$field (string) the field name or key
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @param	$format_value (boolean) whether or not to format the field value
*  @return	(string)
*/

function acf_shortcode( $atts ) {
	
	// extract attributs
	extract( shortcode_atts( array(
		'field'			=> '',
		'post_id'		=> false,
		'format_value'	=> true
	), $atts ) );
	
	
	// get value and return it
	$value = get_field( $field, $post_id, $format_value );
	
	
	// array
	if( is_array($value) ) {
		
		$value = @implode( ', ', $value );
		
	}
	
	
	// return
	return $value;
	
}

add_shortcode('acf', 'acf_shortcode');


/*
*  update_field()
*
*  This function will update a value in the database
*
*  @type	function
*  @since	3.1.9
*  @date	29/01/13
*
*  @param	$selector (string) the field name or key
*  @param	$value (mixed) the value to save in the database
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	(boolean)
*/

function update_field( $selector, $value, $post_id = false ) {
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id, false );
	
	
	// create dummy field
	if( !$field ) {
		
		$field = acf_get_valid_field(array(
			'name'	=> $selector,
			'key'	=> '',
			'type'	=> '',
		));
		
	}
	
	
	// save
	return acf_update_value( $value, $post_id, $field );
		
}


/*
*  update_sub_field
*
*  This function will update a value of a sub field in the database
*
*  @type	function
*  @date	2/04/2014
*  @since	5.0.0
*
*  @param	$selector (mixed) the sub field name or key, or an array of ancestors
*  @param	$value (mixed) the value to save in the database
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	(boolean)
*/

function update_sub_field( $selector, $value, $post_id = false ) {
	
	// vars
	$sub_field = false;
	
	
	// get sub field
	if( is_array($selector) ) {
		
		$post_id = acf_get_valid_post_id( $post_id );
		$sub_field = acf_maybe_get_sub_field( $selector, $post_id, false );
		
	} else {
		
		$post_id = acf_get_loop('active', 'post_id');
		$sub_field = get_row_sub_field( $selector );
		
	}
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;


	// update
	return acf_update_value( $value, $post_id, $sub_field );
		
}


/*
*  delete_field()
*
*  This function will remove a value from the database
*
*  @type	function
*  @since	3.1.9
*  @date	29/01/13
*
*  @param	$selector (string) the field name or key
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	(boolean)
*/

function delete_field( $selector, $post_id = false ) {
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id );
	
	
	// delete
	return acf_delete_value( $post_id, $field );
	
}


/*
*  delete_sub_field
*
*  This function will delete a value of a sub field in the database
*
*  @type	function
*  @date	2/04/2014
*  @since	5.0.0
*
*  @param	$selector (mixed) the sub field name or key, or an array of ancestors
*  @param	$value (mixed) the value to save in the database
*  @param	$post_id (mixed) the post_id of which the value is saved against
*  @return	(boolean)
*/

function delete_sub_field( $selector, $post_id = false ) {
	
	return update_sub_field( $selector, null, $post_id );
		
}


/*
*  add_row
*
*  This function will add a row of data to a field
*
*  @type	function
*  @date	16/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$row (array)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function add_row( $selector, $row = false, $post_id = false ) {
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id, false );
	
	
	// bail early if no field
	if( !$field ) return false;
	
	
	// get raw value
	$value = acf_get_value( $post_id, $field );
	
	
	// ensure array
	$value = acf_get_array($value);
	
	
	// append
	$value[] = $row;
	
	
	// update value
	acf_update_value( $value, $post_id, $field );
	
	
	// return
	return count($value);
		
}


/*
*  add_sub_row
*
*  This function will add a row of data to a field
*
*  @type	function
*  @date	16/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$row (array)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function add_sub_row( $selector, $row = false, $post_id = false ) {
	
	// vars
	$sub_field = false;
	
	
	// get sub field
	if( is_array($selector) ) {
		
		$post_id = acf_get_valid_post_id( $post_id );
		$sub_field = acf_maybe_get_sub_field( $selector, $post_id, false );
	
	} else {
		
		$post_id = acf_get_loop('active', 'post_id');
		$sub_field = get_row_sub_field( $selector );
		
	}
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;
	
		
	// get raw value
	$value = acf_get_value( $post_id, $sub_field );
	
	
	// ensure array
	$value = acf_get_array( $value );
	
	
	// append
	$value[] = $row;


	// update
	acf_update_value( $value, $post_id, $sub_field );
	
	
	// return
	return count($value);
	
}


/*
*  update_row
*
*  This function will update a row of data to a field
*
*  @type	function
*  @date	19/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$i (int)
*  @param	$row (array)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function update_row( $selector, $i = 1, $row = false, $post_id = false ) {
	
	// vars
	$offset = acf_get_setting('row_index_offset');
	$i = $i - $offset;
	
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id, false );
	
	
	// bail early if no field
	if( !$field ) return false;
	
	
	// get raw value
	$value = acf_get_value( $post_id, $field );
	
	
	// ensure array
	$value = acf_get_array($value);
	
	
	// update
	$value[ $i ] = $row;
	
	
	// update value
	acf_update_value( $value, $post_id, $field );
	
	
	// return
	return true;
	
}


/*
*  update_sub_row
*
*  This function will add a row of data to a field
*
*  @type	function
*  @date	16/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$row (array)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function update_sub_row( $selector, $i = 1, $row = false, $post_id = false ) {
	
	// vars
	$sub_field = false;
	$offset = acf_get_setting('row_index_offset');
	$i = $i - $offset;
	
	
	// get sub field
	if( is_array($selector) ) {
		
		$post_id = acf_get_valid_post_id( $post_id );
		$sub_field = acf_maybe_get_sub_field( $selector, $post_id, false );
	
	} else {
		
		$post_id = acf_get_loop('active', 'post_id');
		$sub_field = get_row_sub_field( $selector );
		
	}
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;
	
		
	// get raw value
	$value = acf_get_value( $post_id, $sub_field );
	
	
	// ensure array
	$value = acf_get_array( $value );
	
	
	// append
	$value[ $i ] = $row;


	// update
	acf_update_value( $value, $post_id, $sub_field );
	
	
	// return
	return true;
		
}


/*
*  delete_row
*
*  This function will delete a row of data from a field
*
*  @type	function
*  @date	19/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$i (int)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function delete_row( $selector, $i = 1, $post_id = false ) {
	
	// vars
	$offset = acf_get_setting('row_index_offset');
	$i = $i - $offset;
	
	
	// filter post_id
	$post_id = acf_get_valid_post_id( $post_id );
	
	
	// get field
	$field = acf_maybe_get_field( $selector, $post_id );
	
	
	// bail early if no field
	if( !$field ) return false;
	
	
	// get value
	$value = acf_get_value( $post_id, $field );
	
	
	// ensure array
	$value = acf_get_array($value);
	
	
	// bail early if index doesn't exist
	if( !isset($value[ $i ]) ) return false;
	
		
	// unset
	unset( $value[ $i ] );
	
	
	// update
	acf_update_value( $value, $post_id, $field );
	
	
	// return
	return true;
	
}


/*
*  delete_sub_row
*
*  This function will add a row of data to a field
*
*  @type	function
*  @date	16/10/2015
*  @since	5.2.3
*
*  @param	$selector (string)
*  @param	$row (array)
*  @param	$post_id (mixed)
*  @return	(boolean)
*/

function delete_sub_row( $selector, $i = 1, $post_id = false ) {
	
	// vars
	$sub_field = false;
	$offset = acf_get_setting('row_index_offset');
	$i = $i - $offset;
	
	
	// get sub field
	if( is_array($selector) ) {
		
		$post_id = acf_get_valid_post_id( $post_id );
		$sub_field = acf_maybe_get_sub_field( $selector, $post_id, false );
	
	} else {
		
		$post_id = acf_get_loop('active', 'post_id');
		$sub_field = get_row_sub_field( $selector );
		
	}
	
	
	// bail early if no sub field
	if( !$sub_field ) return false;
	
		
	// get raw value
	$value = acf_get_value( $post_id, $sub_field );
	
	
	// ensure array
	$value = acf_get_array( $value );
	
	
	// bail early if index doesn't exist
	if( !isset($value[ $i ]) ) return false;
	
	
	// append
	unset( $value[ $i ] );


	// update
	acf_update_value( $value, $post_id, $sub_field );
	
	
	// return
	return true;
		
}


/*
*  Depreceated Functions
*
*  These functions are outdated
*
*  @type	function
*  @date	4/03/2014
*  @since	1.0.0
*
*  @param	n/a
*  @return	n/a
*/

function create_field( $field ) {

	acf_render_field( $field );
	
}

function render_field( $field ) {

	acf_render_field( $field );
	
}

function reset_the_repeater_field() {
	
	return reset_rows();
	
}

function the_repeater_field( $field_name, $post_id = false ) {
	
	return has_sub_field( $field_name, $post_id );
	
}

function the_flexible_field( $field_name, $post_id = false ) {
	
	return has_sub_field( $field_name, $post_id );
	
}

function acf_filter_post_id( $post_id ) {
	
	return acf_get_valid_post_id( $post_id );
	
}

?>
PK�[l(D�I�Iincludes/api/api-helpers.phpnu�[���<?php 

/*
*  acf_is_array
*
*  This function will return true for a non empty array
*
*  @type	function
*  @date	6/07/2016
*  @since	5.4.0
*
*  @param	$array (array)
*  @return	(boolean)
*/

function acf_is_array( $array ) {
	
	return ( is_array($array) && !empty($array) );
	
}

/**
*  acf_has_setting
*
*  alias of acf()->has_setting()
*
*  @date	2/2/18
*  @since	5.6.5
*
*  @param	n/a
*  @return	n/a
*/

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 );
}


/*
*  acf_update_setting
*
*  alias of acf()->update_setting()
*
*  @type	function
*  @date	28/09/13
*  @since	5.0.0
*
*  @param	$name (string)
*  @param	$value (mixed)
*  @return	n/a
*/

function 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_get_setting
*
*  alias of acf()->get_setting()
*
*  @type	function
*  @date	28/09/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_setting( $name, $value = null ) {
	
	// 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;
}


/*
*  acf_append_setting
*
*  This function will add a value into the settings array found in the acf object
*
*  @type	function
*  @date	28/09/13
*  @since	5.0.0
*
*  @param	$name (string)
*  @param	$value (mixed)
*  @return	n/a
*/

function acf_append_setting( $name, $value ) {
	
	// vars
	$setting = acf_raw_setting( $name );
	
	// bail ealry if not array
	if( !is_array($setting) ) {
		$setting = array();
	}
	
	// append
	$setting[] = $value;
	
	// update
	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_init
*
*  alias of acf()->init()
*
*  @type	function
*  @date	28/09/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_init() {
	
	acf()->init();
	
}


/*
*  acf_has_done
*
*  This function will return true if this action has already been done
*
*  @type	function
*  @date	16/12/2015
*  @since	5.3.2
*
*  @param	$name (string)
*  @return	(boolean)
*/

function acf_has_done( $name ) {
	
	// return true if already done
	if( acf_raw_setting("has_done_{$name}") ) {
		return true;
	}
	
	// update setting and return
	acf_update_setting("has_done_{$name}", true);
	return false;
}




/*
*  acf_get_external_path
*
*  This function will return the path to a file within an external folder
*
*  @type	function
*  @date	22/2/17
*  @since	5.5.8
*
*  @param	$file (string)
*  @param	$path (string)
*  @return	(string)
*/

function acf_get_external_path( $file, $path = '' ) {
    
    return plugin_dir_path( $file ) . $path;
    
}


/*
*  acf_get_external_dir
*
*  This function will return the url to a file within an external folder
*
*  @type	function
*  @date	22/2/17
*  @since	5.5.8
*
*  @param	$file (string)
*  @param	$path (string)
*  @return	(string)
*/

function acf_get_external_dir( $file, $path = '' ) {
    
    return acf_plugin_dir_url( $file ) . $path;
	
}


/**
*  acf_plugin_dir_url
*
*  This function will calculate the url to a plugin folder.
*  Different to the WP plugin_dir_url(), this function can calculate for urls outside of the plugins folder (theme include).
*
*  @date	13/12/17
*  @since	5.6.8
*
*  @param	type $var Description. Default.
*  @return	type Description.
*/

function acf_plugin_dir_url( $file ) {
	
	// vars
	$path = plugin_dir_path( $file );
	$path = wp_normalize_path( $path );
	
	
	// check plugins
	$check_path = wp_normalize_path( realpath(WP_PLUGIN_DIR) );
	if( strpos($path, $check_path) === 0 ) {
		return str_replace( $check_path, plugins_url(), $path );
	}
	
	// check wp-content
	$check_path = wp_normalize_path( realpath(WP_CONTENT_DIR) );
	if( strpos($path, $check_path) === 0 ) {
		return str_replace( $check_path, content_url(), $path );
	}
	
	// check root
	$check_path = wp_normalize_path( realpath(ABSPATH) );
	if( strpos($path, $check_path) === 0 ) {
		return str_replace( $check_path, site_url('/'), $path );
	}
	                
    
    // return
    return plugin_dir_url( $file );
    
}


/*
*  acf_parse_args
*
*  This function will merge together 2 arrays and also convert any numeric values to ints
*
*  @type	function
*  @date	18/10/13
*  @since	5.0.0
*
*  @param	$args (array)
*  @param	$defaults (array)
*  @return	$args (array)
*/

function acf_parse_args( $args, $defaults = array() ) {
	
	// parse args
	$args = wp_parse_args( $args, $defaults );
	
	
	// parse types
	$args = acf_parse_types( $args );
	
	
	// return
	return $args;
	
}


/*
*  acf_parse_types
*
*  This function will convert any numeric values to int and trim strings
*
*  @type	function
*  @date	18/10/13
*  @since	5.0.0
*
*  @param	$var (mixed)
*  @return	$var (mixed)
*/

function acf_parse_types( $array ) {
	return array_map( 'acf_parse_type', $array );
}


/*
*  acf_parse_type
*
*  description
*
*  @type	function
*  @date	11/11/2014
*  @since	5.0.9
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_parse_type( $v ) {
	
	// Check if is string.
	if( is_string($v) ) {
		
		// Trim ("Word " = "Word").
		$v = trim( $v );
		
		// Convert int strings to int ("123" = 123).
		if( is_numeric($v) && strval(intval($v)) === $v ) {
			$v = intval( $v );
		}
	}
	
	// return.
	return $v;
}


/*
*  acf_get_view
*
*  This function will load in a file from the 'admin/views' folder and allow variables to be passed through
*
*  @type	function
*  @date	28/09/13
*  @since	5.0.0
*
*  @param	$view_name (string)
*  @param	$args (array)
*  @return	n/a
*/

function acf_get_view( $path = '', $args = array() ) {
	
	// allow view file name shortcut
	if( substr($path, -4) !== '.php' ) {
		
		$path = acf_get_path("includes/admin/views/{$path}.php");
		
	}
	
	
	// include
	if( file_exists($path) ) {
		
		extract( $args );
		include( $path );
		
	}
	
}


/*
*  acf_merge_atts
*
*  description
*
*  @type	function
*  @date	2/11/2014
*  @since	5.0.9
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_merge_atts( $atts, $extra = array() ) {
	
	// bail ealry if no $extra
	if( empty($extra) ) return $atts;
	
	
	// trim
	$extra = array_map('trim', $extra);
	$extra = array_filter($extra);
	
	
	// merge in new atts
	foreach( $extra as $k => $v ) {
		
		// append
		if( $k == 'class' || $k == 'style' ) {
			
			$atts[ $k ] .= ' ' . $v;
		
		// merge	
		} else {
			
			$atts[ $k ] = $v;
			
		}
		
	}
	
	
	// return
	return $atts;
	
}


/*
*  acf_nonce_input
*
*  This function will create a basic nonce input
*
*  @type	function
*  @date	24/5/17
*  @since	5.6.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_nonce_input( $nonce = '' ) {
	
	echo '<input type="hidden" name="_acf_nonce" value="' . wp_create_nonce( $nonce ) . '" />';
	
}


/*
*  acf_extract_var
*
*  This function will remove the var from the array, and return the var
*
*  @type	function
*  @date	2/10/13
*  @since	5.0.0
*
*  @param	$array (array)
*  @param	$key (string)
*  @return	(mixed)
*/

function acf_extract_var( &$array, $key, $default = null ) {
	
	// check if exists
	// - uses array_key_exists to extract NULL values (isset will fail)
	if( is_array($array) && array_key_exists($key, $array) ) {
		
		// store value
		$v = $array[ $key ];
		
		
		// unset
		unset( $array[ $key ] );
		
		
		// return
		return $v;
		
	}
	
	
	// return
	return $default;
}


/*
*  acf_extract_vars
*
*  This function will remove the vars from the array, and return the vars
*
*  @type	function
*  @date	8/10/13
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_extract_vars( &$array, $keys ) {
	
	$r = array();
	
	foreach( $keys as $key ) {
		
		$r[ $key ] = acf_extract_var( $array, $key );
		
	}
	
	return $r;
}


/*
*  acf_get_sub_array
*
*  This function will return a sub array of data
*
*  @type	function
*  @date	15/03/2016
*  @since	5.3.2
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_get_sub_array( $array, $keys ) {
	
	$r = array();
	
	foreach( $keys as $key ) {
		
		$r[ $key ] = $array[ $key ];
		
	}
	
	return $r;
	
}


/**
*  acf_get_post_types
*
*  Returns an array of post type names.
*
*  @date	7/10/13
*  @since	5.0.0
*
*  @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() );
	$exclude[] = 'acf-field';
	$exclude[] = 'acf-field-group';
	
	// get post type objects
	$objects = get_post_types( $args, 'objects' );
	
	// loop
	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( $object->_builtin && !$object->public ) continue;
		
		// append
		$post_types[] = $i;
	}
	
	// filter
	$post_types = apply_filters('acf/get_post_types', $post_types, $args);
	
	// return
	return $post_types;
}

function acf_get_pretty_post_types( $post_types = array() ) {
	
	// get post types
	if( empty($post_types) ) {
		
		// get all custom post types
		$post_types = acf_get_post_types();
		
	}
	
	
	// get labels
	$ref = array();
	$r = array();
	
	foreach( $post_types as $post_type ) {
		
		// vars
		$label = acf_get_post_type_label($post_type);
		
		
		// append to r
		$r[ $post_type ] = $label;
		
		
		// increase counter
		if( !isset($ref[ $label ]) ) {
			
			$ref[ $label ] = 0;
			
		}
		
		$ref[ $label ]++;
	}
	
	
	// get slugs
	foreach( array_keys($r) as $i ) {
		
		// vars
		$post_type = $r[ $i ];
		
		if( $ref[ $post_type ] > 1 ) {
			
			$r[ $i ] .= ' (' . $i . ')';
			
		}
		
	}
	
	
	// return
	return $r;
	
}



/*
*  acf_get_post_type_label
*
*  This function will return a pretty label for a specific post_type
*
*  @type	function
*  @date	5/07/2016
*  @since	5.4.0
*
*  @param	$post_type (string)
*  @return	(string)
*/

function acf_get_post_type_label( $post_type ) {
	
	// vars
	$label = $post_type;
	
		
	// check that object exists
	// - case exists when importing field group from another install and post type does not exist
	if( post_type_exists($post_type) ) {
		
		$obj = get_post_type_object($post_type);
		$label = $obj->labels->singular_name;
		
	}
	
	
	// return
	return $label;
	
}


/*
*  acf_verify_nonce
*
*  This function will look at the $_POST['_acf_nonce'] value and return true or false
*
*  @type	function
*  @date	15/10/13
*  @since	5.0.0
*
*  @param	$nonce (string)
*  @return	(boolean)
*/

function acf_verify_nonce( $value) {
	
	// vars
	$nonce = acf_maybe_get_POST('_acf_nonce');
	
	
	// bail early nonce does not match (post|user|comment|term)
	if( !$nonce || !wp_verify_nonce($nonce, $value) ) return false;
	
	
	// reset nonce (only allow 1 save)
	$_POST['_acf_nonce'] = false;
	
	
	// return
	return true;
		
}


/*
*  acf_verify_ajax
*
*  This function will return true if the current AJAX request is valid
*  It's action will also allow WPML to set the lang and avoid AJAX get_posts issues
*
*  @type	function
*  @date	7/08/2015
*  @since	5.2.3
*
*  @param	n/a
*  @return	(boolean)
*/

function acf_verify_ajax() {
	
	// vars
	$nonce = isset($_REQUEST['nonce']) ? $_REQUEST['nonce'] : '';
	
	// bail early if not acf nonce
	if( !$nonce || !wp_verify_nonce($nonce, 'acf_nonce') ) {
		return false;
	}
	
	// action for 3rd party customization
	do_action('acf/verify_ajax');
	
	// return
	return true;
}


/*
*  acf_get_image_sizes
*
*  This function will return an array of available image sizes
*
*  @type	function
*  @date	23/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	(array)
*/

function acf_get_image_sizes() {
	
	// vars
	$sizes = array(
		'thumbnail'	=>	__("Thumbnail",'acf'),
		'medium'	=>	__("Medium",'acf'),
		'large'		=>	__("Large",'acf')
	);
	
	
	// find all sizes
	$all_sizes = get_intermediate_image_sizes();
	
	
	// add extra registered sizes
	if( !empty($all_sizes) ) {
		
		foreach( $all_sizes as $size ) {
			
			// bail early if already in array
			if( isset($sizes[ $size ]) ) {
			
				continue;
				
			}
			
			
			// append to array
			$label = str_replace('-', ' ', $size);
			$label = ucwords( $label );
			$sizes[ $size ] = $label;
			
		}
		
	}
	
	
	// add sizes
	foreach( array_keys($sizes) as $s ) {
		
		// vars
		$data = acf_get_image_size($s);
		
		
		// append
		if( $data['width'] && $data['height'] ) {
			
			$sizes[ $s ] .= ' (' . $data['width'] . ' x ' . $data['height'] . ')';
			
		}
		
	}
	
	
	// add full end
	$sizes['full'] = __("Full Size",'acf');
	
	
	// filter for 3rd party customization
	$sizes = apply_filters( 'acf/get_image_sizes', $sizes );
	
	
	// return
	return $sizes;
	
}

function acf_get_image_size( $s = '' ) {
	
	// global
	global $_wp_additional_image_sizes;
	
	
	// rename for nicer code
	$_sizes = $_wp_additional_image_sizes;
	
	
	// vars
	$data = array(
		'width' 	=> isset($_sizes[$s]['width']) ? $_sizes[$s]['width'] : get_option("{$s}_size_w"),
		'height'	=> isset($_sizes[$s]['height']) ? $_sizes[$s]['height'] : get_option("{$s}_size_h")
	);
	
	
	// return
	return $data;
		
}

/**
 * acf_version_compare
 *
 * Similar to the version_compare() function but with extra functionality.
 *
 * @date	21/11/16
 * @since	5.5.0
 *
 * @param	string $left The left version number.
 * @param	string $compare The compare operator.
 * @param	string $right The right version number.
 * @return	bool
 */
function acf_version_compare( $left = '', $compare = '>', $right = '' ) {
	
	// Detect 'wp' placeholder.
	if( $left === 'wp' ) {
		global $wp_version;
		$left = $wp_version;
	}
	
	// Return result.
	return version_compare( $left, $right, $compare );
}


/*
*  acf_get_full_version
*
*  This function will remove any '-beta1' or '-RC1' strings from a version
*
*  @type	function
*  @date	24/11/16
*  @since	5.5.0
*
*  @param	$version (string)
*  @return	(string)
*/

function acf_get_full_version( $version = '1' ) {
	
	// remove '-beta1' or '-RC1'
	if( $pos = strpos($version, '-') ) {
		
		$version = substr($version, 0, $pos);
		
	}
	
	
	// return
	return $version;
	
}


/*
*  acf_get_terms
*
*  This function is a wrapper for the get_terms() function
*
*  @type	function
*  @date	28/09/2016
*  @since	5.4.0
*
*  @param	$args (array)
*  @return	(array)
*/

function acf_get_terms( $args ) {
	
	// defaults
	$args = wp_parse_args($args, array(
		'taxonomy'					=> null,
		'hide_empty'				=> false,
		'update_term_meta_cache'	=> false,
	));
	
	// parameters changed in version 4.5
	if( acf_version_compare('wp', '<', '4.5') ) {
		return get_terms( $args['taxonomy'], $args );
	}
	
	// return
	return get_terms( $args );
}


/*
*  acf_get_taxonomy_terms
*
*  This function will return an array of available taxonomy terms
*
*  @type	function
*  @date	7/10/13
*  @since	5.0.0
*
*  @param	$taxonomies (array)
*  @return	(array)
*/

function acf_get_taxonomy_terms( $taxonomies = array() ) {
	
	// force array
	$taxonomies = acf_get_array( $taxonomies );
	
	
	// get pretty taxonomy names
	$taxonomies = acf_get_pretty_taxonomies( $taxonomies );
	
	
	// vars
	$r = array();
	
	
	// populate $r
	foreach( array_keys($taxonomies) as $taxonomy ) {
		
		// vars
		$label = $taxonomies[ $taxonomy ];
		$is_hierarchical = is_taxonomy_hierarchical( $taxonomy );
		$terms = acf_get_terms(array(
			'taxonomy'		=> $taxonomy,
			'hide_empty' 	=> false
		));
		
		
		// bail early i no terms
		if( empty($terms) ) continue;
		
		
		// sort into hierachial order!
		if( $is_hierarchical ) {
			
			$terms = _get_term_children( 0, $terms, $taxonomy );
			
		}
		
		
		// add placeholder		
		$r[ $label ] = array();
		
		
		// add choices
		foreach( $terms as $term ) {
		
			$k = "{$taxonomy}:{$term->slug}"; 
			$r[ $label ][ $k ] = acf_get_term_title( $term );
			
		}
		
	}
		
	
	// return
	return $r;
	
}


/*
*  acf_decode_taxonomy_terms
*
*  This function decodes the $taxonomy:$term strings into a nested array
*
*  @type	function
*  @date	27/02/2014
*  @since	5.0.0
*
*  @param	$terms (array)
*  @return	(array)
*/

function acf_decode_taxonomy_terms( $strings = false ) {
	
	// bail early if no terms
	if( empty($strings) ) return false;
	
	
	// vars
	$terms = array();
	
	
	// loop
	foreach( $strings as $string ) {
		
		// vars
		$data = acf_decode_taxonomy_term( $string );
		$taxonomy = $data['taxonomy'];
		$term = $data['term'];
		
		
		// create empty array
		if( !isset($terms[ $taxonomy ]) ) {
			
			$terms[ $taxonomy ] = array();
			
		}
				
		
		// append
		$terms[ $taxonomy ][] = $term;
		
	}
	
	
	// return
	return $terms;
	
}


/*
*  acf_decode_taxonomy_term
*
*  This function will return the taxonomy and term slug for a given value
*
*  @type	function
*  @date	31/03/2014
*  @since	5.0.0
*
*  @param	$string (string)
*  @return	(array)
*/

function acf_decode_taxonomy_term( $value ) {
	
	// vars
	$data = array(
		'taxonomy'	=> '',
		'term'		=> ''
	);
	
	
	// int
	if( is_numeric($value) ) {
		
		$data['term'] = $value;
			
	// string
	} elseif( is_string($value) ) {
		
		$value = explode(':', $value);
		$data['taxonomy'] = isset($value[0]) ? $value[0] : '';
		$data['term'] = isset($value[1]) ? $value[1] : '';
		
	// error	
	} else {
		
		return false;
		
	}
	
	
	// allow for term_id (Used by ACF v4)
	if( is_numeric($data['term']) ) {
		
		// global
		global $wpdb;
		
		
		// find taxonomy
		if( !$data['taxonomy'] ) {
			
			$data['taxonomy'] = $wpdb->get_var( $wpdb->prepare("SELECT taxonomy FROM $wpdb->term_taxonomy WHERE term_id = %d LIMIT 1", $data['term']) );
			
		}
		
		
		// find term (may have numeric slug '123')
		$term = get_term_by( 'slug', $data['term'], $data['taxonomy'] );
		
		
		// attempt get term via ID (ACF4 uses ID)
		if( !$term ) $term = get_term( $data['term'], $data['taxonomy'] );
		
		
		// bail early if no term
		if( !$term ) return false;
		
		
		// update
		$data['taxonomy'] = $term->taxonomy;
		$data['term'] = $term->slug;
		
	}
	
	
	// return
	return $data;
	
}

/**
 * acf_array
 *
 * Casts the value into an array.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	mixed $val The value to cast.
 * @return	array
 */
function acf_array( $val = array() ) {
	return (array) $val;
}

/*
*  acf_get_array
*
*  This function will force a variable to become an array
*
*  @type	function
*  @date	4/02/2014
*  @since	5.0.0
*
*  @param	$var (mixed)
*  @return	(array)
*/

function acf_get_array( $var = false, $delimiter = '' ) {
	
	// array
	if( is_array($var) ) {
		return $var;
	}
	
	
	// bail early if empty
	if( acf_is_empty($var) ) {
		return array();
	}
	
	
	// string 
	if( is_string($var) && $delimiter ) {
		return explode($delimiter, $var);
	}
	
	
	// place in array
	return (array) $var;
	
}


/*
*  acf_get_numeric
*
*  This function will return numeric values
*
*  @type	function
*  @date	15/07/2016
*  @since	5.4.0
*
*  @param	$value (mixed)
*  @return	(mixed)
*/

function acf_get_numeric( $value = '' ) {
	
	// vars
	$numbers = array();
	$is_array = is_array($value);
	
	
	// loop
	foreach( (array) $value as $v ) {
		
		if( is_numeric($v) ) $numbers[] = (int) $v;
		
	}
	
	
	// bail early if is empty
	if( empty($numbers) ) return false;
	
	
	// convert array
	if( !$is_array ) $numbers = $numbers[0];
	
	
	// return
	return $numbers;
	
}


/**
 * acf_get_posts
 *
 * Similar to the get_posts() function but with extra functionality.
 *
 * @date	3/03/15
 * @since	5.1.5
 *
 * @param	array $args The query args.
 * @return	array
 */
function acf_get_posts( $args = array() ) {
	
	// Vars.
	$posts = array();
	
	// Apply default args.
	$args = wp_parse_args($args, array(
		'posts_per_page'			=> -1,
		'post_type'					=> '',
		'post_status'				=> 'any',
		'update_post_meta_cache'	=> false,
		'update_post_term_cache' 	=> false
	));
	
	// Avoid default 'post' post_type by providing all public types.
	if( !$args['post_type'] ) {
		$args['post_type'] = acf_get_post_types();
	}
	
	// Check if specifc post ID's have been provided.
	if( $args['post__in'] ) {
		
		// Clean value into an array of IDs.
		$args['post__in'] = array_map('intval', acf_array($args['post__in']));
	}
	
	// Query posts.
	$posts = get_posts( $args );
	
	// Remove any potential empty results.
	$posts = array_filter( $posts );
	
	// Manually order results.
	if( $posts && $args['post__in'] ) {
		$order = array();
		foreach( $posts as $i => $post ) {
			$order[ $i ] = array_search( $post->ID, $args['post__in'] );
		}
		array_multisort($order, $posts);
	}
	
	// Return posts.
	return $posts;
}


/*
*  _acf_query_remove_post_type
*
*  This function will remove the 'wp_posts.post_type' WHERE clause completely
*  When using 'post__in', this clause is unneccessary and slow.
*
*  @type	function
*  @date	4/03/2015
*  @since	5.1.5
*
*  @param	$sql (string)
*  @return	$sql
*/

function _acf_query_remove_post_type( $sql ) {
	
	// global
	global $wpdb;
	
	
	// bail ealry if no 'wp_posts.ID IN'
	if( strpos($sql, "$wpdb->posts.ID IN") === false ) {
		
		return $sql;
		
	}
	
    
    // get bits
	$glue = 'AND';
	$bits = explode($glue, $sql);
	
    
	// loop through $where and remove any post_type queries
	foreach( $bits as $i => $bit ) {
		
		if( strpos($bit, "$wpdb->posts.post_type") !== false ) {
			
			unset( $bits[ $i ] );
			
		}
		
	}
	
	
	// join $where back together
	$sql = implode($glue, $bits);
    
    
    // return
    return $sql;
    
}


/*
*  acf_get_grouped_posts
*
*  This function will return all posts grouped by post_type
*  This is handy for select settings
*
*  @type	function
*  @date	27/02/2014
*  @since	5.0.0
*
*  @param	$args (array)
*  @return	(array)
*/

function acf_get_grouped_posts( $args ) {
	
	// vars
	$data = array();
	
	
	// defaults
	$args = wp_parse_args( $args, array(
		'posts_per_page'			=> -1,
		'paged'						=> 0,
		'post_type'					=> 'post',
		'orderby'					=> 'menu_order title',
		'order'						=> 'ASC',
		'post_status'				=> 'any',
		'suppress_filters'			=> false,
		'update_post_meta_cache'	=> false,
	));

	
	// find array of post_type
	$post_types = acf_get_array( $args['post_type'] );
	$post_types_labels = acf_get_pretty_post_types($post_types);
	$is_single_post_type = ( count($post_types) == 1 );
	
	
	// attachment doesn't work if it is the only item in an array
	if( $is_single_post_type ) {
		$args['post_type'] = reset($post_types);
	}
	
	
	// add filter to orderby post type
	if( !$is_single_post_type ) {
		add_filter('posts_orderby', '_acf_orderby_post_type', 10, 2);
	}
	
	
	// get posts
	$posts = get_posts( $args );
	
	
	// remove this filter (only once)
	if( !$is_single_post_type ) {
		remove_filter('posts_orderby', '_acf_orderby_post_type', 10, 2);
	}
	
	
	// loop
	foreach( $post_types as $post_type ) {
		
		// vars
		$this_posts = array();
		$this_group = array();
		
		
		// populate $this_posts
		foreach( $posts as $post ) {
			if( $post->post_type == $post_type ) {
				$this_posts[] = $post;
			}
		}
		
		
		// bail early if no posts for this post type
		if( empty($this_posts) ) continue;
		
		
		// sort into hierachial order!
		// this will fail if a search has taken place because parents wont exist
		if( is_post_type_hierarchical($post_type) && empty($args['s'])) {
			
			// vars
			$post_id = $this_posts[0]->ID;
			$parent_id = acf_maybe_get($args, 'post_parent', 0);
			$offset = 0;
			$length = count($this_posts);
			
			
			// get all posts from this post type
			$all_posts = get_posts(array_merge($args, array(
				'posts_per_page'	=> -1,
				'paged'				=> 0,
				'post_type'			=> $post_type
			)));
			
			
			// find starting point (offset)
			foreach( $all_posts as $i => $post ) {
				if( $post->ID == $post_id ) {
					$offset = $i;
					break;
				}
			}
			
			
			// order posts
			$ordered_posts = get_page_children($parent_id, $all_posts);
			
			
			// compare aray lengths
			// if $ordered_posts is smaller than $all_posts, WP has lost posts during the get_page_children() function
			// this is possible when get_post( $args ) filter out parents (via taxonomy, meta and other search parameters) 
			if( count($ordered_posts) == count($all_posts) ) {
				$this_posts = array_slice($ordered_posts, $offset, $length);
			}
			
		}
		
		
		// populate $this_posts
		foreach( $this_posts as $post ) {
			$this_group[ $post->ID ] = $post;
		}
		
		
		// group by post type
		$label = $post_types_labels[ $post_type ];
		$data[ $label ] = $this_group;
					
	}
	
	
	// return
	return $data;
	
}


function _acf_orderby_post_type( $ordeby, $wp_query ) {
	
	// global
	global $wpdb;
	
	
	// get post types
	$post_types = $wp_query->get('post_type');
	

	// prepend SQL
	if( is_array($post_types) ) {
		
		$post_types = implode("','", $post_types);
		$ordeby = "FIELD({$wpdb->posts}.post_type,'$post_types')," . $ordeby;
		
	}
	
	
	// return
	return $ordeby;
	
}


function acf_get_post_title( $post = 0, $is_search = false ) {
	
	// vars
	$post = get_post($post);
	$title = '';
	$prepend = '';
	$append = '';
	
    
	// bail early if no post
	if( !$post ) return '';
	
	
	// title
	$title = get_the_title( $post->ID );
	
	
	// empty
	if( $title === '' ) {
		
		$title = __('(no title)', 'acf');
		
	}
	
	
	// status
	if( get_post_status( $post->ID ) != "publish" ) {
		
		$append .= ' (' . get_post_status( $post->ID ) . ')';
		
	}
	
	
	// ancestors
	if( $post->post_type !== 'attachment' ) {
		
		// get ancestors
		$ancestors = get_ancestors( $post->ID, $post->post_type );
		$prepend .= str_repeat('- ', count($ancestors));
		
		
		// add parent
/*
		removed in 5.6.5 as not used by the UI
		if( $is_search && !empty($ancestors) ) {
			
			// reverse
			$ancestors = array_reverse($ancestors);
			
			
			// convert id's into titles
			foreach( $ancestors as $i => $id ) {
				
				$ancestors[ $i ] = get_the_title( $id );
				
			}
			
			
			// append
			$append .= ' | ' . __('Parent', 'acf') . ': ' . implode(' / ', $ancestors);
			
		}
*/
		
	}
	
	
	// merge
	$title = $prepend . $title . $append;
	
	
	// return
	return $title;
	
}


function acf_order_by_search( $array, $search ) {
	
	// vars
	$weights = array();
	$needle = strtolower( $search );
	
	
	// add key prefix
	foreach( array_keys($array) as $k ) {
		
		$array[ '_' . $k ] = acf_extract_var( $array, $k );
		
	}


	// add search weight
	foreach( $array as $k => $v ) {
	
		// vars
		$weight = 0;
		$haystack = strtolower( $v );
		$strpos = strpos( $haystack, $needle );
		
		
		// detect search match
		if( $strpos !== false ) {
			
			// set eright to length of match
			$weight = strlen( $search );
			
			
			// increase weight if match starts at begining of string
			if( $strpos == 0 ) {
				
				$weight++;
				
			}
			
		}
		
		
		// append to wights
		$weights[ $k ] = $weight;
		
	}
	
	
	// sort the array with menu_order ascending
	array_multisort( $weights, SORT_DESC, $array );
	
	
	// remove key prefix
	foreach( array_keys($array) as $k ) {
		
		$array[ substr($k,1) ] = acf_extract_var( $array, $k );
		
	}
		
	
	// return
	return $array;
}


/*
*  acf_get_pretty_user_roles
*
*  description
*
*  @type	function
*  @date	23/02/2016
*  @since	5.3.2
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_get_pretty_user_roles( $allowed = false ) {
	
	// vars
	$editable_roles = get_editable_roles();
	$allowed = acf_get_array($allowed);
	$roles = array();
	
	
	// loop
	foreach( $editable_roles as $role_name => $role_details ) {	
		
		// bail early if not allowed
		if( !empty($allowed) && !in_array($role_name, $allowed) ) continue;
		
		
		// append
		$roles[ $role_name ] = translate_user_role( $role_details['name'] );
		
	}
	
	
	// return
	return $roles;
		
}


/*
*  acf_get_grouped_users
*
*  This function will return all users grouped by role
*  This is handy for select settings
*
*  @type	function
*  @date	27/02/2014
*  @since	5.0.0
*
*  @param	$args (array)
*  @return	(array)
*/

function acf_get_grouped_users( $args = array() ) {
	
	// vars
	$r = array();
	
	
	// defaults
	$args = wp_parse_args( $args, array(
		'users_per_page'			=> -1,
		'paged'						=> 0,
		'role'         				=> '',
		'orderby'					=> 'login',
		'order'						=> 'ASC',
	));
	
	
	// offset
	$i = 0;
	$min = 0;
	$max = 0;
	$users_per_page = acf_extract_var($args, 'users_per_page');
	$paged = acf_extract_var($args, 'paged');
	
	if( $users_per_page > 0 ) {
		
		// prevent paged from being -1
		$paged = max(0, $paged);
		
		
		// set min / max
		$min = (($paged-1) * $users_per_page) + 1; // 	1, 	11
		$max = ($paged * $users_per_page); // 			10,	20
		
	}
	
	
	// find array of post_type
	$user_roles = acf_get_pretty_user_roles($args['role']);
	
	
	// fix role
	if( is_array($args['role']) ) {
		
		// global
   		global $wp_version, $wpdb;
   		
   		
		// vars
		$roles = acf_extract_var($args, 'role');
		
		
		// new WP has role__in
		if( version_compare($wp_version, '4.4', '>=' ) ) {
			
			$args['role__in'] = $roles;
				
		// old WP doesn't have role__in
		} else {
			
			// vars
			$blog_id = get_current_blog_id();
			$meta_query = array( 'relation' => 'OR' );
			
			
			// loop
			foreach( $roles as $role ) {
				
				$meta_query[] = array(
					'key'     => $wpdb->get_blog_prefix( $blog_id ) . 'capabilities',
					'value'   => '"' . $role . '"',
					'compare' => 'LIKE',
				);
				
			}
			
			
			// append
			$args['meta_query'] = $meta_query;
			
		}
		
	}
	
	
	// get posts
	$users = get_users( $args );
	
	
	// loop
	foreach( $user_roles as $user_role_name => $user_role_label ) {
		
		// vars
		$this_users = array();
		$this_group = array();
		
		
		// populate $this_posts
		foreach( array_keys($users) as $key ) {
			
			// bail ealry if not correct role
			if( !in_array($user_role_name, $users[ $key ]->roles) ) continue;
		
			
			// extract user
			$user = acf_extract_var( $users, $key );
			
			
			// increase
			$i++;
			
			
			// bail ealry if too low
			if( $min && $i < $min ) continue;
			
			
			// bail early if too high (don't bother looking at any more users)
			if( $max && $i > $max ) break;
			
			
			// group by post type
			$this_users[ $user->ID ] = $user;
			
			
		}
		
		
		// bail early if no posts for this post type
		if( empty($this_users) ) continue;
		
		
		// append
		$r[ $user_role_label ] = $this_users;
					
	}
	
	
	// return
	return $r;
	
}

/**
 * acf_json_encode
 *
 * Returns json_encode() ready for file / database use.
 *
 * @date	29/4/19
 * @since	5.0.0
 *
 * @param	array $json The array of data to encode.
 * @return	string
 */
function acf_json_encode( $json ) {
	return json_encode($json, JSON_PRETTY_PRINT | JSON_UNESCAPED_UNICODE);
}


/*
*  acf_str_exists
*
*  This function will return true if a sub string is found
*
*  @type	function
*  @date	1/05/2014
*  @since	5.0.0
*
*  @param	$needle (string)
*  @param	$haystack (string)
*  @return	(boolean)
*/

function acf_str_exists( $needle, $haystack ) {
	
	// return true if $haystack contains the $needle
	if( is_string($haystack) && strpos($haystack, $needle) !== false ) {
		
		return true;
		
	}
	
	
	// return
	return false;
}


/*
*  acf_debug
*
*  description
*
*  @type	function
*  @date	2/05/2014
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_debug() {
	
	// vars
	$args = func_get_args();
	$s = array_shift($args);
	$o = '';
	$nl = "\r\n";
	
	
	// start script
	$o .= '<script type="text/javascript">' . $nl;
	
	$o .= 'console.log("' . $s . '"';
	
	if( !empty($args) ) {
		
		foreach( $args as $arg ) {
			
			if( is_object($arg) || is_array($arg) ) {
				
				$arg = json_encode($arg);
				
			} elseif( is_bool($arg) ) {
				
				$arg = $arg ? 'true' : 'false';
				
			}elseif( is_string($arg) ) {
				
				$arg = '"' . $arg . '"';
				
			}
			
			$o .= ', ' . $arg;
			
		}
	}
	
	$o .= ');' . $nl;
	
	
	// end script
	$o .= '</script>' . $nl;
	
	
	// echo
	echo $o;
}

function acf_debug_start() {
	
	acf_update_setting( 'debug_start', memory_get_usage());
	
}

function acf_debug_end() {
	
	$start = acf_get_setting( 'debug_start' );
	$end = memory_get_usage();
	
	return $end - $start;
	
}


/*
*  acf_encode_choices
*
*  description
*
*  @type	function
*  @date	4/06/2014
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_encode_choices( $array = array(), $show_keys = true ) {
	
	// bail early if not array (maybe a single string)
	if( !is_array($array) ) return $array;
	
	
	// bail early if empty array
	if( empty($array) ) return '';
	
	
	// vars
	$string = '';
	
	
	// if allowed to show keys (good for choices, not for default values)
	if( $show_keys ) {
		
		// loop
		foreach( $array as $k => $v ) { 
			
			// ignore if key and value are the same
			if( strval($k) == strval($v) )  continue;
			
			
			// show key in the value
			$array[ $k ] = $k . ' : ' . $v;
			
		}
	
	}
	
	
	// implode
	$string = implode("\n", $array);

	
	// return
	return $string;
	
}

function acf_decode_choices( $string = '', $array_keys = false ) {
	
	// bail early if already array
	if( is_array($string) ) {
		
		return $string;
	
	// allow numeric values (same as string)
	} elseif( is_numeric($string) ) {
		
		// do nothing
	
	// bail early if not a string
	} elseif( !is_string($string) ) {
		
		return array();
	
	// bail early if is empty string 
	} elseif( $string === '' ) {
		
		return array();
		
	}
	
	
	// vars
	$array = array();
	
	
	// explode
	$lines = explode("\n", $string);
	
	
	// key => value
	foreach( $lines as $line ) {
		
		// vars
		$k = trim($line);
		$v = trim($line);
		
		
		// look for ' : '
		if( acf_str_exists(' : ', $line) ) {
		
			$line = explode(' : ', $line);
			
			$k = trim($line[0]);
			$v = trim($line[1]);
			
		}
		
		
		// append
		$array[ $k ] = $v;
		
	}
	
	
	// return only array keys? (good for checkbox default_value)
	if( $array_keys ) {
		
		return array_keys($array);
		
	}
	
	
	// return
	return $array;
	
}


/*
*  acf_str_replace
*
*  This function will replace an array of strings much like str_replace
*  The difference is the extra logic to avoid replacing a string that has alread been replaced
*  This is very useful for replacing date characters as they overlap with eachother
*
*  @type	function
*  @date	21/06/2016
*  @since	5.3.8
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_str_replace( $string = '', $search_replace = array() ) {
	
	// vars
	$ignore = array();
	
	
	// remove potential empty search to avoid PHP error
	unset($search_replace['']);
	
		
	// loop over conversions
	foreach( $search_replace as $search => $replace ) {
		
		// ignore this search, it was a previous replace
		if( in_array($search, $ignore) ) continue;
		
		
		// bail early if subsctring not found
		if( strpos($string, $search) === false ) continue;
		
		
		// replace
		$string = str_replace($search, $replace, $string);
		
		
		// append to ignore
		$ignore[] = $replace;
		
	}
	
	
	// return
	return $string;
	
}


/*
*  date & time formats
*
*  These settings contain an association of format strings from PHP => JS
*
*  @type	function
*  @date	21/06/2016
*  @since	5.3.8
*
*  @param	n/a
*  @return	n/a
*/

acf_update_setting('php_to_js_date_formats', array(

	// Year
	'Y'	=> 'yy',	// Numeric, 4 digits 								1999, 2003
	'y'	=> 'y',		// Numeric, 2 digits 								99, 03
	
	
	// Month
	'm'	=> 'mm',	// Numeric, with leading zeros  					01–12
	'n'	=> 'm',		// Numeric, without leading zeros  					1–12
	'F'	=> 'MM',	// Textual full   									January – December
	'M'	=> 'M',		// Textual three letters    						Jan - Dec 
	
	
	// Weekday
	'l'	=> 'DD',	// Full name  (lowercase 'L') 						Sunday – Saturday
	'D'	=> 'D',		// Three letter name 	 							Mon – Sun 
	
	
	// Day of Month
	'd'	=> 'dd',	// Numeric, with leading zeros						01–31
	'j'	=> 'd',		// Numeric, without leading zeros 					1–31
	'S'	=> '',		// The English suffix for the day of the month  	st, nd or th in the 1st, 2nd or 15th. 
	
));

acf_update_setting('php_to_js_time_formats', array(
	
	'a' => 'tt',	// Lowercase Ante meridiem and Post meridiem 		am or pm
	'A' => 'TT',	// Uppercase Ante meridiem and Post meridiem 		AM or PM
	'h' => 'hh',	// 12-hour format of an hour with leading zeros 	01 through 12
	'g' => 'h',		// 12-hour format of an hour without leading zeros 	1 through 12
	'H' => 'HH',	// 24-hour format of an hour with leading zeros 	00 through 23
	'G' => 'H',		// 24-hour format of an hour without leading zeros 	0 through 23
	'i' => 'mm',	// Minutes with leading zeros 						00 to 59
	's' => 'ss',	// Seconds, with leading zeros 						00 through 59
	
));


/*
*  acf_split_date_time
*
*  This function will split a format string into seperate date and time
*
*  @type	function
*  @date	26/05/2016
*  @since	5.3.8
*
*  @param	$date_time (string)
*  @return	$formats (array)
*/

function acf_split_date_time( $date_time = '' ) {
	
	// vars
	$php_date = acf_get_setting('php_to_js_date_formats');
	$php_time = acf_get_setting('php_to_js_time_formats');
	$chars = str_split($date_time);
	$type = 'date';
	
	
	// default
	$data = array(
		'date' => '',
		'time' => ''
	);
	
	
	// loop
	foreach( $chars as $i => $c ) {
		
		// find type
		// - allow misc characters to append to previous type
		if( isset($php_date[ $c ]) ) {
			
			$type = 'date';
			
		} elseif( isset($php_time[ $c ]) ) {
			
			$type = 'time';
			
		}
		
		
		// append char
		$data[ $type ] .= $c;
		
	}
	
	
	// trim
	$data['date'] = trim($data['date']);
	$data['time'] = trim($data['time']);
	
	
	// return
	return $data;	
	
}


/*
*  acf_convert_date_to_php
*
*  This fucntion converts a date format string from JS to PHP
*
*  @type	function
*  @date	20/06/2014
*  @since	5.0.0
*
*  @param	$date (string)
*  @return	(string)
*/

function acf_convert_date_to_php( $date = '' ) {
	
	// vars
	$php_to_js = acf_get_setting('php_to_js_date_formats');
	$js_to_php = array_flip($php_to_js);
		
	
	// return
	return acf_str_replace( $date, $js_to_php );
	
}

/*
*  acf_convert_date_to_js
*
*  This fucntion converts a date format string from PHP to JS
*
*  @type	function
*  @date	20/06/2014
*  @since	5.0.0
*
*  @param	$date (string)
*  @return	(string)
*/

function acf_convert_date_to_js( $date = '' ) {
	
	// vars
	$php_to_js = acf_get_setting('php_to_js_date_formats');
		
	
	// return
	return acf_str_replace( $date, $php_to_js );
	
}


/*
*  acf_convert_time_to_php
*
*  This fucntion converts a time format string from JS to PHP
*
*  @type	function
*  @date	20/06/2014
*  @since	5.0.0
*
*  @param	$time (string)
*  @return	(string)
*/

function acf_convert_time_to_php( $time = '' ) {
	
	// vars
	$php_to_js = acf_get_setting('php_to_js_time_formats');
	$js_to_php = array_flip($php_to_js);
		
	
	// return
	return acf_str_replace( $time, $js_to_php );
	
}


/*
*  acf_convert_time_to_js
*
*  This fucntion converts a date format string from PHP to JS
*
*  @type	function
*  @date	20/06/2014
*  @since	5.0.0
*
*  @param	$time (string)
*  @return	(string)
*/

function acf_convert_time_to_js( $time = '' ) {
	
	// vars
	$php_to_js = acf_get_setting('php_to_js_time_formats');
		
	
	// return
	return acf_str_replace( $time, $php_to_js );
	
}


/*
*  acf_update_user_setting
*
*  description
*
*  @type	function
*  @date	15/07/2014
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_update_user_setting( $name, $value ) {
	
	// get current user id
	$user_id = get_current_user_id();
	
	
	// get user settings
	$settings = get_user_meta( $user_id, 'acf_user_settings', true );
	
	
	// ensure array
	$settings = acf_get_array($settings);
	
	
	// delete setting (allow 0 to save)
	if( acf_is_empty($value) ) {
		
		unset($settings[ $name ]);
	
	// append setting	
	} else {
		
		$settings[ $name ] = $value;
		
	}
	
	
	// update user data
	return update_metadata('user', $user_id, 'acf_user_settings', $settings);
	
}


/*
*  acf_get_user_setting
*
*  description
*
*  @type	function
*  @date	15/07/2014
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_get_user_setting( $name = '', $default = false ) {
	
	// get current user id
	$user_id = get_current_user_id();
	
	
	// get user settings
	$settings = get_user_meta( $user_id, 'acf_user_settings', true );
	
	
	// ensure array
	$settings = acf_get_array($settings);
	
	
	// bail arly if no settings
	if( !isset($settings[$name]) ) return $default;
	
	
	// return
	return $settings[$name];
	
}


/*
*  acf_in_array
*
*  description
*
*  @type	function
*  @date	22/07/2014
*  @since	5.0.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_in_array( $value = '', $array = false ) {
	
	// bail early if not array
	if( !is_array($array) ) return false;
	
	
	// find value in array
	return in_array($value, $array);
	
}


/*
*  acf_get_valid_post_id
*
*  This function will return a valid post_id based on the current screen / parameter
*
*  @type	function
*  @date	8/12/2013
*  @since	5.0.0
*
*  @param	$post_id (mixed)
*  @return	$post_id (mixed)
*/

function acf_get_valid_post_id( $post_id = 0 ) {
	
	// allow filter to short-circuit load_value logic
	$preload = apply_filters( "acf/pre_load_post_id", null, $post_id );
    if( $preload !== null ) {
	    return $preload;
    }
    
	// vars
	$_post_id = $post_id;
	
	
	// if not $post_id, load queried object
	if( !$post_id ) {
		
		// try for global post (needed for setup_postdata)
		$post_id = (int) get_the_ID();
		
		
		// try for current screen
		if( !$post_id ) {
			
			$post_id = get_queried_object();
				
		}
		
	}
	
	
	// $post_id may be an object
	if( is_object($post_id) ) {
		
		// post
		if( isset($post_id->post_type, $post_id->ID) ) {
		
			$post_id = $post_id->ID;
			
		// user
		} elseif( isset($post_id->roles, $post_id->ID) ) {
		
			$post_id = 'user_' . $post_id->ID;
		
		// term
		} elseif( isset($post_id->taxonomy, $post_id->term_id) ) {
			
			$post_id = acf_get_term_post_id( $post_id->taxonomy, $post_id->term_id );
		
		// comment
		} elseif( isset($post_id->comment_ID) ) {
		
			$post_id = 'comment_' . $post_id->comment_ID;
		
		// default
		} else {
			
			$post_id = 0;
			
		}
		
	}
	
	
	// allow for option == options
	if( $post_id === 'option' ) {
	
		$post_id = 'options';
		
	}
	
	
	// append language code
	if( $post_id == 'options' ) {
		
		$dl = acf_get_setting('default_language');
		$cl = acf_get_setting('current_language');
		
		if( $cl && $cl !== $dl ) {
			
			$post_id .= '_' . $cl;
			
		}
			
	}
	
	
	
	// filter for 3rd party
	$post_id = apply_filters('acf/validate_post_id', $post_id, $_post_id);
	
	
	// return
	return $post_id;
	
}



/*
*  acf_get_post_id_info
*
*  This function will return the type and id for a given $post_id string
*
*  @type	function
*  @date	2/07/2016
*  @since	5.4.0
*
*  @param	$post_id (mixed)
*  @return	$info (array)
*/

function acf_get_post_id_info( $post_id = 0 ) {
	
	// vars
	$info = array(
		'type'	=> 'post',
		'id'	=> 0
	);
	
	// bail early if no $post_id
	if( !$post_id ) return $info;
	
	
	// check cache
	// - this function will most likely be called multiple times (saving loading fields from post)
	//$cache_key = "get_post_id_info/post_id={$post_id}";
	
	//if( acf_isset_cache($cache_key) ) return acf_get_cache($cache_key);
	
	
	// numeric
	if( is_numeric($post_id) ) {
		
		$info['id'] = (int) $post_id;
	
	// string
	} elseif( is_string($post_id) ) {
		
		// vars
		$glue = '_';
		$type = explode($glue, $post_id);
		$id = array_pop($type);
		$type = implode($glue, $type);
		$meta = array('post', 'user', 'comment', 'term');
		
		
		// check if is taxonomy (ACF < 5.5)
		// - avoid scenario where taxonomy exists with name of meta type
		if( !in_array($type, $meta) && acf_isset_termmeta($type) ) $type = 'term';
		
		
		// meta
		if( is_numeric($id) && in_array($type, $meta) ) {
			
			$info['type'] = $type;
			$info['id'] = (int) $id;
		
		// option	
		} else {
			
			$info['type'] = 'option';
			$info['id'] = $post_id;
			
		}
		
	}
	
	
	// update cache
	//acf_set_cache($cache_key, $info);
	
	
	// filter
	$info = apply_filters("acf/get_post_id_info", $info, $post_id);
	
	// return
	return $info;
	
}


/*

acf_log( acf_get_post_id_info(4) );

acf_log( acf_get_post_id_info('post_4') );

acf_log( acf_get_post_id_info('user_123') );

acf_log( acf_get_post_id_info('term_567') );

acf_log( acf_get_post_id_info('category_204') );

acf_log( acf_get_post_id_info('comment_6') );

acf_log( acf_get_post_id_info('options_lol!') );

acf_log( acf_get_post_id_info('option') );

acf_log( acf_get_post_id_info('options') );

*/


/*
*  acf_isset_termmeta
*
*  This function will return true if the termmeta table exists
*  https://developer.wordpress.org/reference/functions/get_term_meta/
*
*  @type	function
*  @date	3/09/2016
*  @since	5.4.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_isset_termmeta( $taxonomy = '' ) {
	
	// bail ealry if no table
	if( get_option('db_version') < 34370 ) return false;
	
	
	// check taxonomy
	if( $taxonomy && !taxonomy_exists($taxonomy) ) return false;
	
	
	// return
	return true;
		
}


/*
*  acf_get_term_post_id
*
*  This function will return a valid post_id string for a given term and taxonomy
*
*  @type	function
*  @date	6/2/17
*  @since	5.5.6
*
*  @param	$taxonomy (string)
*  @param	$term_id (int)
*  @return	(string)
*/

function acf_get_term_post_id( $taxonomy, $term_id ) {
	
	// WP < 4.4
	if( !acf_isset_termmeta() ) {
		
		return $taxonomy . '_' . $term_id;
		
	}
	
	
	// return
	return 'term_' . $term_id;
	
}


/*
*  acf_upload_files
*
*  This function will walk througfh the $_FILES data and upload each found
*
*  @type	function
*  @date	25/10/2014
*  @since	5.0.9
*
*  @param	$ancestors (array) an internal parameter, not required
*  @return	n/a
*/
	
function acf_upload_files( $ancestors = array() ) {
	
	// vars
	$file = array(
		'name'		=> '',
		'type'		=> '',
		'tmp_name'	=> '',
		'error'		=> '',
		'size' 		=> ''
	);
	
	
	// populate with $_FILES data
	foreach( array_keys($file) as $k ) {
		
		$file[ $k ] = $_FILES['acf'][ $k ];
		
	}
	
	
	// walk through ancestors
	if( !empty($ancestors) ) {
		
		foreach( $ancestors as $a ) {
			
			foreach( array_keys($file) as $k ) {
				
				$file[ $k ] = $file[ $k ][ $a ];
				
			}
			
		}
		
	}
	
	
	// is array?
	if( is_array($file['name']) ) {
		
		foreach( array_keys($file['name']) as $k ) {
				
			$_ancestors = array_merge($ancestors, array($k));
			
			acf_upload_files( $_ancestors );
			
		}
		
		return;
		
	}
	
	
	// bail ealry if file has error (no file uploaded)
	if( $file['error'] ) {
		
		return;
		
	}
	
	
	// assign global _acfuploader for media validation
	$_POST['_acfuploader'] = end($ancestors);
	
	
	// file found!
	$attachment_id = acf_upload_file( $file );
	
	
	// update $_POST
	array_unshift($ancestors, 'acf');
	acf_update_nested_array( $_POST, $ancestors, $attachment_id );
	
}


/*
*  acf_upload_file
*
*  This function will uploade a $_FILE
*
*  @type	function
*  @date	27/10/2014
*  @since	5.0.9
*
*  @param	$uploaded_file (array) array found from $_FILE data
*  @return	$id (int) new attachment ID
*/

function acf_upload_file( $uploaded_file ) {
	
	// required
	//require_once( ABSPATH . "/wp-load.php" ); // WP should already be loaded
	require_once( ABSPATH . "/wp-admin/includes/media.php" ); // video functions
	require_once( ABSPATH . "/wp-admin/includes/file.php" );
	require_once( ABSPATH . "/wp-admin/includes/image.php" );
	 
	 
	// required for wp_handle_upload() to upload the file
	$upload_overrides = array( 'test_form' => false );
	
	
	// upload
	$file = wp_handle_upload( $uploaded_file, $upload_overrides );
	
	
	// bail ealry if upload failed
	if( isset($file['error']) ) {
		
		return $file['error'];
		
	}
	
	
	// vars
	$url = $file['url'];
	$type = $file['type'];
	$file = $file['file'];
	$filename = basename($file);
	

	// Construct the object array
	$object = array(
		'post_title' => $filename,
		'post_mime_type' => $type,
		'guid' => $url
	);

	// Save the data
	$id = wp_insert_attachment($object, $file);

	// Add the meta-data
	wp_update_attachment_metadata( $id, wp_generate_attachment_metadata( $id, $file ) );
	
	/** This action is documented in wp-admin/custom-header.php */
	do_action( 'wp_create_file_in_uploads', $file, $id ); // For replication
	
	// return new ID
	return $id;
	
}


/*
*  acf_update_nested_array
*
*  This function will update a nested array value. Useful for modifying the $_POST array
*
*  @type	function
*  @date	27/10/2014
*  @since	5.0.9
*
*  @param	$array (array) target array to be updated
*  @param	$ancestors (array) array of keys to navigate through to find the child
*  @param	$value (mixed) The new value
*  @return	(boolean)
*/

function acf_update_nested_array( &$array, $ancestors, $value ) {
	
	// if no more ancestors, update the current var
	if( empty($ancestors) ) {
		
		$array = $value;
		
		// return
		return true;
		
	}
	
	
	// shift the next ancestor from the array
	$k = array_shift( $ancestors );
	
	
	// if exists
	if( isset($array[ $k ]) ) {
		
		return acf_update_nested_array( $array[ $k ], $ancestors, $value );
		
	}
		
	
	// return 
	return false;
}


/*
*  acf_is_screen
*
*  This function will return true if all args are matched for the current screen
*
*  @type	function
*  @date	9/12/2014
*  @since	5.1.5
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_is_screen( $id = '' ) {
	
	// bail early if not defined
	if( !function_exists('get_current_screen') ) {
		return false;
	}
	
	// vars
	$current_screen = get_current_screen();
	
	// no screen
	if( !$current_screen ) {
		return false;
	
	// array
	} elseif( is_array($id) ) {
		return in_array($current_screen->id, $id);
	
	// string
	} else {
		return ($id === $current_screen->id);
	}
}


/*
*  acf_maybe_get
*
*  This function will return a var if it exists in an array
*
*  @type	function
*  @date	9/12/2014
*  @since	5.1.5
*
*  @param	$array (array) the array to look within
*  @param	$key (key) the array key to look for. Nested values may be found using '/'
*  @param	$default (mixed) the value returned if not found
*  @return	$post_id (int)
*/

function acf_maybe_get( $array = array(), $key = 0, $default = null ) {
	
	return isset( $array[$key] ) ? $array[$key] : $default;
		
}

function acf_maybe_get_POST( $key = '', $default = null ) {
	
	return isset( $_POST[$key] ) ? $_POST[$key] : $default;
	
}

function acf_maybe_get_GET( $key = '', $default = null ) {
	
	return isset( $_GET[$key] ) ? $_GET[$key] : $default;
	
}


/*
*  acf_get_attachment
*
*  This function will return an array of attachment data
*
*  @type	function
*  @date	5/01/2015
*  @since	5.1.5
*
*  @param	$post (mixed) either post ID or post object
*  @return	(array)
*/

function acf_get_attachment( $attachment ) {
	
	// get post
	if( !$attachment = get_post($attachment) ) {
		return false;
	}
	
	// validate post_type
	if( $attachment->post_type !== 'attachment' ) {
		return false;
	}
	
	// vars
	$sizes_id = 0;
	$meta = wp_get_attachment_metadata( $attachment->ID );
	$attached_file = get_attached_file( $attachment->ID );
	$attachment_url = wp_get_attachment_url( $attachment->ID );
	
	// get mime types
	if( strpos( $attachment->post_mime_type, '/' ) !== false ) {
		list( $type, $subtype ) = explode( '/', $attachment->post_mime_type );
	} else {
		list( $type, $subtype ) = array( $attachment->post_mime_type, '' );
	}
	
	// vars
	$response = array(
		'ID'			=> $attachment->ID,
		'id'			=> $attachment->ID,
		'title'       	=> $attachment->post_title,
		'filename'		=> wp_basename( $attached_file ),
		'filesize'		=> 0,
		'url'			=> $attachment_url,
		'link'			=> get_attachment_link( $attachment->ID ),
		'alt'			=> get_post_meta( $attachment->ID, '_wp_attachment_image_alt', true ),
		'author'		=> $attachment->post_author,
		'description'	=> $attachment->post_content,
		'caption'		=> $attachment->post_excerpt,
		'name'			=> $attachment->post_name,
        'status'		=> $attachment->post_status,
        'uploaded_to'	=> $attachment->post_parent,
        'date'			=> $attachment->post_date_gmt,
		'modified'		=> $attachment->post_modified_gmt,
		'menu_order'	=> $attachment->menu_order,
		'mime_type'		=> $attachment->post_mime_type,
        'type'			=> $type,
        'subtype'		=> $subtype,
        'icon'			=> wp_mime_type_icon( $attachment->ID )
	);
	
	// filesize
	if( isset($meta['filesize']) ) {
		$response['filesize'] = $meta['filesize'];
	} elseif( file_exists($attached_file) ) {
		$response['filesize'] = filesize( $attached_file );
	}
	
	// image
	if( $type === 'image' ) {
		
		$sizes_id = $attachment->ID;
		$src = wp_get_attachment_image_src( $attachment->ID, 'full' );
		
		$response['url'] = $src[0];
		$response['width'] = $src[1];
		$response['height'] = $src[2];
	
	// video
	} elseif( $type === 'video' ) {
		
		// dimensions
		$response['width'] = acf_maybe_get($meta, 'width', 0);
		$response['height'] = acf_maybe_get($meta, 'height', 0);
		
		// featured image
		if( $featured_id = get_post_thumbnail_id($attachment->ID) ) {
			$sizes_id = $featured_id;
		}
		
	// audio
	} elseif( $type === 'audio' ) {
		
		// featured image
		if( $featured_id = get_post_thumbnail_id($attachment->ID) ) {
			$sizes_id = $featured_id;
		}				
	}
	
	
	// sizes
	if( $sizes_id ) {
		
		// vars
		$sizes = get_intermediate_image_sizes();
		$data = array();
		
		// loop
		foreach( $sizes as $size ) {
			$src = wp_get_attachment_image_src( $sizes_id, $size );
			$data[ $size ] = $src[0];
			$data[ $size . '-width' ] = $src[1];
			$data[ $size . '-height' ] = $src[2];
		}
		
		// append
		$response['sizes'] = $data;
	}
	
	// return
	return $response;
	
}


/*
*  acf_get_truncated
*
*  This function will truncate and return a string
*
*  @type	function
*  @date	8/08/2014
*  @since	5.0.0
*
*  @param	$text (string)
*  @param	$length (int)
*  @return	(string)
*/

function acf_get_truncated( $text, $length = 64 ) {
	
	// vars
	$text = trim($text);
	$the_length = strlen( $text );
	
	
	// cut
	$return = substr( $text, 0, ($length - 3) );
	
	
	// ...
	if( $the_length > ($length - 3) ) {
	
		$return .= '...';
		
	}
	
	
	// return
	return $return;
	
}


/*
*  acf_get_current_url
*
*  This function will return the current URL.
*
*  @date	23/01/2015
*  @since	5.1.5
*
*  @param	void
*  @return	string
*/

function acf_get_current_url() {
	return ( is_ssl() ? 'https' : 'http' ) . '://' . $_SERVER['HTTP_HOST'] . $_SERVER['REQUEST_URI'];
}

/*
*  acf_current_user_can_admin
*
*  This function will return true if the current user can administrate the ACF field groups
*
*  @type	function
*  @date	9/02/2015
*  @since	5.1.5
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_current_user_can_admin() {
	
	if( acf_get_setting('show_admin') && current_user_can(acf_get_setting('capability')) ) {
		
		return true;
		
	}
	
	
	// return
	return false;
	
}


/*
*  acf_get_filesize
*
*  This function will return a numeric value of bytes for a given filesize string
*
*  @type	function
*  @date	18/02/2015
*  @since	5.1.5
*
*  @param	$size (mixed)
*  @return	(int)
*/

function acf_get_filesize( $size = 1 ) {
	
	// vars
	$unit = 'MB';
	$units = array(
		'TB' => 4,
		'GB' => 3,
		'MB' => 2,
		'KB' => 1,
	);
	
	
	// look for $unit within the $size parameter (123 KB)
	if( is_string($size) ) {
		
		// vars
		$custom = strtoupper( substr($size, -2) );
		
		foreach( $units as $k => $v ) {
			
			if( $custom === $k ) {
				
				$unit = $k;
				$size = substr($size, 0, -2);
					
			}
			
		}
		
	}
	
	
	// calc bytes
	$bytes = floatval($size) * pow(1024, $units[$unit]); 
	
	
	// return
	return $bytes;
	
}


/*
*  acf_format_filesize
*
*  This function will return a formatted string containing the filesize and unit
*
*  @type	function
*  @date	18/02/2015
*  @since	5.1.5
*
*  @param	$size (mixed)
*  @return	(int)
*/

function acf_format_filesize( $size = 1 ) {
	
	// convert
	$bytes = acf_get_filesize( $size );
	
	
	// vars
	$units = array(
		'TB' => 4,
		'GB' => 3,
		'MB' => 2,
		'KB' => 1,
	);
	
	
	// loop through units
	foreach( $units as $k => $v ) {
		
		$result = $bytes / pow(1024, $v);
		
		if( $result >= 1 ) {
			
			return $result . ' ' . $k;
			
		}
		
	}
	
	
	// return
	return $bytes . ' B';
		
}


/*
*  acf_get_valid_terms
*
*  This function will replace old terms with new split term ids
*
*  @type	function
*  @date	27/02/2015
*  @since	5.1.5
*
*  @param	$terms (int|array)
*  @param	$taxonomy (string)
*  @return	$terms
*/

function acf_get_valid_terms( $terms = false, $taxonomy = 'category' ) {
	
	// force into array
	$terms = acf_get_array($terms);
	
	
	// force ints
	$terms = array_map('intval', $terms);
	
	
	// bail early if function does not yet exist or
	if( !function_exists('wp_get_split_term') || empty($terms) ) {
		
		return $terms;
		
	}
	
	
	// attempt to find new terms
	foreach( $terms as $i => $term_id ) {
		
		$new_term_id = wp_get_split_term($term_id, $taxonomy);
		
		if( $new_term_id ) {
			
			$terms[ $i ] = $new_term_id;
			
		}
		
	}
	
	
	// return
	return $terms;
	
}


/*
*  acf_esc_html_deep
*
*  Navigates through an array and escapes html from the values.
*
*  @type	function
*  @date	10/06/2015
*  @since	5.2.7
*
*  @param	$value (mixed)
*  @return	$value
*/

/*
function acf_esc_html_deep( $value ) {
	
	// array
	if( is_array($value) ) {
		
		$value = array_map('acf_esc_html_deep', $value);
	
	// object
	} elseif( is_object($value) ) {
		
		$vars = get_object_vars( $value );
		
		foreach( $vars as $k => $v ) {
			
			$value->{$k} = acf_esc_html_deep( $v );
		
		}
		
	// string
	} elseif( is_string($value) ) {

		$value = esc_html($value);

	}
	
	
	// return
	return $value;

}
*/


/*
*  acf_validate_attachment
*
*  This function will validate an attachment based on a field's resrictions and return an array of errors
*
*  @type	function
*  @date	3/07/2015
*  @since	5.2.3
*
*  @param	$attachment (array) attachment data. Cahnges based on context
*  @param	$field (array) field settings containing restrictions
*  @param	$context (string) $file is different when uploading / preparing
*  @return	$errors (array)
*/

function acf_validate_attachment( $attachment, $field, $context = 'prepare' ) {
	
	// vars
	$errors = array();
	$file = array(
		'type'		=> '',
		'width'		=> 0,
		'height'	=> 0,
		'size'		=> 0
	);
	
	
	// upload
	if( $context == 'upload' ) {
		
		// vars
		$file['type'] = pathinfo($attachment['name'], PATHINFO_EXTENSION);
		$file['size'] = filesize($attachment['tmp_name']);
		
		if( strpos($attachment['type'], 'image') !== false ) {
			
			$size = getimagesize($attachment['tmp_name']);
			$file['width'] = acf_maybe_get($size, 0);
			$file['height'] = acf_maybe_get($size, 1);
				
		}
	
	// prepare
	} elseif( $context == 'prepare' ) {
		
		$file['type'] = pathinfo($attachment['url'], PATHINFO_EXTENSION);
		$file['size'] = acf_maybe_get($attachment, 'filesizeInBytes', 0);
		$file['width'] = acf_maybe_get($attachment, 'width', 0);
		$file['height'] = acf_maybe_get($attachment, 'height', 0);
	
	// custom
	} else {
		
		$file = array_merge($file, $attachment);
		$file['type'] = pathinfo($attachment['url'], PATHINFO_EXTENSION);
		
	}
	
	
	// image
	if( $file['width'] || $file['height'] ) {
		
		// width
		$min_width = (int) acf_maybe_get($field, 'min_width', 0);
		$max_width = (int) acf_maybe_get($field, 'max_width', 0);
		
		if( $file['width'] ) {
			
			if( $min_width && $file['width'] < $min_width ) {
				
				// min width
				$errors['min_width'] = sprintf(__('Image width must be at least %dpx.', 'acf'), $min_width );
				
			} elseif( $max_width && $file['width'] > $max_width ) {
				
				// min width
				$errors['max_width'] = sprintf(__('Image width must not exceed %dpx.', 'acf'), $max_width );
				
			}
			
		}
		
		
		// height
		$min_height = (int) acf_maybe_get($field, 'min_height', 0);
		$max_height = (int) acf_maybe_get($field, 'max_height', 0);
		
		if( $file['height'] ) {
			
			if( $min_height && $file['height'] < $min_height ) {
				
				// min height
				$errors['min_height'] = sprintf(__('Image height must be at least %dpx.', 'acf'), $min_height );
				
			}  elseif( $max_height && $file['height'] > $max_height ) {
				
				// min height
				$errors['max_height'] = sprintf(__('Image height must not exceed %dpx.', 'acf'), $max_height );
				
			}
			
		}
			
	}
	
	
	// file size
	if( $file['size'] ) {
		
		$min_size = acf_maybe_get($field, 'min_size', 0);
		$max_size = acf_maybe_get($field, 'max_size', 0);
		
		if( $min_size && $file['size'] < acf_get_filesize($min_size) ) {
				
			// min width
			$errors['min_size'] = sprintf(__('File size must be at least %s.', 'acf'), acf_format_filesize($min_size) );
			
		} elseif( $max_size && $file['size'] > acf_get_filesize($max_size) ) {
				
			// min width
			$errors['max_size'] = sprintf(__('File size must must not exceed %s.', 'acf'), acf_format_filesize($max_size) );
			
		}
	
	}
	
	
	// file type
	if( $file['type'] ) {
		
		$mime_types = acf_maybe_get($field, 'mime_types', '');
		
		// lower case
		$file['type'] = strtolower($file['type']);
		$mime_types = strtolower($mime_types);
		
		
		// explode
		$mime_types = str_replace(array(' ', '.'), '', $mime_types);
		$mime_types = explode(',', $mime_types); // split pieces
		$mime_types = array_filter($mime_types); // remove empty pieces
		
		if( !empty($mime_types) && !in_array($file['type'], $mime_types) ) {
			
			// glue together last 2 types
			if( count($mime_types) > 1 ) {
				
				$last1 = array_pop($mime_types);
				$last2 = array_pop($mime_types);
				
				$mime_types[] = $last2 . ' ' . __('or', 'acf') . ' ' . $last1;
				
			}
			
			$errors['mime_types'] = sprintf(__('File type must be %s.', 'acf'), implode(', ', $mime_types) );
			
		}
				
	}
	
	
	/**
	*  Filters the errors for a file before it is uploaded or displayed in the media modal.
	*
	*  @date	3/07/2015
	*  @since	5.2.3
	*
	*  @param	array $errors An array of errors.
	*  @param	array $file An array of data for a single file.
	*  @param	array $attachment An array of attachment data which differs based on the context.
	*  @param	array $field The field array.
	*  @param	string $context The curent context (uploading, preparing)
	*/
	$errors = apply_filters( "acf/validate_attachment/type={$field['type']}",	$errors, $file, $attachment, $field, $context );
	$errors = apply_filters( "acf/validate_attachment/name={$field['_name']}", 	$errors, $file, $attachment, $field, $context );
	$errors = apply_filters( "acf/validate_attachment/key={$field['key']}", 	$errors, $file, $attachment, $field, $context );
	$errors = apply_filters( "acf/validate_attachment", 						$errors, $file, $attachment, $field, $context );
	
	
	// return
	return $errors;
	
}


/*
*  _acf_settings_uploader
*
*  Dynamic logic for uploader setting
*
*  @type	function
*  @date	7/05/2015
*  @since	5.2.3
*
*  @param	$uploader (string)
*  @return	$uploader
*/

add_filter('acf/settings/uploader', '_acf_settings_uploader');

function _acf_settings_uploader( $uploader ) {
	
	// if can't upload files
	if( !current_user_can('upload_files') ) {
		
		$uploader = 'basic';
		
	}
	
	
	// return
	return $uploader;
}


/*
*  acf_translate_keys
*
*  description
*
*  @type	function
*  @date	7/12/2015
*  @since	5.3.2
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

/*
function acf_translate_keys( $array, $keys ) {
	
	// bail early if no keys
	if( empty($keys) ) return $array;
	
	
	// translate
	foreach( $keys as $k ) {
		
		// bail ealry if not exists
		if( !isset($array[ $k ]) ) continue;
		
		
		// translate
		$array[ $k ] = acf_translate( $array[ $k ] );
		
	}
	
	
	// return
	return $array;
	
}
*/


/*
*  acf_translate
*
*  This function will translate a string using the new 'l10n_textdomain' setting
*  Also works for arrays which is great for fields - select -> choices
*
*  @type	function
*  @date	4/12/2015
*  @since	5.3.2
*
*  @param	$string (mixed) string or array containins strings to be translated
*  @return	$string
*/

function acf_translate( $string ) {
	
	// vars
	$l10n = acf_get_setting('l10n');
	$textdomain = acf_get_setting('l10n_textdomain');
	
	
	// bail early if not enabled
	if( !$l10n ) return $string;
	
	
	// bail early if no textdomain
	if( !$textdomain ) return $string;
	
	
	// is array
	if( is_array($string) ) {
		
		return array_map('acf_translate', $string);
		
	}
	
	
	// bail early if not string
	if( !is_string($string) ) return $string;
	
	
	// bail early if empty
	if( $string === '' ) return $string;
	
	
	// allow for var_export export
	if( acf_get_setting('l10n_var_export') ){
		
		// bail early if already translated
		if( substr($string, 0, 7) === '!!__(!!' ) return $string;
		
		
		// return
		return "!!__(!!'" .  $string . "!!', !!'" . $textdomain . "!!')!!";
			
	}
	
	
	// vars
	return __( $string, $textdomain );
	
}


/*
*  acf_maybe_add_action
*
*  This function will determine if the action has already run before adding / calling the function
*
*  @type	function
*  @date	13/01/2016
*  @since	5.3.2
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_maybe_add_action( $tag, $function_to_add, $priority = 10, $accepted_args = 1 ) {
	
	// if action has already run, execute it
	// - if currently doing action, allow $tag to be added as per usual to allow $priority ordering needed for 3rd party asset compatibility
	if( did_action($tag) && !doing_action($tag) ) {
			
		call_user_func( $function_to_add );
	
	// if action has not yet run, add it
	} else {
		
		add_action( $tag, $function_to_add, $priority, $accepted_args );
		
	}
	
}


/*
*  acf_is_row_collapsed
*
*  This function will return true if the field's row is collapsed
*
*  @type	function
*  @date	2/03/2016
*  @since	5.3.2
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_is_row_collapsed( $field_key = '', $row_index = 0 ) {
	
	// collapsed
	$collapsed = acf_get_user_setting('collapsed_' . $field_key, '');
	
	
	// cookie fallback ( version < 5.3.2 )
	if( $collapsed === '' ) {
		
		$collapsed = acf_extract_var($_COOKIE, "acf_collapsed_{$field_key}", '');
		$collapsed = str_replace('|', ',', $collapsed);
		
		
		// update
		acf_update_user_setting( 'collapsed_' . $field_key, $collapsed );
			
	}
	
	
	// explode
	$collapsed = explode(',', $collapsed);
	$collapsed = array_filter($collapsed, 'is_numeric');
	
	
	// collapsed class
	return in_array($row_index, $collapsed);
	
}


/*
*  acf_get_attachment_image
*
*  description
*
*  @type	function
*  @date	24/10/16
*  @since	5.5.0
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_get_attachment_image( $attachment_id = 0, $size = 'thumbnail' ) {
	
	// vars
	$url = wp_get_attachment_image_src($attachment_id, 'thumbnail');
	$alt = get_post_meta($attachment_id, '_wp_attachment_image_alt', true);
	
	
	// bail early if no url
	if( !$url ) return '';
	
	
	// return
	$value = '<img src="' . $url . '" alt="' . $alt . '" />';
	
}


/*
*  acf_get_post_thumbnail
*
*  This function will return a thumbail image url for a given post
*
*  @type	function
*  @date	3/05/2016
*  @since	5.3.8
*
*  @param	$post (obj)
*  @param	$size (mixed)
*  @return	(string)
*/

function acf_get_post_thumbnail( $post = null, $size = 'thumbnail' ) {
	
	// vars
	$data = array(
		'url'	=> '',
		'type'	=> '',
		'html'	=> ''
	);
	
	
	// post
	$post = get_post($post);
	
    
	// bail early if no post
	if( !$post ) return $data;
	
	
	// vars
	$thumb_id = $post->ID;
	$mime_type = acf_maybe_get(explode('/', $post->post_mime_type), 0);
	
	
	// attachment
	if( $post->post_type === 'attachment' ) {
		
		// change $thumb_id
		if( $mime_type === 'audio' || $mime_type === 'video' ) {
			
			$thumb_id = get_post_thumbnail_id($post->ID);
			
		}
	
	// post
	} else {
		
		$thumb_id = get_post_thumbnail_id($post->ID);
			
	}
	
	
	// try url
	$data['url'] = wp_get_attachment_image_src($thumb_id, $size);
	$data['url'] = acf_maybe_get($data['url'], 0);
	
	
	// default icon
	if( !$data['url'] && $post->post_type === 'attachment' ) {
		
		$data['url'] = wp_mime_type_icon($post->ID);
		$data['type'] = 'icon';
		
	}
	
	
	// html
	$data['html'] = '<img src="' . $data['url'] . '" alt="" />';
	
	
	// return
	return $data;
	
}

/**
 * acf_get_browser
 *
 * Returns the name of the current browser.
 *
 * @date	17/01/2014
 * @since	5.0.0
 *
 * @param	void
 * @return	string
 */
function acf_get_browser() {
	
	// Check server var.
	if( isset($_SERVER['HTTP_USER_AGENT']) ) {
		$agent = $_SERVER['HTTP_USER_AGENT'];
		
		// Loop over search terms.
		$browsers = array(
			'Firefox'	=> 'firefox',
			'Trident'	=> 'msie',
			'MSIE'		=> 'msie',
			'Edge'		=> 'edge',
			'Chrome'	=> 'chrome',
			'Safari'	=> 'safari',
		);
		foreach( $browsers as $k => $v ) {
			if( strpos($agent, $k) !== false ) {
				return $v;
			}
		}
	}
	
	// Return default.
	return '';
}


/*
*  acf_is_ajax
*
*  This function will reutrn true if performing a wp ajax call
*
*  @type	function
*  @date	7/06/2016
*  @since	5.3.8
*
*  @param	n/a
*  @return	(boolean)
*/

function acf_is_ajax( $action = '' ) {
	
	// vars
	$is_ajax = false;
	
	
	// check if is doing ajax
	if( defined('DOING_AJAX') && DOING_AJAX ) {
		
		$is_ajax = true;
		
	}
	
	
	// check $action
	if( $action && acf_maybe_get($_POST, 'action') !== $action ) {
		
		$is_ajax = false;
		
	}
	
	
	// return
	return $is_ajax;
		
}




/*
*  acf_format_date
*
*  This function will accept a date value and return it in a formatted string
*
*  @type	function
*  @date	16/06/2016
*  @since	5.3.8
*
*  @param	$value (string)
*  @return	$format (string)
*/

function acf_format_date( $value, $format ) {
	
	// bail early if no value
	if( !$value ) return $value;
	
	
	// vars
	$unixtimestamp = 0;
	
	
	// numeric (either unix or YYYYMMDD)
	if( is_numeric($value) && strlen($value) !== 8 ) {
		
		$unixtimestamp = $value;
		
	} else {
		
		$unixtimestamp = strtotime($value);
		
	}
	
	
	// return
	return date_i18n($format, $unixtimestamp);
	
}

/**
 * acf_clear_log
 *
 * Deletes the debug.log file.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	type $var Description. Default.
 * @return	type Description.
 */
function acf_clear_log() {
	unlink( WP_CONTENT_DIR . '/debug.log' );
}

/*
*  acf_log
*
*  description
*
*  @type	function
*  @date	24/06/2016
*  @since	5.3.8
*
*  @param	$post_id (int)
*  @return	$post_id (int)
*/

function acf_log() {
	
	// vars
	$args = func_get_args();
	
	// loop
	foreach( $args as $i => $arg ) {
		
		// array | object
		if( is_array($arg) || is_object($arg) ) {
			$arg = print_r($arg, true);
		
		// bool	
		} elseif( is_bool($arg) ) {
			$arg = 'bool(' . ( $arg ? 'true' : 'false' ) . ')';
		}
		
		// update
		$args[ $i ] = $arg;
	}
	
	// log
	error_log( implode(' ', $args) );
}

/**
*  acf_dev_log
*
*  Used to log variables only if ACF_DEV is defined
*
*  @date	25/8/18
*  @since	5.7.4
*
*  @param	mixed
*  @return	void
*/
function acf_dev_log() {
	if( defined('ACF_DEV') && ACF_DEV ) {
		call_user_func_array('acf_log', func_get_args());
	}
}

/*
*  acf_doing
*
*  This function will tell ACF what task it is doing
*
*  @type	function
*  @date	28/06/2016
*  @since	5.3.8
*
*  @param	$event (string)
*  @param	context (string)
*  @return	n/a
*/

function acf_doing( $event = '', $context = '' ) {
	
	acf_update_setting( 'doing', $event );
	acf_update_setting( 'doing_context', $context );
	
}


/*
*  acf_is_doing
*
*  This function can be used to state what ACF is doing, or to check
*
*  @type	function
*  @date	28/06/2016
*  @since	5.3.8
*
*  @param	$event (string)
*  @param	context (string)
*  @return	(boolean)
*/

function acf_is_doing( $event = '', $context = '' ) {
	
	// vars
	$doing = false;
	
	
	// task
	if( acf_get_setting('doing') === $event ) {
		
		$doing = true;
		
	}
	
	
	// context
	if( $context && acf_get_setting('doing_context') !== $context ) {
		
		$doing = false;
		
	}
	
	
	// return
	return $doing;
		
}


/*
*  acf_is_plugin_active
*
*  This function will return true if the ACF plugin is active
*  - May be included within a theme or other plugin
*
*  @type	function
*  @date	13/07/2016
*  @since	5.4.0
*
*  @param	$basename (int)
*  @return	$post_id (int)
*/


function acf_is_plugin_active() {
	
	// vars
	$basename = acf_get_setting('basename');
	
	
	// ensure is_plugin_active() exists (not on frontend)
	if( !function_exists('is_plugin_active') ) {
		
		include_once( ABSPATH . 'wp-admin/includes/plugin.php' );
		
	}
	
	
	// return
	return is_plugin_active($basename);
	
}

/*
*  acf_send_ajax_results
*
*  This function will print JSON data for a Select2 AJAX query
*
*  @type	function
*  @date	19/07/2016
*  @since	5.4.0
*
*  @param	$response (array)
*  @return	n/a
*/

function acf_send_ajax_results( $response ) {
	
	// validate
	$response = wp_parse_args($response, array(
		'results'	=> array(),
		'more'		=> false,
		'limit'		=> 0
	));
	
	
	// limit
	if( $response['limit'] && $response['results']) {
		
		// vars
		$total = 0;
		
		foreach( $response['results'] as $result ) {
			
			// parent
			$total++;
			
			
			// children
			if( !empty($result['children']) ) {
				
				$total += count( $result['children'] );
				
			}
			
		}
		
		
		// calc
		if( $total >= $response['limit'] ) {
			
			$response['more'] = true;
			
		}
		
	}
	
	
	// return
	wp_send_json( $response );
	
}


/*
*  acf_is_sequential_array
*
*  This function will return true if the array contains only numeric keys
*
*  @source	http://stackoverflow.com/questions/173400/how-to-check-if-php-array-is-associative-or-sequential
*  @type	function
*  @date	9/09/2016
*  @since	5.4.0
*
*  @param	$array (array)
*  @return	(boolean)
*/

function acf_is_sequential_array( $array ) {
	
	// bail ealry if not array
	if( !is_array($array) ) return false;
	
	
	// loop
	foreach( $array as $key => $value ) {
		
		// bail ealry if is string
		if( is_string($key) ) return false;
	
	}
	
	
	// return
	return true;
	
}


/*
*  acf_is_associative_array
*
*  This function will return true if the array contains one or more string keys
*
*  @source	http://stackoverflow.com/questions/173400/how-to-check-if-php-array-is-associative-or-sequential
*  @type	function
*  @date	9/09/2016
*  @since	5.4.0
*
*  @param	$array (array)
*  @return	(boolean)
*/

function acf_is_associative_array( $array ) {
	
	// bail ealry if not array
	if( !is_array($array) ) return false;
	
	
	// loop
	foreach( $array as $key => $value ) {
		
		// bail ealry if is string
		if( is_string($key) ) return true;
	
	}
	
	
	// return
	return false;
	
}


/*
*  acf_add_array_key_prefix
*
*  This function will add a prefix to all array keys
*  Useful to preserve numeric keys when performing array_multisort
*
*  @type	function
*  @date	15/09/2016
*  @since	5.4.0
*
*  @param	$array (array)
*  @param	$prefix (string)
*  @return	(array)
*/

function acf_add_array_key_prefix( $array, $prefix ) {
	
	// vars
	$array2 = array();
	
	
	// loop
	foreach( $array as $k => $v ) {
		
		$k2 = $prefix . $k;
	    $array2[ $k2 ] = $v;
	    
	}
	
	
	// return
	return $array2;
	
}


/*
*  acf_remove_array_key_prefix
*
*  This function will remove a prefix to all array keys
*  Useful to preserve numeric keys when performing array_multisort
*
*  @type	function
*  @date	15/09/2016
*  @since	5.4.0
*
*  @param	$array (array)
*  @param	$prefix (string)
*  @return	(array)
*/

function acf_remove_array_key_prefix( $array, $prefix ) {
	
	// vars
	$array2 = array();
	$l = strlen($prefix);
	
	
	// loop
	foreach( $array as $k => $v ) {
		
		$k2 = (substr($k, 0, $l) === $prefix) ? substr($k, $l) : $k;
	    $array2[ $k2 ] = $v;
	    
	}
	
	
	// return
	return $array2;
	
}


/*
*  acf_strip_protocol
*
*  This function will remove the proticol from a url 
*  Used to allow licences to remain active if a site is switched to https 
*
*  @type	function
*  @date	10/01/2017
*  @since	5.5.4
*  @author	Aaron 
*
*  @param	$url (string)
*  @return	(string) 
*/

function acf_strip_protocol( $url ) {
		
	// strip the protical 
	return str_replace(array('http://','https://'), '', $url);

}


/*
*  acf_connect_attachment_to_post
*
*  This function will connect an attacment (image etc) to the post 
*  Used to connect attachements uploaded directly to media that have not been attaced to a post
*
*  @type	function
*  @date	11/01/2017
*  @since	5.8.0 Added filter to prevent connection.
*  @since	5.5.4
*
*  @param	int $attachment_id The attachment ID.
*  @param	int $post_id The post ID.
*  @return	bool True if attachment was connected.
*/
function acf_connect_attachment_to_post( $attachment_id = 0, $post_id = 0 ) {
	
	// Bail ealry if $attachment_id is not valid.
	if( !$attachment_id || !is_numeric($attachment_id) ) {
		return false;
	}
	
	// Bail ealry if $post_id is not valid.
	if( !$post_id || !is_numeric($post_id) ) {
		return false;
	}
	
	/**
	*  Filters whether or not to connect the attachment.
	*
	*  @date	8/11/18
	*  @since	5.8.0
	*
	*  @param	bool $bool Returning false will prevent the connection. Default true.
	*  @param	int $attachment_id The attachment ID.
	*  @param	int $post_id The post ID.
	*/
	if( !apply_filters('acf/connect_attachment_to_post', true, $attachment_id, $post_id) ) {
		return false;
	}
	
	// vars 
	$post = get_post( $attachment_id );
	
	// Check if is valid post.
	if( $post && $post->post_type == 'attachment' && $post->post_parent == 0 ) {
		
		// update
		wp_update_post( array('ID' => $post->ID, 'post_parent' => $post_id) );
		
		// return
		return true;
	}
	
	// return
	return true;
}


/*
*  acf_encrypt
*
*  This function will encrypt a string using PHP
*  https://bhoover.com/using-php-openssl_encrypt-openssl_decrypt-encrypt-decrypt-data/
*
*  @type	function
*  @date	27/2/17
*  @since	5.5.8
*
*  @param	$data (string)
*  @return	(string)
*/


function acf_encrypt( $data = '' ) {
	
	// bail ealry if no encrypt function
	if( !function_exists('openssl_encrypt') ) return base64_encode($data);
	
	
	// generate a key
	$key = wp_hash('acf_encrypt');
	
	
    // Generate an initialization vector
    $iv = openssl_random_pseudo_bytes(openssl_cipher_iv_length('aes-256-cbc'));
    
    
    // Encrypt the data using AES 256 encryption in CBC mode using our encryption key and initialization vector.
    $encrypted_data = openssl_encrypt($data, 'aes-256-cbc', $key, 0, $iv);
    
    
    // The $iv is just as important as the key for decrypting, so save it with our encrypted data using a unique separator (::)
    return base64_encode($encrypted_data . '::' . $iv);
	
}


/*
*  acf_decrypt
*
*  This function will decrypt an encrypted string using PHP
*  https://bhoover.com/using-php-openssl_encrypt-openssl_decrypt-encrypt-decrypt-data/
*
*  @type	function
*  @date	27/2/17
*  @since	5.5.8
*
*  @param	$data (string)
*  @return	(string)
*/

function acf_decrypt( $data = '' ) {
	
	// bail ealry if no decrypt function
	if( !function_exists('openssl_decrypt') ) return base64_decode($data);
	
	
	// generate a key
	$key = wp_hash('acf_encrypt');
	
	
    // To decrypt, split the encrypted data from our IV - our unique separator used was "::"
    list($encrypted_data, $iv) = explode('::', base64_decode($data), 2);
    
    
    // decrypt
    return openssl_decrypt($encrypted_data, 'aes-256-cbc', $key, 0, $iv);
	
}

/**
*  acf_parse_markdown
*
*  A very basic regex-based Markdown parser function based off [slimdown](https://gist.github.com/jbroadway/2836900).
*
*  @date	6/8/18
*  @since	5.7.2
*
*  @param	string $text The string to parse.
*  @return	string
*/

function acf_parse_markdown( $text = '' ) {
	
	// trim
	$text = trim($text);
	
	// rules
	$rules = array (
		'/=== (.+?) ===/'				=> '<h2>$1</h2>',					// headings
		'/== (.+?) ==/'					=> '<h3>$1</h3>',					// headings
		'/= (.+?) =/'					=> '<h4>$1</h4>',					// headings
		'/\[([^\[]+)\]\(([^\)]+)\)/' 	=> '<a href="$2">$1</a>',			// links
		'/(\*\*)(.*?)\1/' 				=> '<strong>$2</strong>',			// bold
		'/(\*)(.*?)\1/' 				=> '<em>$2</em>',					// intalic
		'/`(.*?)`/'						=> '<code>$1</code>',				// inline code
		'/\n\*(.*)/'					=> "\n<ul>\n\t<li>$1</li>\n</ul>",	// ul lists
		'/\n[0-9]+\.(.*)/'				=> "\n<ol>\n\t<li>$1</li>\n</ol>",	// ol lists
		'/<\/ul>\s?<ul>/'				=> '',								// fix extra ul
		'/<\/ol>\s?<ol>/'				=> '',								// fix extra ol
	);
	foreach( $rules as $k => $v ) {
		$text = preg_replace($k, $v, $text);
	}
		
	// autop
	$text = wpautop($text);
	
	// return
	return $text;
}

/**
*  acf_get_sites
*
*  Returns an array of sites for a network.
*
*  @date	29/08/2016
*  @since	5.4.0
*
*  @param	void
*  @return	array
*/
function acf_get_sites() {
	$results = array();
	$sites = get_sites( array( 'number' => 0 ) );
	if( $sites ) {
		foreach( $sites as $site ) {
	        $results[] = get_site( $site )->to_array();
	    }
	}
	return $results;
}

/**
*  acf_convert_rules_to_groups
*
*  Converts an array of rules from ACF4 to an array of groups for ACF5
*
*  @date	25/8/18
*  @since	5.7.4
*
*  @param	array $rules An array of rules.
*  @param	string $anyorall The anyorall setting used in ACF4. Defaults to 'any'.
*  @return	array
*/
function acf_convert_rules_to_groups( $rules, $anyorall = 'any' ) {
	
	// vars
	$groups = array();
	$index = 0;
	
	// loop
	foreach( $rules as $rule ) {
		
		// extract vars
		$group = acf_extract_var( $rule, 'group_no' );
		$order = acf_extract_var( $rule, 'order_no' );
		
		// calculate group if not defined
		if( $group === null ) {
			$group = $index;
			
			// use $anyorall to determine if a new group is needed
			if( $anyorall == 'any' ) {
				$index++;
			}
		}
		
		// calculate order if not defined
		if( $order === null ) {
			$order = isset($groups[ $group ]) ? count($groups[ $group ]) : 0;
		}
		
		// append to group
		$groups[ $group ][ $order ] = $rule;
		
		// sort groups
		ksort( $groups[ $group ] );
	}
	
	// sort groups
	ksort( $groups );
	
	// return
	return $groups;
}

/**
*  acf_register_ajax
*
*  Regsiters an ajax callback.
*
*  @date	5/10/18
*  @since	5.7.7
*
*  @param	string $name The ajax action name.
*  @param	array $callback The callback function or array.
*  @param	bool $public Whether to allow access to non logged in users.
*  @return	void
*/
function acf_register_ajax( $name = '', $callback = false, $public = false ) {
	
	// vars
	$action = "acf/ajax/$name";
	
	// add action for logged-in users
	add_action( "wp_ajax_$action", $callback );
	
	// add action for non logged-in users
	if( $public ) {
		add_action( "wp_ajax_nopriv_$action", $callback );
	}
}

/**
*  acf_str_camel_case
*
*  Converts a string into camelCase.
*  Thanks to https://stackoverflow.com/questions/31274782/convert-array-keys-from-underscore-case-to-camelcase-recursively
*
*  @date	24/10/18
*  @since	5.8.0
*
*  @param	string $string The string ot convert.
*  @return	string
*/
function acf_str_camel_case( $string = '' ) {
	return lcfirst(str_replace(' ', '', ucwords(str_replace('_', ' ', $string))));
}

/**
*  acf_array_camel_case
*
*  Converts all aray keys to camelCase.
*
*  @date	24/10/18
*  @since	5.8.0
*
*  @param	array $array The array to convert.
*  @return	array
*/
function acf_array_camel_case( $array = array() ) {
	$array2 = array();
	foreach( $array as $k => $v ) {
		$array2[ acf_str_camel_case($k) ] = $v;
	}
	return $array2;
}

/**
 * acf_is_block_editor
 *
 * Returns true if the current screen uses the block editor.
 *
 * @date	13/12/18
 * @since	5.8.0
 *
 * @param	void
 * @return	bool
 */
function acf_is_block_editor() {
	if( function_exists('get_current_screen') ) {
		$screen = get_current_screen();
		if( method_exists($screen, 'is_block_editor') ) {
			return $screen->is_block_editor();
		}
	}
	return false;
}

?>PK�[^\�FfFf&includes/acf-field-group-functions.phpnu�[���<?php 

// Register store.
acf_register_store( 'field-groups' )->prop( 'multisite', true );

/**
 * acf_get_field_group
 *
 * Retrieves a field group for the given identifier.
 *
 * @date	30/09/13
 * @since	5.0.0
 *
 * @param	(int|string) $id The field group ID, key or name.
 * @return	(array|false) The field group array.
 */
function acf_get_field_group( $id = 0 ) {
	
	// Allow WP_Post to be passed.
	if( is_object($id) ) {
		$id = $id->ID;
	}
	
	// Check store.
	$store = acf_get_store( 'field-groups' );
	if( $store->has( $id ) ) {
		return $store->get( $id );
	}
	
	// Check local fields first.
	if( acf_is_local_field_group($id) ) {
		$field_group = acf_get_local_field_group( $id );
	
	// Then check database.
	} else {
		$field_group = acf_get_raw_field_group( $id );
	}
	
	// Bail early if no field group.
	if( !$field_group ) {
		return false;
	}
	
	// Validate field group.
	$field_group = acf_validate_field_group( $field_group );
	
	/**
	 * Filters the $field_group array after it has been loaded.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array The field_group array.
	 */
	$field_group = apply_filters( 'acf/load_field_group', $field_group );
	
	// Store field group using aliasses to also find via key, ID and name.
	$store->set( $field_group['key'], $field_group );
	$store->alias( $field_group['key'], $field_group['ID'] );
	
	// Return.
	return $field_group;
}

/**
 * acf_get_raw_field_group
 *
 * Retrieves raw field group data for the given identifier.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	(array|false) The field group array.
 */
function acf_get_raw_field_group( $id = 0 ) {
	
	// Get raw field group from database.
	$post = acf_get_field_group_post( $id );
	if( !$post ) {
		return false;
	}
	
	// Bail early if incorrect post type.
	if( $post->post_type !== 'acf-field-group' ) {
		return false;
	}
	
	// Unserialize post_content.
	$field_group = (array) maybe_unserialize( $post->post_content );
	
	// update attributes
	$field_group['ID'] = $post->ID;
	$field_group['title'] = $post->post_title;
	$field_group['key'] = $post->post_name;
	$field_group['menu_order'] = $post->menu_order;
	$field_group['active'] = in_array($post->post_status, array('publish', 'auto-draft'));

	// Return field.
	return $field_group;
}

/**
 * acf_get_field_group_post
 *
 * Retrieves the field group's WP_Post object.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field group's ID, key or name.
 * @return	(array|false) The field group's array.
 */
function acf_get_field_group_post( $id = 0 ) {
	
	// Get post if numeric.
	if( is_numeric($id) ) {
		return get_post( $id );
	
	// Search posts if is string.
	} elseif( is_string($id) ) {
		
		// Try cache.
		$cache_key = acf_cache_key( "acf_get_field_group_post:key:$id" );
		$post_id = wp_cache_get( $cache_key, 'acf' );
		if( $post_id === false ) {
			
			// Query posts.
			$posts = get_posts(array(
				'posts_per_page'			=> 1,
				'post_type'					=> 'acf-field-group',
				'post_status'				=> array('publish', 'acf-disabled', 'trash'),
				'orderby' 					=> 'menu_order title',
				'order'						=> 'ASC',
				'suppress_filters'			=> false,
				'cache_results'				=> true,
				'update_post_meta_cache'	=> false,
				'update_post_term_cache'	=> false,
				'acf_group_key'				=> $id
			));
			
			// Update $post_id with a non false value.
			$post_id = $posts ? $posts[0]->ID : 0;
			
			// Update cache.
			wp_cache_set( $cache_key, $post_id, 'acf' );
		}
		
		// Check $post_id and return the post when possible.
		if( $post_id ) {
			return get_post( $post_id );
		}
	}
	
	// Return false by default.
	return false;
}

/**
 * acf_is_field_group_key
 *
 * Returns true if the given identifier is a field group key.
 *
 * @date	6/12/2013
 * @since	5.0.0
 *
 * @param	string $id The identifier.
 * @return	bool
 */
function acf_is_field_group_key( $id = '' ) {
	
	// Check if $id is a string starting with "group_".
	if( is_string($id) && substr($id, 0, 6) === 'group_' ) {
		return true;
	}
	
	/**
	 * Filters whether the $id is a field group key.
	 *
	 * @date	23/1/19
	 * @since	5.7.10
	 *
	 * @param	bool $bool The result.
	 * @param	string $id The identifier.
	 */
	return apply_filters( 'acf/is_field_group_key', false, $id );
}

/**
 * acf_validate_field_group
 *
 * Ensures the given field group is valid.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	array $field The field group array.
 * @return	array
 */
function acf_validate_field_group( $field_group = array() ) {
	
	// Bail early if already valid.
	if( is_array($field_group) && !empty($field_group['_valid']) ) {
		return $field_group;
	}
	
	// Apply defaults.
	$field_group = wp_parse_args($field_group, array(
		'ID'					=> 0,
		'key'					=> '',
		'title'					=> '',
		'fields'				=> array(),
		'location'				=> array(),
		'menu_order'			=> 0,
		'position'				=> 'normal',
		'style'					=> 'default',
		'label_placement'		=> 'top',
		'instruction_placement'	=> 'label',
		'hide_on_screen'		=> array(),
		'active'				=> true,
		'description'			=> '',
	));
	
	// Convert types.
	$field_group['ID'] = (int) $field_group['ID'];
	$field_group['menu_order'] = (int) $field_group['menu_order'];
	
	// Field group is now valid.
	$field_group['_valid'] = 1;
	
	/**
	 * Filters the $field_group array to validate settings.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field group array.
	 */
	$field_group = apply_filters( 'acf/validate_field_group', $field_group );
	
	// return
	return $field_group;
}

/**
 * acf_get_valid_field_group
 *
 * Ensures the given field group is valid.
 *
 * @date		28/09/13
 * @since		5.0.0
 *
 * @param	array $field_group The field group array.
 * @return	array
 */
function acf_get_valid_field_group( $field_group = false ) {
	return acf_validate_field_group( $field_group );
}

/**
 * acf_translate_field_group
 *
 * Translates a field group's settings.
 *
 * @date	8/03/2016
 * @since	5.3.2
 *
 * @param	array $field_group The field group array.
 * @return	array
 */
function acf_translate_field_group( $field_group = array() ) {
	
	// Get settings.
	$l10n = acf_get_setting('l10n');
	$l10n_textdomain = acf_get_setting('l10n_textdomain');
	
	// Translate field settings if textdomain is set.
	if( $l10n && $l10n_textdomain ) {
		
		$field_group['title'] = acf_translate( $field_group['title'] );
		
		/**
		 * Filters the $field group array to translate strings.
		 *
		 * @date	12/02/2014
		 * @since	5.0.0
		 *
		 * @param	array $field_group The field group array.
		 */
		$field_group = apply_filters( "acf/translate_field_group", $field_group );
	}
	
	// Return field.
	return $field_group;
}

// Translate field groups passing through validation.
add_action('acf/validate_field_group', 'acf_translate_field_group');


/**
 * acf_get_field_groups
 *
 * Returns and array of field_groups for the given $filter.
 *
 * @date	30/09/13
 * @since	5.0.0
 *
 * @param	array $filter An array of args to filter results by.
 * @return	array
 */
function acf_get_field_groups( $filter = array() ) {
	
	// Vars.
	$field_groups = array();
	
	// Check database.
	$raw_field_groups = acf_get_raw_field_groups();
	if( $raw_field_groups ) {
		foreach( $raw_field_groups as $raw_field_group ) {
			$field_groups[] = acf_get_field_group( $raw_field_group['ID'] );
		}
	}
	
	/**
	 * Filters the $field_groups array.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_groups The array of field_groups.
	 */
	$field_groups = apply_filters( 'acf/load_field_groups', $field_groups );
	
	// Filter results.
	if( $filter ) {
		return acf_filter_field_groups( $field_groups, $filter );
	}
	
	// Return field groups.
	return $field_groups;
}

/**
 * acf_get_raw_field_groups
 *
 * Returns and array of raw field_group data.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	array
 */
function acf_get_raw_field_groups() {
	
	// Try cache.
	$cache_key = acf_cache_key( "acf_get_field_group_posts" );
	$post_ids = wp_cache_get( $cache_key, 'acf' );
	if( $post_ids === false ) {
		
		// Query posts.
		$posts = get_posts(array(
			'posts_per_page'			=> -1,
			'post_type'					=> 'acf-field-group',
			'orderby'					=> 'menu_order title',
			'order'						=> 'ASC',
			'suppress_filters'			=> false, // Allow WPML to modify the query
			'cache_results'				=> true,
			'update_post_meta_cache'	=> false,
			'update_post_term_cache'	=> false,
			'post_status'				=> array('publish', 'acf-disabled'),
		));
		
		// Update $post_ids with a non false value.
		$post_ids = array();
		foreach( $posts as $post ) {
			$post_ids[] = $post->ID;
		}
		
		// Update cache.
		wp_cache_set( $cache_key, $post_ids, 'acf' );
	}
	
	// Loop over ids and populate array of field groups.
	$field_groups = array();
	foreach( $post_ids as $post_id ) {
		$field_groups[] = acf_get_raw_field_group( $post_id );
	}
	
	// Return field groups.
	return $field_groups;
}

/**
 * acf_filter_field_groups
 *
 * Returns a filtered aray of field groups based on the given $args.
 *
 * @date	29/11/2013
 * @since	5.0.0
 *
 * @param	array $field_groups An array of field groups.
 * @param	array $args An array of location args.
 * @return	array
 */
function acf_filter_field_groups( $field_groups, $args = array() ) {
	
	// Loop over field groups and check visibility.
	$filtered = array();
	if( $field_groups ) {
		foreach( $field_groups as $field_group ) {
			if( acf_get_field_group_visibility( $field_group, $args ) ) {
				$filtered[] = $field_group;
			}
		}
	}
	
	// Return filtered.
	return $filtered;
}

/**
 * acf_get_field_group_visibility
 *
 * Returns true if the given field group's location rules match the given $args.
 *
 * @date	7/10/13
 * @since	5.0.0
 *
 * @param	array $field_groups An array of field groups.
 * @param	array $args An array of location args.
 * @return	bool
 */
function acf_get_field_group_visibility( $field_group, $args = array() ) {
	
	// Check if active.
	if( !$field_group['active'] ) {
		return false;
	}
	
	// Check if location rules exist
	if( $field_group['location'] ) {
		
		// Get the current screen.
		$screen = acf_get_location_screen( $args );
		
		// Loop through location groups.
		foreach( $field_group['location'] as $group ) {
			
			// ignore group if no rules.
			if( empty($group) ) {
				continue;
			}
			
			// Loop over rules and determine if all rules match.
			$match_group = true;
			foreach( $group as $rule ) {
				if( !acf_match_location_rule( $rule, $screen, $field_group ) ) {
					$match_group = false;
					break;
				}
			}
			
			// If this group matches, show the field group.
			if( $match_group ) {
				return true;
			}
		}
	}
	
	// Return default.
	return false;
}

/**
 * acf_update_field_group
 *
 * Updates a field group in the database.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field_group The field group array.
 * @return	array
 */
function acf_update_field_group( $field_group ) {
	
	// Validate field group.
	$field_group = acf_get_valid_field_group( $field_group );
	
	// May have been posted. Remove slashes.
	$field_group = wp_unslash( $field_group );
	
	// Parse types (converts string '0' to int 0).
	$field_group = acf_parse_types( $field_group );
	
	// Clean up location keys.
	if( $field_group['location'] ) {
		
		// Remove empty values and convert to associated array.
		$field_group['location'] = array_filter( $field_group['location'] );
		$field_group['location'] = array_values( $field_group['location'] );
		$field_group['location'] = array_map( 'array_filter', $field_group['location'] );
		$field_group['location'] = array_map( 'array_values', $field_group['location'] );
	}
	
	// Make a backup of field group data and remove some args.
	$_field_group = $field_group;
	acf_extract_vars( $_field_group, array( 'ID', 'key', 'title', 'menu_order', 'fields', 'active', '_valid' ) );
	
	// Create array of data to save.
	$save = array(
		'ID'			=> $field_group['ID'],
    	'post_status'	=> $field_group['active'] ? 'publish' : 'acf-disabled',
    	'post_type'		=> 'acf-field-group',
    	'post_title'	=> $field_group['title'],
    	'post_name'		=> $field_group['key'],
    	'post_excerpt'	=> sanitize_title( $field_group['title'] ),
    	'post_content'	=> maybe_serialize( $_field_group ),
    	'menu_order'	=> $field_group['menu_order'],
    	'comment_status' => 'closed',
    	'ping_status'	=> 'closed',
	);
	
	// Unhook wp_targeted_link_rel() filter from WP 5.1 corrupting serialized data.
	remove_filter( 'content_save_pre', 'wp_targeted_link_rel' );
	
	// Slash data.
	// WP expects all data to be slashed and will unslash it (fixes '\' character issues).
	$save = wp_slash( $save );
	
	// Update or Insert.
	if( $field_group['ID'] ) {
		wp_update_post( $save );
	} else	{
		$field_group['ID'] = wp_insert_post( $save );
	}
	
	// Flush field group cache.
	acf_flush_field_group_cache( $field_group );	
	
	/**
	 * Fires immediately after a field group has been updated.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field group array.
	 */
	do_action( 'acf/update_field_group', $field_group );
	
	// Return field group.
	return $field_group;
}

/**
 * _acf_apply_unique_field_group_slug
 *
 * Allows full control over 'acf-field-group' slugs.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param string $slug          The post slug.
 * @param int    $post_ID       Post ID.
 * @param string $post_status   The post status.
 * @param string $post_type     Post type.
 * @param int    $post_parent   Post parent ID
 * @param string $original_slug The original post slug.
 */
function _acf_apply_unique_field_group_slug( $slug, $post_ID, $post_status, $post_type, $post_parent, $original_slug ) {
	
	// Check post type and reset to original value.
	if( $post_type === 'acf-field-group' ) {
		return $original_slug;
	}
	
	// Return slug.
	return $slug;
}

// Hook into filter.
add_filter( 'wp_unique_post_slug', '_acf_apply_unique_field_group_slug', 999, 6 );

/**
 * acf_flush_field_group_cache
 *
 * Deletes all caches for this field group.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $field_group The field group array.
 * @return	void
 */
function acf_flush_field_group_cache( $field_group ) {
	
	// Delete stored data.
	acf_get_store( 'field-groups' )->remove( $field_group['key'] );
	
	// Flush cached post_id for this field group's key.
	wp_cache_delete( acf_cache_key( "acf_get_field_group_post:key:{$field_group['key']}" ), 'acf' );
	
	// Flush cached array of post_ids for collection of field groups.
	wp_cache_delete( acf_cache_key( "acf_get_field_group_posts" ), 'acf' );
}

/**
 * acf_delete_field_group
 *
 * Deletes a field group from the database.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field group ID, key or name.
 * @return	bool True if field group was deleted.
 */
function acf_delete_field_group( $id = 0 ) {
	
	// Disable filters to ensure ACF loads data from DB.
	acf_disable_filters();
	
	// Get the field_group.
	$field_group = acf_get_field_group( $id );
	
	// Bail early if field group was not found.
	if( !$field_group || !$field_group['ID'] ) {
		return false;
	}
	
	// Delete fields.
	$fields = acf_get_fields( $field_group );
	if( $fields ) {
		foreach( $fields as $field ) {
			acf_delete_field( $field['ID'] );
		}
	}
	
	// Delete post.
	wp_delete_post( $field_group['ID'], true );
	
	// Flush field group cache.
	acf_flush_field_group_cache( $field_group );
	
	/**
	 * Fires immediately after a field group has been deleted.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field group array.
	 */
	do_action( 'acf/delete_field_group', $field_group );
	
	// Return true.
	return true;
}

/**
 * acf_trash_field_group
 *
 * Trashes a field group from the database.
 *
 * @date	2/10/13
 * @since	5.0.0
 *
 * @param	(int|string) $id The field group ID, key or name.
 * @return	bool True if field group was trashed.
 */
function acf_trash_field_group( $id = 0 ) {
	
	// Disable filters to ensure ACF loads data from DB.
	acf_disable_filters();
	
	// Get the field_group.
	$field_group = acf_get_field_group( $id );
	
	// Bail early if field_group was not found.
	if( !$field_group || !$field_group['ID'] ) {
		return false;
	}
	
	// Trash fields.
	$fields = acf_get_fields( $field_group );
	if( $fields ) {
		foreach( $fields as $field ) {
			acf_trash_field( $field['ID'] );
		}
	}
	
	// Trash post.
	wp_trash_post( $field_group['ID'], true );
	
	// Flush field group cache.
	acf_flush_field_group_cache( $field_group );
	
	/**
	 * Fires immediately after a field_group has been trashed.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field_group array.
	 */
	do_action( 'acf/trash_field_group', $field_group );
	
	// Return true.
	return true;
}

/**
 * acf_untrash_field_group
 *
 * Restores a field_group from the trash.
 *
 * @date	2/10/13
 * @since	5.0.0
 *
 * @param	(int|string) $id The field_group ID, key or name.
 * @return	bool True if field_group was trashed.
 */
function acf_untrash_field_group( $id = 0 ) {
	
	// Disable filters to ensure ACF loads data from DB.
	acf_disable_filters();
	
	// Get the field_group.
	$field_group = acf_get_field_group( $id );
	
	// Bail early if field_group was not found.
	if( !$field_group || !$field_group['ID'] ) {
		return false;
	}
	
	// Untrash fields.
	$fields = acf_get_fields( $field_group );
	if( $fields ) {
		foreach( $fields as $field ) {
			acf_untrash_field( $field['ID'] );
		}
	}
	
	// Untrash post.
	wp_untrash_post( $field_group['ID'], true );
	
	// Flush field group cache.
	acf_flush_field_group_cache( $field_group );
	
	/**
	 * Fires immediately after a field_group has been trashed.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field_group array.
	 */
	do_action( 'acf/untrash_field_group', $field_group );
	
	// Return true.
	return true;
}

/**
 * acf_is_field_group
 *
 * Returns true if the given params match a field group.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field_group The field group array.
 * @param	mixed $id An optional identifier to search for.
 * @return	bool
 */
function acf_is_field_group( $field_group = false ) {
	return ( 
		is_array($field_group)
		&& isset($field_group['key'])
		&& isset($field_group['title'])
	);
}

/**
 * acf_duplicate_field_group
 *
 * Duplicates a field group.
 *
 * @date	16/06/2014
 * @since	5.0.0
 *
 * @param	(int|string) $id The field_group ID, key or name.
 * @param	int $new_post_id Optional post ID to override.
 * @return	array The new field group.
 */
function acf_duplicate_field_group( $id = 0, $new_post_id = 0 ){
	
	// Disable filters to ensure ACF loads data from DB.
	acf_disable_filters();
	
	// Get the field_group.
	$field_group = acf_get_field_group( $id );
	
	// Bail early if field_group was not found.
	if( !$field_group || !$field_group['ID'] ) {
		return false;
	}
	
	// Get fields.
	$fields = acf_get_fields( $field_group );
	
	// Update attributes.
	$field_group['ID'] = $new_post_id;
	$field_group['key'] = uniqid('group_');
	
	// Add (copy) to title when apropriate.
	if( !$new_post_id ) {
		$field_group['title'] .= ' (' . __("copy", 'acf') . ')';
	}
	
	// When importing a new field group, insert a temporary post and set the field group's ID.
	// This allows fields to be updated before the field group (field group ID is needed for field parent setting).
	if( !$field_group['ID'] ) {
		$field_group['ID'] = wp_insert_post( array( 'post_title' => $field_group['key'] ) );
	}
	
	// Duplicate fields.
	$duplicates = acf_duplicate_fields( $fields, $field_group['ID'] );
	
	// Save field group.
	$field_group = acf_update_field_group( $field_group );
	
	/**
	 * Fires immediately after a field_group has been duplicated.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field_group array.
	 */
	do_action( 'acf/duplicate_field_group', $field_group );
	
	// return
	return $field_group;
}

/**
 * acf_get_field_group_style
 *
 * Returns the CSS styles generated from field group settings.
 *
 * @date	20/10/13
 * @since	5.0.0
 *
 * @param	array $field_group The field group array.
 * @return	string.
 */
function acf_get_field_group_style( $field_group ) {
	
	// Vars.
	$style = '';
	$elements = array(
		'permalink'			=> '#edit-slug-box',
		'the_content'		=> '#postdivrich',
		'excerpt'			=> '#postexcerpt',
		'custom_fields'		=> '#postcustom',
		'discussion'		=> '#commentstatusdiv',
		'comments'			=> '#commentsdiv',
		'slug'				=> '#slugdiv',
		'author'			=> '#authordiv',
		'format'			=> '#formatdiv',
		'page_attributes'	=> '#pageparentdiv',
		'featured_image'	=> '#postimagediv',
		'revisions'			=> '#revisionsdiv',
		'categories'		=> '#categorydiv',
		'tags'				=> '#tagsdiv-post_tag',
		'send-trackbacks'	=> '#trackbacksdiv'
	);
	
	// Loop over field group settings and generate list of selectors to hide.
	if( is_array($field_group['hide_on_screen']) ) {
		$hide = array();
		foreach( $field_group['hide_on_screen'] as $k ) {
			if( isset($elements[ $k ]) ) {
				$id = $elements[ $k ];
				$hide[] = $id;
				$hide[] = '#screen-meta label[for=' . substr($id, 1) . '-hide]';
			}
		}
		$style = implode(', ', $hide) . ' {display: none;}';
	}
	
	/**
	 * Filters the generated CSS styles.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	string $style The CSS styles.
	 * @param	array $field_group The field group array.
	 */
	return apply_filters('acf/get_field_group_style', $style, $field_group);
}

/**
 * acf_get_field_group_edit_link
 *
 * Checks if the current user can edit the field group and returns the edit url.
 *
 * @date	23/9/18
 * @since	5.7.7
 *
 * @param	int $post_id The field group ID.
 * @return	string
 */
function acf_get_field_group_edit_link( $post_id ) {
	if( $post_id && acf_current_user_can_admin() ) {
		return admin_url('post.php?post=' . $post_id . '&action=edit');
	}
	return '';
}

/**
 * acf_prepare_field_group_for_export
 *
 * Returns a modified field group ready for export.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $field_group The field group array.
 * @return	array
 */
function acf_prepare_field_group_for_export( $field_group = array() ) {

	// Remove args.
	acf_extract_vars( $field_group, array( 'ID', 'local', '_valid' ) );
	
	// Prepare fields.
	$field_group['fields'] = acf_prepare_fields_for_export( $field_group['fields'] );
	
	/**
	 * Filters the $field_group array before being returned to the export tool.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The $field group array.
	 */
	return apply_filters( 'acf/prepare_field_group_for_export', $field_group );
}

/**
 * acf_prepare_field_group_for_import
 *
 * Prepares a field group for the import process.
 *
 * @date	21/11/19
 * @since	5.8.8
 *
 * @param	array $field_group The field group array.
 * @return	array
 */
function acf_prepare_field_group_for_import( $field_group ) {
	
	// Update parent and menu_order properties for all fields.
	if( $field_group['fields'] ) {
		foreach( $field_group['fields'] as $i => &$field ) {
			$field['parent'] = $field_group['key'];
			$field['menu_order'] = $i;
		}
	}
	
	/**
	 * Filters the $field_group array before being returned to the import tool.
	 *
	 * @date	21/11/19
	 * @since	5.8.8
	 *
	 * @param	array $field_group The field group array.
	 */
	return apply_filters( "acf/prepare_field_group_for_import", $field_group );
}

/**
 * acf_import_field_group
 *
 * Imports a field group into the databse.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $field_group The field group array.
 * @return	array The new field group.
 */
function acf_import_field_group( $field_group ) {
	
	// Disable filters to ensure data is not modified by local, clone, etc.
	$filters = acf_disable_filters();
	
	// Validate field group (ensures all settings exist).
	$field_group = acf_get_valid_field_group( $field_group );
	
	// Prepare group for import (modifies settings).
	$field_group = acf_prepare_field_group_for_import( $field_group );
	
	// Prepare fields for import (modifies settings).
	$fields = acf_prepare_fields_for_import( $field_group['fields'] );
	
	// Stores a map of field "key" => "ID".
	$ids = array();
	
	// If the field group has an ID, review and delete stale fields in the database. 
	if( $field_group['ID'] ) {
		
		// Load database fields.
		$db_fields = acf_prepare_fields_for_import( acf_get_fields( $field_group ) );
		
		// Generate map of "index" => "key" data.
		$keys = wp_list_pluck( $fields, 'key' );
		
		// Loop over db fields and delete those who don't exist in $new_fields.
		foreach( $db_fields as $field ) {
			
			// Add field data to $ids map.
			$ids[ $field['key'] ] = $field['ID'];
			
			// Delete field if not in $keys.
			if( !in_array($field['key'], $keys) ) {
				acf_delete_field( $field['ID'] );
			}
		}
	}
	
	// When importing a new field group, insert a temporary post and set the field group's ID.
	// This allows fields to be updated before the field group (field group ID is needed for field parent setting).
	if( !$field_group['ID'] ) {
		$field_group['ID'] = wp_insert_post( array( 'post_title' => $field_group['key'] ) );
	}
	
	// Add field group data to $ids map.
	$ids[ $field_group['key'] ] = $field_group['ID'];
	
	// Loop over and add fields.
	if( $fields ) {
		foreach( $fields as $field ) {
			
			// Replace any "key" references with "ID".
			if( isset($ids[ $field['key'] ]) ) {
				$field['ID'] = $ids[ $field['key'] ];	
			}
			if( isset($ids[ $field['parent'] ]) ) {
				$field['parent'] = $ids[ $field['parent'] ];	
			}
			
			// Save field.
			$field = acf_update_field( $field );
			
			// Add field data to $ids map for children.
			$ids[ $field['key'] ] = $field['ID'];
		}
	}
	
	// Save field group.
	$field_group = acf_update_field_group( $field_group );
	
	// Enable filters again.
	acf_enable_filters( $filters );
	
	/**
	 * Fires immediately after a field_group has been imported.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field_group The field_group array.
	 */
	do_action( 'acf/import_field_group', $field_group );
	
	// return new field group.
	return $field_group;
}
PK�[~�z,,includes/updates.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Updates') ) :

class ACF_Updates {
	
	/** @var string The ACF_Updates version */
	var $version = '2.4';
	
	/** @var array The array of registered plugins */
	var $plugins = array();
	
	/** @var int Counts the number of plugin update checks */
	var $checked = 0;	
	
	/*
	*  __construct
	*
	*  Sets up the class functionality.
	*
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	
	function __construct() {
		
		// append update information to transient
		add_filter('pre_set_site_transient_update_plugins', array($this, 'modify_plugins_transient'), 10, 1);
		
		// modify plugin data visible in the 'View details' popup
	    add_filter('plugins_api', array($this, 'modify_plugin_details'), 10, 3);
	}
	
	/*
	*  add_plugin
	*
	*  Registeres a plugin for updates.
	*
	*  @date	8/4/17
	*  @since	5.5.10
	*
	*  @param	array $plugin The plugin array.
	*  @return	void
	*/
	
	function add_plugin( $plugin ) {
		
		// validate
		$plugin = wp_parse_args($plugin, array(
			'id'		=> '',
			'key'		=> '',
			'slug'		=> '',
			'basename'	=> '',
			'version'	=> '',
		));
		
		// Check if is_plugin_active() function exists. This is required on the front end of the
		// site, since it is in a file that is normally only loaded in the admin.
		if( !function_exists( 'is_plugin_active' ) ) {
			require_once ABSPATH . 'wp-admin/includes/plugin.php';
		}
		
		// add if is active plugin (not included in theme)
		if( is_plugin_active($plugin['basename']) ) {
			$this->plugins[ $plugin['basename'] ] = $plugin;
		}
	}
	
	/**
	*  get_plugin_by
	*
	*  Returns a registered plugin for the give key and value.
	*
	*  @date	3/8/18
	*  @since	5.7.2
	*
	*  @param	string $key The array key to compare
	*  @param	string $value The value to compare against
	*  @return	array|false
	*/
	
	function get_plugin_by( $key = '', $value = null ) {
		foreach( $this->plugins as $plugin ) {
			if( $plugin[$key] === $value ) {
				return $plugin;
			}
		}
		return false;
	}
	
	/*
	 * request
	 *
	 * Makes a request to the ACF connect server.
	 *
	 * @date	8/4/17
	 * @since	5.5.10
	 *
	 * @param	string $endpoint The API endpoint.
	 * @param	array $body The body to post.
	 * @return	(array|string|WP_Error)
	 */
	function request( $endpoint = '', $body = null ) {
		
		// Determine URL.
		$url = "https://connect.advancedcustomfields.com/$endpoint";
		
		// Staging environment.
		if( defined('ACF_DEV_API') && ACF_DEV_API === 'STAGE' ) {
			$url = "https://staging.connect.advancedcustomfields.com/$endpoint";
			acf_log( $url, $body );
		
		// Dev environment.	
		} elseif( defined('ACF_DEV_API') && ACF_DEV_API ) {
			$url = "http://connect/$endpoint";
			acf_log( $url, $body );
		}
		
		// Make request.
		$raw_response = wp_remote_post( $url, array(
			'timeout'	=> 10,
			'body'		=> $body
		));
		
		// Handle response error.
		if( is_wp_error($raw_response) ) {
			return $raw_response;
		
		// Handle http error.
		} elseif( wp_remote_retrieve_response_code($raw_response) != 200 ) {
			return new WP_Error( 'server_error', wp_remote_retrieve_response_message($raw_response) );
		}
		
		// Decode JSON response.
		$json = json_decode( wp_remote_retrieve_body($raw_response), true );
		
		// Allow non json value.
		if( $json === null ) {
			return wp_remote_retrieve_body($raw_response);
		}
		
		// return
		return $json;
	}
	
	/*
	*  get_plugin_info
	*
	*  Returns update information for the given plugin id.
	*
	*  @date	9/4/17
	*  @since	5.5.10
	*
	*  @param	string $id The plugin id such as 'pro'.
	*  @param	boolean $force_check Bypasses cached result. Defaults to false.
	*  @return	array|WP_Error
	*/
	
	function get_plugin_info( $id = '', $force_check = false ) {
		
		// var
		$transient_name = 'acf_plugin_info_' . $id;
		
		// check cache but allow for $force_check override
		if( !$force_check ) {
			$transient = get_transient( $transient_name );
			if( $transient !== false ) {
				return $transient;
			}
		}
		
		// connect
		$response = $this->request('v2/plugins/get-info?p='.$id);
		
		// convert string (misc error) to WP_Error object
		if( is_string($response) ) {
			$response = new WP_Error( 'server_error', esc_html($response) );
		}
		
		// allow json to include expiration but force minimum and max for safety
		$expiration = $this->get_expiration($response, DAY_IN_SECONDS, MONTH_IN_SECONDS);
		
		// update transient
		set_transient( $transient_name, $response, $expiration );
		
		// return
		return $response;
	}
	
	/**
	*  get_plugin_update
	*
	*  Returns specific data from the 'update-check' response.
	*
	*  @date	3/8/18
	*  @since	5.7.2
	*
	*  @param	string $basename The plugin basename.
	*  @param	boolean $force_check Bypasses cached result. Defaults to false
	*  @return	array
	*/
	
	function get_plugin_update( $basename = '', $force_check = false ) {
		
		// get updates
		$updates = $this->get_plugin_updates( $force_check );
		
		// check for and return update
		if( is_array($updates) && isset($updates['plugins'][ $basename ]) ) {
			return $updates['plugins'][ $basename ];
		}
		return false;
	}
	
	
	/**
	*  get_plugin_updates
	*
	*  Checks for plugin updates.
	*
	*  @date	8/7/18
	*  @since	5.6.9
	*  @since	5.7.2 Added 'checked' comparison
	*
	*  @param	boolean $force_check Bypasses cached result. Defaults to false.
	*  @return	array|WP_Error.
	*/
	
	function get_plugin_updates( $force_check = false ) {
		
		// var
		$transient_name = 'acf_plugin_updates';
		
		// construct array of 'checked' plugins
		// sort by key to avoid detecting change due to "include order"
		$checked = array();
		foreach( $this->plugins as $basename => $plugin ) {
			$checked[ $basename ] = $plugin['version'];
		}
		ksort($checked);
		
		// $force_check prevents transient lookup
		if( !$force_check ) {
			$transient = get_transient($transient_name);

			// if cached response was found, compare $transient['checked'] against $checked and ignore if they don't match (plugins/versions have changed)
			if( is_array($transient) ) {
				$transient_checked = isset($transient['checked']) ? $transient['checked'] : array();
				if( wp_json_encode($checked) !== wp_json_encode($transient_checked) ) {
					$transient = false;
				}
			}
			if( $transient !== false ) {
				return $transient;
			}
		}
		
		// vars
		$post = array(
			'plugins'		=> wp_json_encode($this->plugins),
			'wp'			=> wp_json_encode(array(
				'wp_name'		=> get_bloginfo('name'),
				'wp_url'		=> home_url(),
				'wp_version'	=> get_bloginfo('version'),
				'wp_language'	=> get_bloginfo('language'),
				'wp_timezone'	=> get_option('timezone_string'),
			)),
			'acf'			=> wp_json_encode(array(
				'acf_version'	=> get_option('acf_version'),
				'acf_pro'		=> (defined('ACF_PRO') && ACF_PRO),
			)),
		);
		
		// request
		$response = $this->request('v2/plugins/update-check', $post);
		
		// append checked reference
		if( is_array($response) ) {
			$response['checked'] = $checked;
		}
		
		// allow json to include expiration but force minimum and max for safety
		$expiration = $this->get_expiration($response, DAY_IN_SECONDS, MONTH_IN_SECONDS);
		
		// update transient
		set_transient($transient_name, $response, $expiration );
		
		// return
		return $response;
	}
	
	/**
	*  get_expiration
	*
	*  This function safely gets the expiration value from a response.
	*
	*  @date	8/7/18
	*  @since	5.6.9
	*
	*  @param	mixed $response The response from the server. Default false.
	*  @param	int $min The minimum expiration limit. Default 0.
	*  @param	int $max The maximum expiration limit. Default 0.
	*  @return	int
	*/
	
	function get_expiration( $response = false, $min = 0, $max = 0 ) {
		
		// vars
		$expiration = 0;
		
		// check
		if( is_array($response) && isset($response['expiration']) ) {
			$expiration = (int) $response['expiration'];
		}
		
		// min
		if( $expiration < $min ) {
			return $min;
		}
		
		// max
		if( $expiration > $max ) {
			return $max;
		}
		
		// return
		return $expiration;
	}
	
	/*
	*  refresh_plugins_transient
	*
	*  Deletes transients and allows a fresh lookup.
	*
	*  @date	11/4/17
	*  @since	5.5.10
	*
	*  @param	void
	*  @return	void
	*/
	
	function refresh_plugins_transient() {
		delete_site_transient('update_plugins');
		delete_transient('acf_plugin_updates');
	}
	
	/*
	*  modify_plugins_transient
	*
	*  Called when WP updates the 'update_plugins' site transient. Used to inject ACF plugin update info.
	*
	*  @date	16/01/2014
	*  @since	5.0.0
	*
	*  @param	object $transient
	*  @return	$transient
	*/
	
	function modify_plugins_transient( $transient ) {
		
		// bail early if no response (error)
		if( !isset($transient->response) ) {
			return $transient;
		}
		
		// force-check (only once)
		$force_check = ($this->checked == 0) ? !empty($_GET['force-check']) : false;
		
		// fetch updates (this filter is called multiple times during a single page load)
		$updates = $this->get_plugin_updates( $force_check );
		
		// append
		if( is_array($updates) ) {
			foreach( $updates['plugins'] as $basename => $update ) {
				$transient->response[ $basename ] = (object) $update;
			}
		}
		
		// increase
		$this->checked++;
		
		// return 
        return $transient;
	}
	
	/*
	*  modify_plugin_details
	*
	*  Returns the plugin data visible in the 'View details' popup
	*
	*  @date	17/01/2014
	*  @since	5.0.0
	*
	*  @param	object $result
	*  @param	string $action
	*  @param	object $args
	*  @return	$result
	*/
	
	function modify_plugin_details( $result, $action = null, $args = null ) {
		
		// vars
		$plugin = false;
		
		// only for 'plugin_information' action
		if( $action !== 'plugin_information' ) return $result;
		
		// find plugin via slug
		$plugin = $this->get_plugin_by('slug', $args->slug);
		if( !$plugin ) return $result;
		
		// connect
		$response = $this->get_plugin_info($plugin['id']);
		
		// bail early if no response
		if( !is_array($response) ) return $result;
		
		// remove tags (different context)
    	unset($response['tags']);
    	
		// convert to object
    	$response = (object) $response;
    	
		// sections
        $sections = array(
        	'description'		=> '',
        	'installation'		=> '',
        	'changelog'			=> '',
        	'upgrade_notice'	=> ''
        );
        foreach( $sections as $k => $v ) {
	        $sections[ $k ] = $response->$k;
        }
        $response->sections = $sections;
    	
    	// return        
        return $response;
	}	
}


/*
*  acf_updates
*
*  The main function responsible for returning the one true acf_updates instance to functions everywhere.
*  Use this function like you would a global variable, except without needing to declare the global.
*
*  Example: <?php $acf_updates = acf_updates(); ?>
*
*  @date	9/4/17
*  @since	5.5.12
*
*  @param	void
*  @return	object
*/

function acf_updates() {
	global $acf_updates;
	if( !isset($acf_updates) ) {
		$acf_updates = new ACF_Updates();
	}
	return $acf_updates;
}


/*
*  acf_register_plugin_update
*
*  Alias of acf_updates()->add_plugin().
*
*  @type	function
*  @date	12/4/17
*  @since	5.5.10
*
*  @param	array $plugin
*  @return	void
*/

function acf_register_plugin_update( $plugin ) {
	acf_updates()->add_plugin( $plugin );	
}

endif; // class_exists check

?>PK�[��~P^^<includes/admin/views/field-group-field-conditional-logic.phpnu�[���<?php 

// vars
$disabled = false;


// empty
if( empty($field['conditional_logic']) ) {
	
	$disabled = true;
	$field['conditional_logic'] = array(
		
		// group 0
		array(
			
			// rule 0
			array()
		)
	);
}

?>
<tr class="acf-field acf-field-true-false acf-field-setting-conditional_logic" data-type="true_false" data-name="conditional_logic">
	<td class="acf-label">
		<label><?php _e("Conditional Logic",'acf'); ?></label>
	</td>
	<td class="acf-input">
		<?php 
		
		acf_render_field(array(
			'type'			=> 'true_false',
			'name'			=> 'conditional_logic',
			'prefix'		=> $field['prefix'],
			'value'			=> $disabled ? 0 : 1,
			'ui'			=> 1,
			'class'			=> 'conditions-toggle',
		));
		
		?>
		<div class="rule-groups" <?php if($disabled): ?>style="display:none;"<?php endif; ?>>
			
			<?php foreach( $field['conditional_logic'] as $group_id => $group ): 
				
				// validate
				if( empty($group) ) continue;
				
				
				// vars
				// $group_id must be completely different to $rule_id to avoid JS issues
				$group_id = "group_{$group_id}";
				$h4 = ($group_id == "group_0") ? __("Show this field if",'acf') : __("or",'acf');
				
				?>
				<div class="rule-group" data-id="<?php echo $group_id; ?>">
				
					<h4><?php echo $h4; ?></h4>
					
					<table class="acf-table -clear">
						<tbody>
						<?php foreach( $group as $rule_id => $rule ): 
							
							// valid rule
							$rule = wp_parse_args( $rule, array(
								'field'		=>	'',
								'operator'	=>	'',
								'value'		=>	'',
							));
							
							
							// vars		
							// $group_id must be completely different to $rule_id to avoid JS issues
							$rule_id = "rule_{$rule_id}";
							$prefix = "{$field['prefix']}[conditional_logic][{$group_id}][{$rule_id}]";
							
							// data attributes
							$attributes = array(
								'data-id'		=> $rule_id,
								'data-field'	=> $rule['field'],
								'data-operator'	=> $rule['operator'],
								'data-value'	=> $rule['value']
							);
							
							?>
							<tr class="rule" <?php acf_esc_attr_e($attributes); ?>>
								<td class="param">
									<?php 
										
									acf_render_field(array(
										'type'		=> 'select',
										'prefix'	=> $prefix,
										'name'		=> 'field',
										'class'		=> 'condition-rule-field',
										'disabled'	=> $disabled,
										'value'		=> $rule['field'],
										'choices'	=> array(
											$rule['field'] => $rule['field']
										)
									));										
		
									?>
								</td>
								<td class="operator">
									<?php 	
									
									acf_render_field(array(
										'type'		=> 'select',
										'prefix'	=> $prefix,
										'name'		=> 'operator',
										'class'		=> 'condition-rule-operator',
										'disabled'	=> $disabled,
										'value'		=> $rule['operator'],
										'choices'	=> array(
											$rule['operator'] => $rule['operator']
										)
									)); 	
									
									?>
								</td>
								<td class="value">
									<?php 
										
									// create field
									acf_render_field(array(
										'type'		=> 'select',
										'prefix'	=> $prefix,
										'name'		=> 'value',
										'class'		=> 'condition-rule-value',
										'disabled'	=> $disabled,
										'value'		=> $rule['value'],
										'choices'	=> array(
											$rule['value'] => $rule['value']
										)
									));
									
									?>
								</td>
								<td class="add">
									<a href="#" class="button add-conditional-rule"><?php _e("and",'acf'); ?></a>
								</td>
								<td class="remove">
									<a href="#" class="acf-icon -minus remove-conditional-rule"></a>
								</td>
								</tr>
							<?php endforeach; ?>
						</tbody>
					</table>
					
				</div>
			<?php endforeach; ?>
			
			<h4><?php _e("or",'acf'); ?></h4>
			
			<a href="#" class="button add-conditional-group"><?php _e("Add rule group",'acf'); ?></a>
			
		</div>
		
	</td>
</tr>PK�[D�G,includes/admin/views/field-group-options.phpnu�[���<?php

// global
global $field_group;
		
		
// active
acf_render_field_wrap(array(
	'label'			=> __('Active','acf'),
	'instructions'	=> '',
	'type'			=> 'true_false',
	'name'			=> 'active',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['active'],
	'ui'			=> 1,
	//'ui_on_text'	=> __('Active', 'acf'),
	//'ui_off_text'	=> __('Inactive', 'acf'),
));


// style
acf_render_field_wrap(array(
	'label'			=> __('Style','acf'),
	'instructions'	=> '',
	'type'			=> 'select',
	'name'			=> 'style',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['style'],
	'choices' 		=> array(
		'default'			=>	__("Standard (WP metabox)",'acf'),
		'seamless'			=>	__("Seamless (no metabox)",'acf'),
	)
));


// position
acf_render_field_wrap(array(
	'label'			=> __('Position','acf'),
	'instructions'	=> '',
	'type'			=> 'select',
	'name'			=> 'position',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['position'],
	'choices' 		=> array(
		'acf_after_title'	=> __("High (after title)",'acf'),
		'normal'			=> __("Normal (after content)",'acf'),
		'side' 				=> __("Side",'acf'),
	),
	'default_value'	=> 'normal'
));


// label_placement
acf_render_field_wrap(array(
	'label'			=> __('Label placement','acf'),
	'instructions'	=> '',
	'type'			=> 'select',
	'name'			=> 'label_placement',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['label_placement'],
	'choices' 		=> array(
		'top'			=>	__("Top aligned",'acf'),
		'left'			=>	__("Left aligned",'acf'),
	)
));


// instruction_placement
acf_render_field_wrap(array(
	'label'			=> __('Instruction placement','acf'),
	'instructions'	=> '',
	'type'			=> 'select',
	'name'			=> 'instruction_placement',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['instruction_placement'],
	'choices' 		=> array(
		'label'		=>	__("Below labels",'acf'),
		'field'		=>	__("Below fields",'acf'),
	)
));


// menu_order
acf_render_field_wrap(array(
	'label'			=> __('Order No.','acf'),
	'instructions'	=> __('Field groups with a lower order will appear first','acf'),
	'type'			=> 'number',
	'name'			=> 'menu_order',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['menu_order'],
));


// description
acf_render_field_wrap(array(
	'label'			=> __('Description','acf'),
	'instructions'	=> __('Shown in field group list','acf'),
	'type'			=> 'text',
	'name'			=> 'description',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['description'],
));


// hide on screen
$choices = array(
	'permalink'			=>	__("Permalink", 'acf'),
	'the_content'		=>	__("Content Editor",'acf'),
	'excerpt'			=>	__("Excerpt", 'acf'),
	'custom_fields'		=>	__("Custom Fields", 'acf'),
	'discussion'		=>	__("Discussion", 'acf'),
	'comments'			=>	__("Comments", 'acf'),
	'revisions'			=>	__("Revisions", 'acf'),
	'slug'				=>	__("Slug", 'acf'),
	'author'			=>	__("Author", 'acf'),
	'format'			=>	__("Format", 'acf'),
	'page_attributes'	=>	__("Page Attributes", 'acf'),
	'featured_image'	=>	__("Featured Image", 'acf'),
	'categories'		=>	__("Categories", 'acf'),
	'tags'				=>	__("Tags", 'acf'),
	'send-trackbacks'	=>	__("Send Trackbacks", 'acf'),
);
if( acf_get_setting('remove_wp_meta_box') ) {
	unset( $choices['custom_fields'] );	
}

acf_render_field_wrap(array(
	'label'			=> __('Hide on screen','acf'),
	'instructions'	=> __('<b>Select</b> items to <b>hide</b> them from the edit screen.','acf') . '<br /><br />' . __("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)",'acf'),
	'type'			=> 'checkbox',
	'name'			=> 'hide_on_screen',
	'prefix'		=> 'acf_field_group',
	'value'			=> $field_group['hide_on_screen'],
	'toggle'		=> true,
	'choices' 		=> $choices
));


// 3rd party settings
do_action('acf/render_field_group_settings', $field_group);
		
?>
<div class="acf-hidden">
	<input type="hidden" name="acf_field_group[key]" value="<?php echo $field_group['key']; ?>" />
</div>
<script type="text/javascript">
if( typeof acf !== 'undefined' ) {
		
	acf.newPostbox({
		'id': 'acf-field-group-options',
		'label': 'left'
	});	

}
</script>PK�[3ˏ��,includes/admin/views/html-notice-upgrade.phpnu�[���<?php 

// calculate add-ons (non pro only)
$plugins = array();

if( !acf_get_setting('pro') ) {
	
	if( is_plugin_active('acf-repeater/acf-repeater.php') ) $plugins[] = __("Repeater",'acf');
	if( is_plugin_active('acf-flexible-content/acf-flexible-content.php') ) $plugins[] = __("Flexible Content",'acf');
	if( is_plugin_active('acf-gallery/acf-gallery.php') ) $plugins[] = __("Gallery",'acf');
	if( is_plugin_active('acf-options-page/acf-options-page.php') ) $plugins[] = __("Options Page",'acf');
	
}

?>
<div id="acf-upgrade-notice" class="notice">
	
	<div class="col-content">
		
		<img src="<?php echo acf_get_url('assets/images/acf-logo.png'); ?>" />
		<h2><?php _e("Database Upgrade Required",'acf'); ?></h2>
		<p><?php printf(__("Thank you for updating to %s v%s!", 'acf'), acf_get_setting('name'), acf_get_setting('version') ); ?><br /><?php _e("This version contains improvements to your database and requires an upgrade.", 'acf'); ?></p>
		<?php if( !empty($plugins) ): ?>
			<p><?php printf(__("Please also check all premium add-ons (%s) are updated to the latest version.", 'acf'), implode(', ', $plugins) ); ?></p>
		<?php endif; ?>
	</div>
	
	<div class="col-actions">
		<a id="acf-upgrade-button" href="<?php echo $button_url; ?>" class="button button-primary button-hero"><?php echo $button_text; ?></a>
	</div>
	
</div>
<?php if( $confirm ): ?>
<script type="text/javascript">
(function($) {
	
	$("#acf-upgrade-button").on("click", function(){
		return confirm("<?php _e( 'It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?', 'acf' ); ?>");
	});
		
})(jQuery);	
</script>
<?php endif; ?>PK�[�/�e

0includes/admin/views/html-admin-page-upgrade.phpnu�[���<?php

/**
*  Admin Database Upgrade
*
*  Shows the databse upgrade process. 
*
*  @date	24/8/18
*  @since	5.7.4
*  @param	void
*/

?>
<style type="text/css">
	
	/* hide steps */
	.step-1,
	.step-2,
	.step-3 {
		display: none;
	}		
	
</style>
<div id="acf-upgrade-wrap" class="wrap">
	
	<h1><?php _e("Upgrade Database", 'acf'); ?></h1>
	
<?php if( acf_has_upgrade() ): ?>

	<p><?php _e('Reading upgrade tasks...', 'acf'); ?></p>
	<p class="step-1"><i class="acf-loading"></i> <?php printf(__('Upgrading data to version %s', 'acf'), ACF_VERSION); ?></p>
	<p class="step-2"></p>
	<p class="step-3"><?php echo sprintf( __('Database upgrade complete. <a href="%s">See what\'s new</a>', 'acf' ), admin_url('edit.php?post_type=acf-field-group&page=acf-settings-info') ); ?></p>
	
	<script type="text/javascript">
	(function($) {
		
		var upgrader = new acf.Model({
			initialize: function(){
				
				// allow user to read message for 1 second
				this.setTimeout( this.upgrade, 1000 );
			},
			upgrade: function(){
				
				// show step 1
				$('.step-1').show();
				
				// vars
				var response = '';
				var success = false;
				
				// send ajax request to upgrade DB
			    $.ajax({
			    	url: acf.get('ajaxurl'),
					dataType: 'json',
					type: 'post',
					data: acf.prepareForAjax({
						action: 'acf/ajax/upgrade'
					}),
					success: function( json ){
						
						// success
						if( acf.isAjaxSuccess(json) ) {
							
							// update
							success = true;
							
							// set response text
							if( jsonText = acf.getAjaxMessage(json) ) {
								response = jsonText;
							}
						
						// error
						} else {
							
							// set response text
							response = '<?php _e('Upgrade failed.', 'acf'); ?>';
							if( jsonText = acf.getAjaxError(json) ) {
								response += ' <pre>' + jsonText +  '</pre>';
							}
						}			
					},
					error: function( jqXHR, textStatus, errorThrown ){
						
						// set response text
						response = '<?php _e('Upgrade failed.', 'acf'); ?>';
						if( errorThrown) {
							response += ' <pre>' + errorThrown +  '</pre>';
						}
					},
					complete: this.proxy(function(){
						
						// remove spinner
						$('.acf-loading').hide();
						
						// display response
						if( response ) {
							$('.step-2').show().html( response );
						}
						
						// display success
						if( success ) {
							$('.step-3').show();
						}
					})
				});
			}
		});
				
	})(jQuery);	
	</script>

<?php else: ?>

	<p><?php _e('No updates available.', 'acf'); ?></p>
	
<?php endif; ?>
</div>PK�[h�ڀ��&includes/admin/views/settings-info.phpnu�[���<div class="wrap about-wrap acf-wrap">
	
	<h1><?php _e("Welcome to Advanced Custom Fields",'acf'); ?> <?php echo $version; ?></h1>
	<div class="about-text"><?php printf(__("Thank you for updating! ACF %s is bigger and better than ever before. We hope you like it.", 'acf'), $version); ?></div>
	
	<h2 class="nav-tab-wrapper">
		<?php foreach( $tabs as $tab_slug => $tab_title ): ?>
			<a class="nav-tab<?php if( $active == $tab_slug ): ?> nav-tab-active<?php endif; ?>" href="<?php echo admin_url("edit.php?post_type=acf-field-group&page=acf-settings-info&tab={$tab_slug}"); ?>"><?php echo $tab_title; ?></a>
		<?php endforeach; ?>
	</h2>
	
<?php if( $active == 'new' ): ?>
	
	<div class="feature-section">
		<h2><?php _e("A Smoother Experience", 'acf'); ?> </h2>
		<div class="acf-three-col">
			<div>
				<h3><?php _e("Improved Usability", 'acf'); ?></h3>
				<p><?php _e("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.", 'acf'); ?></p>
			</div>
			<div>
				<h3><?php _e("Improved Design", 'acf'); ?></h3>
				<p><?php _e("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!", 'acf'); ?></p>
			</div>
			<div>
				<h3><?php _e("Improved Data", 'acf'); ?></h3>
				<p><?php _e("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!", 'acf'); ?></p>
			</div>
		</div>
	</div>
	
	<hr />
	
	<div class="feature-section">
		<h2><?php _e("Goodbye Add-ons. Hello PRO", 'acf'); ?> 👋</h2>
		<div class="acf-three-col">
			<div>
				<h3><?php _e("Introducing ACF PRO", 'acf'); ?></h3>
				<p><?php _e("We're changing the way premium functionality is delivered in an exciting way!", 'acf'); ?></p>
				<p><?php printf(__('All 4 premium add-ons have been combined into a new <a href="%s">Pro version of ACF</a>. With both personal and developer licenses available, premium functionality is more affordable and accessible than ever before!', 'acf'), esc_url('https://www.advancedcustomfields.com/pro')); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Powerful Features", 'acf'); ?></h3>
				<p><?php _e("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'); ?></p>
				<p><?php printf(__('Read more about <a href="%s">ACF PRO features</a>.', 'acf'), esc_url('https://www.advancedcustomfields.com/pro')); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Easy Upgrading", 'acf'); ?></h3>
				<p><?php _e('Upgrading to ACF PRO is easy. Simply purchase a license online and download the plugin!', 'acf'); ?></p>
				<p><?php printf(__('We also wrote an <a href="%s">upgrade guide</a> to answer any questions, but if you do have one, please contact our support team via the <a href="%s">help desk</a>.', 'acf'), esc_url('https://www.advancedcustomfields.com/resources/upgrade-guide-acf-pro/'), esc_url('https://www.advancedcustomfields.com/support/')); ?></p>
			</div>
		</div>		
	</div>
	
	<hr />
	
	<div class="feature-section">
		
		<h2><?php _e("New Features", 'acf'); ?> 🎉</h2>
		
		<div class="acf-three-col">
			
			<div>
				<h3><?php _e("Link Field", 'acf'); ?></h3>
				<p><?php _e("The Link field provides a simple way to select or define a link (url, title, target).", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Group Field", 'acf'); ?></h3>
				<p><?php _e("The Group field provides a simple way to create a group of fields.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("oEmbed Field", 'acf'); ?></h3>
				<p><?php _e("The oEmbed field allows an easy way to embed videos, images, tweets, audio, and other content.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Clone Field", 'acf'); ?> <span class="badge"><?php _e('Pro', 'acf'); ?></span></h3>
				<p><?php _e("The clone field allows you to select and display existing fields.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("More AJAX", 'acf'); ?></h3>
				<p><?php _e("More fields use AJAX powered search to speed up page loading.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Local JSON", 'acf'); ?></h3>
				<p><?php _e("New auto export to JSON feature improves speed and allows for syncronisation.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Easy Import / Export", 'acf'); ?></h3>
				<p><?php _e("Both import and export can easily be done through a new tools page.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("New Form Locations", 'acf'); ?></h3>
				<p><?php _e("Fields can now be mapped to menus, menu items, comments, widgets and all user forms!", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("More Customization", 'acf'); ?></h3>
				<p><?php _e("New PHP (and JS) actions and filters have been added to allow for more customization.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Fresh UI", 'acf'); ?></h3>
				<p><?php _e("The entire plugin has had a design refresh including new field types, settings and design!", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("New Settings", 'acf'); ?></h3>
				<p><?php _e("Field group settings have been added for Active, Label Placement, Instructions Placement and Description.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Better Front End Forms", 'acf'); ?></h3>
				<p><?php _e("acf_form() can now create a new post on submission with lots of new settings.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Better Validation", 'acf'); ?></h3>
				<p><?php _e("Form validation is now done via PHP + AJAX in favour of only JS.", 'acf'); ?></p>
			</div>
			
			<div>
				<h3><?php _e("Moving Fields", 'acf'); ?></h3>
				<p><?php _e("New field group functionality allows you to move a field between groups & parents.", 'acf'); ?></p>
			</div>
			
			<div><?php // intentional empty div for flex alignment ?></div>
			
		</div>
			
	</div>
		
<?php elseif( $active == 'changelog' ): ?>
	
	<p class="about-description"><?php printf(__("We think you'll love the changes in %s.", 'acf'), $version); ?></p>
	
	<?php
	
	// extract changelog and parse markdown
	$readme = file_get_contents( acf_get_path('readme.txt') );
	$changelog = '';
	if( preg_match( '/(= '.$version.' =)(.+?)(=|$)/s', $readme, $match ) && $match[2] ) {
		$changelog = acf_parse_markdown( $match[2] );
	}
	echo acf_parse_markdown($changelog);
	
endif; ?>
		
</div>PK�[����99,includes/admin/views/html-location-group.phpnu�[���<div class="rule-group" data-id="<?php echo $group_id; ?>">

	<h4><?php echo ($group_id == 'group_0') ? __("Show this field group if",'acf') : __("or",'acf'); ?></h4>
	
	<table class="acf-table -clear">
		<tbody>
			<?php foreach( $group as $i => $rule ):
				
				// validate rule
				$rule = acf_validate_location_rule($rule);
				
				// append id and group
				$rule['id'] = "rule_{$i}";
				$rule['group'] = $group_id;
				
				// view
				acf_get_view('html-location-rule', array(
					'rule'	=> $rule
				));
				
			 endforeach; ?>
		</tbody>
	</table>
	
</div>PK�[l��a��*includes/admin/views/field-group-field.phpnu�[���<?php 

// vars
$prefix = 'acf_fields[' . $field['ID'] . ']';
$id = acf_idify( $prefix );

// add prefix
$field['prefix'] = $prefix;

// div
$div = array(
	'class' 	=> 'acf-field-object acf-field-object-' . acf_slugify($field['type']),
	'data-id'	=> $field['ID'],
	'data-key'	=> $field['key'],
	'data-type'	=> $field['type'],
);

$meta = array(
	'ID'			=> $field['ID'],
	'key'			=> $field['key'],
	'parent'		=> $field['parent'],
	'menu_order'	=> $i,
	'save'			=> ''
);

?>
<div <?php echo acf_esc_attr( $div ); ?>>
	
	<div class="meta">
		<?php foreach( $meta as $k => $v ):
			acf_hidden_input(array( 'name' => $prefix . '[' . $k . ']', 'value' => $v, 'id' => $id . '-' . $k ));
		endforeach; ?>
	</div>
	
	<div class="handle">
		<ul class="acf-hl acf-tbody">
			<li class="li-field-order">
				<span class="acf-icon acf-sortable-handle" title="<?php _e('Drag to reorder','acf'); ?>"><?php echo ($i + 1); ?></span>
			</li>
			<li class="li-field-label">
				<strong>
					<a class="edit-field" title="<?php _e("Edit field",'acf'); ?>" href="#"><?php echo acf_get_field_label($field, 'admin'); ?></a>
				</strong>
				<div class="row-options">
					<a class="edit-field" title="<?php _e("Edit field",'acf'); ?>" href="#"><?php _e("Edit",'acf'); ?></a>
					<a class="duplicate-field" title="<?php _e("Duplicate field",'acf'); ?>" href="#"><?php _e("Duplicate",'acf'); ?></a>
					<a class="move-field" title="<?php _e("Move field to another group",'acf'); ?>" href="#"><?php _e("Move",'acf'); ?></a>
					<a class="delete-field" title="<?php _e("Delete field",'acf'); ?>" href="#"><?php _e("Delete",'acf'); ?></a>
				</div>
			</li>
			<?php // whitespace before field name looks odd but fixes chrome bug selecting all text in row ?>
			<li class="li-field-name"> <?php echo $field['name']; ?></li>
			<li class="li-field-key"> <?php echo $field['key']; ?></li>
			<li class="li-field-type"> <?php echo acf_get_field_type_label($field['type']); ?></li>
		</ul>
	</div>
	
	<div class="settings">			
		<table class="acf-table">
			<tbody class="acf-field-settings">
				<?php 
				
				// label
				acf_render_field_setting($field, array(
					'label'			=> __('Field Label','acf'),
					'instructions'	=> __('This is the name which will appear on the EDIT page','acf'),
					'name'			=> 'label',
					'type'			=> 'text',
					'class'			=> 'field-label'
				), true);
				
				
				// name
				acf_render_field_setting($field, array(
					'label'			=> __('Field Name','acf'),
					'instructions'	=> __('Single word, no spaces. Underscores and dashes allowed','acf'),
					'name'			=> 'name',
					'type'			=> 'text',
					'class'			=> 'field-name'
				), true);
				
				
				// type
				acf_render_field_setting($field, array(
					'label'			=> __('Field Type','acf'),
					'instructions'	=> '',
					'type'			=> 'select',
					'name'			=> 'type',
					'choices' 		=> acf_get_grouped_field_types(),
					'class'			=> 'field-type'
				), true);
				
				
				// instructions
				acf_render_field_setting($field, array(
					'label'			=> __('Instructions','acf'),
					'instructions'	=> __('Instructions for authors. Shown when submitting data','acf'),
					'type'			=> 'textarea',
					'name'			=> 'instructions',
					'rows'			=> 5
				), true);
				
				
				// required
				acf_render_field_setting($field, array(
					'label'			=> __('Required?','acf'),
					'instructions'	=> '',
					'type'			=> 'true_false',
					'name'			=> 'required',
					'ui'			=> 1,
					'class'			=> 'field-required'
				), true);
				
				
				// 3rd party settings
				do_action('acf/render_field_settings', $field);
				
				
				// type specific settings
				do_action("acf/render_field_settings/type={$field['type']}", $field);
				
				
				// conditional logic
				acf_get_view('field-group-field-conditional-logic', array( 'field' => $field ));
				
				
				// wrapper
				acf_render_field_wrap(array(
					'label'			=> __('Wrapper Attributes','acf'),
					'instructions'	=> '',
					'type'			=> 'number',
					'name'			=> 'width',
					'prefix'		=> $field['prefix'] . '[wrapper]',
					'value'			=> $field['wrapper']['width'],
					'prepend'		=> __('width', 'acf'),
					'append'		=> '%',
					'wrapper'		=> array(
						'data-name' => 'wrapper',
						'class' => 'acf-field-setting-wrapper'
					)
				), 'tr');
				
				acf_render_field_wrap(array(
					'label'			=> '',
					'instructions'	=> '',
					'type'			=> 'text',
					'name'			=> 'class',
					'prefix'		=> $field['prefix'] . '[wrapper]',
					'value'			=> $field['wrapper']['class'],
					'prepend'		=> __('class', 'acf'),
					'wrapper'		=> array(
						'data-append' => 'wrapper'
					)
				), 'tr');
				
				acf_render_field_wrap(array(
					'label'			=> '',
					'instructions'	=> '',
					'type'			=> 'text',
					'name'			=> 'id',
					'prefix'		=> $field['prefix'] . '[wrapper]',
					'value'			=> $field['wrapper']['id'],
					'prepend'		=> __('id', 'acf'),
					'wrapper'		=> array(
						'data-append' => 'wrapper'
					)
				), 'tr');
				
				?>
				<tr class="acf-field acf-field-save">
					<td class="acf-label"></td>
					<td class="acf-input">
						<ul class="acf-hl">
							<li>
								<a class="button edit-field" title="<?php _e("Close Field",'acf'); ?>" href="#"><?php _e("Close Field",'acf'); ?></a>
							</li>
						</ul>
					</td>
				</tr>
			</tbody>
		</table>
	</div>
	
</div>PK�[���X��)includes/admin/views/html-admin-tools.phpnu�[���<?php 

/**
*  html-admin-tools
*
*  View to output admin tools for both archive and single
*
*  @date	20/10/17
*  @since	5.6.3
*
*  @param	string $screen_id The screen ID used to display metaboxes
*  @param	string $active The active Tool
*  @return	n/a
*/

$class = $active ? 'single' : 'grid';

?>
<div class="wrap" id="acf-admin-tools">
	
	<h1><?php _e('Tools', 'acf'); ?> <?php if( $active ): ?><a class="page-title-action" href="<?php echo acf_get_admin_tools_url(); ?>"><?php _e('Back to all tools', 'acf'); ?></a><?php endif; ?></h1>
	
	<div class="acf-meta-box-wrap -<?php echo $class; ?>">
		<?php do_meta_boxes( $screen_id, 'normal', '' ); ?>	
	</div>
	
</div>PK�[l��U\\+includes/admin/views/field-group-fields.phpnu�[���<div class="acf-field-list-wrap">
	
	<ul class="acf-hl acf-thead">
		<li class="li-field-order"><?php _e('Order','acf'); ?></li>
		<li class="li-field-label"><?php _e('Label','acf'); ?></li>
		<li class="li-field-name"><?php _e('Name','acf'); ?></li>
		<li class="li-field-key"><?php _e('Key','acf'); ?></li>
		<li class="li-field-type"><?php _e('Type','acf'); ?></li>
	</ul>
	
	<div class="acf-field-list<?php if( !$fields ){ echo ' -empty'; } ?>">
		
		<div class="no-fields-message">
			<?php _e("No fields. Click the <strong>+ Add Field</strong> button to create your first field.",'acf'); ?>
		</div>
		
		<?php if( $fields ):
			
			foreach( $fields as $i => $field ):
				
				acf_get_view('field-group-field', array( 'field' => $field, 'i' => $i ));
				
			endforeach;
		
		endif; ?>
		
	</div>
	
	<ul class="acf-hl acf-tfoot">
		<li class="acf-fr">
			<a href="#" class="button button-primary button-large add-field"><?php _e('+ Add Field','acf'); ?></a>
		</li>
	</ul>
	
<?php if( !$parent ):
	
	// get clone
	$clone = acf_get_valid_field(array(
		'ID'		=> 'acfcloneindex',
		'key'		=> 'acfcloneindex',
		'label'		=> __('New Field','acf'),
		'name'		=> 'new_field',
		'type'		=> 'text'
	));
	
	?>
	<script type="text/html" id="tmpl-acf-field">
	<?php acf_get_view('field-group-field', array( 'field' => $clone, 'i' => 0 )); ?>
	</script>
<?php endif;?>
	
</div>PK�[_Y���.includes/admin/views/field-group-locations.phpnu�[���<?php

// global
global $field_group;

?>
<div class="acf-field">
	<div class="acf-label">
		<label><?php _e("Rules",'acf'); ?></label>
		<p class="description"><?php _e("Create a set of rules to determine which edit screens will use these advanced custom fields",'acf'); ?></p>
	</div>
	<div class="acf-input">
		<div class="rule-groups">
			
			<?php foreach( $field_group['location'] as $i => $group ): 
				
				// bail ealry if no group
				if( empty($group) ) return;
				
				
				// view
				acf_get_view('html-location-group', array(
					'group'		=> $group,
					'group_id'	=> "group_{$i}"
				));
			
			endforeach;	?>
			
			<h4><?php _e("or",'acf'); ?></h4>
			
			<a href="#" class="button add-location-group"><?php _e("Add rule group",'acf'); ?></a>
			
		</div>
	</div>
</div>
<script type="text/javascript">
if( typeof acf !== 'undefined' ) {
		
	acf.newPostbox({
		'id': 'acf-field-group-locations',
		'label': 'left'
	});	

}
</script>PK�[J�/M��8includes/admin/views/html-admin-page-upgrade-network.phpnu�[���<?php

/**
*  Network Admin Database Upgrade
*
*  Shows the databse upgrade process. 
*
*  @date	24/8/18
*  @since	5.7.4
*  @param	void
*/

?>
<style type="text/css">
	
	/* hide steps */
	.show-on-complete {
		display: none;
	}	
	
</style>
<div id="acf-upgrade-wrap" class="wrap">
	
	<h1><?php _e("Upgrade Database", 'acf'); ?></h1>
	
	<p><?php echo sprintf( __("The following sites require a DB upgrade. Check the ones you want to update and then click %s.", 'acf'), '"' . __('Upgrade Sites', 'acf') . '"'); ?></p>
	<p><input type="submit" name="upgrade" value="<?php _e('Upgrade Sites', 'acf'); ?>" class="button" id="upgrade-sites"></p>
	
	<table class="wp-list-table widefat">
		<thead>
			<tr>
				<td class="manage-column check-column" scope="col">
					<input type="checkbox" id="sites-select-all">
				</td>
				<th class="manage-column" scope="col" style="width:33%;">
					<label for="sites-select-all"><?php _e("Site", 'acf'); ?></label>
				</th>
				<th><?php _e("Description", 'acf'); ?></th>
			</tr>
		</thead>
		<tfoot>
			<tr>
				<td class="manage-column check-column" scope="col">
					<input type="checkbox" id="sites-select-all-2">
				</td>
				<th class="manage-column" scope="col">
					<label for="sites-select-all-2"><?php _e("Site", 'acf'); ?></label>
				</th>
				<th><?php _e("Description", 'acf'); ?></th>
			</tr>
		</tfoot>
		<tbody id="the-list">
		<?php
		
		$sites = acf_get_sites();
		if( $sites ):
		foreach( $sites as $i => $site ): 
			
			// switch blog
			switch_to_blog( $site['blog_id'] );
		
			?>
			<tr<?php if( $i % 2 == 0 ): ?> class="alternate"<?php endif; ?>>
				<th class="check-column" scope="row">
				<?php if( acf_has_upgrade() ): ?>
					<input type="checkbox" value="<?php echo $site['blog_id']; ?>" name="checked[]">
				<?php endif; ?>
				</th>
				<td>
					<strong><?php echo get_bloginfo('name'); ?></strong><br /><?php echo home_url(); ?>
				</td>
				<td>
				<?php if( acf_has_upgrade() ): ?>
					<span class="response"><?php printf(__('Site requires database upgrade from %s to %s', 'acf'), acf_get_db_version(), ACF_VERSION); ?></span>
				<?php else: ?>
					<?php _e("Site is up to date", 'acf'); ?>
				<?php endif; ?>
				</td>
			</tr>
			<?php
			
			// restore
			restore_current_blog();
	
		endforeach;
		endif;
		
		?>
		</tbody>
	</table>
	
	<p><input type="submit" name="upgrade" value="<?php _e('Upgrade Sites', 'acf'); ?>" class="button" id="upgrade-sites-2"></p>
	<p class="show-on-complete"><?php echo sprintf( __('Database Upgrade complete. <a href="%s">Return to network dashboard</a>', 'acf'), network_admin_url() ); ?></p>
	
	<script type="text/javascript">
	(function($) {
		
		var upgrader = new acf.Model({
			events: {
				'click #upgrade-sites':		'onClick',
				'click #upgrade-sites-2':	'onClick'
			},
			$inputs: function(){
				return $('#the-list input:checked');
			},
			onClick: function( e, $el ){
				
				// prevent default
				e.preventDefault();
				
				// bail early if no selection
				if( !this.$inputs().length ) {
					return alert('<?php _e('Please select at least one site to upgrade.', 'acf'); ?>');
				}
				
				// confirm action
				if( !confirm("<?php _e('It is strongly recommended that you backup your database before proceeding. Are you sure you wish to run the updater now?', 'acf'); ?>") ) {
					return;
				}
				
				// upgrade
				this.upgrade();
			},
			upgrade: function(){
				
				// vars
				var $inputs = this.$inputs();
				
				// bail early if no sites selected
				if( !$inputs.length ) {
					return this.complete();
				}
				
				// disable buttons
				$('.button').prop('disabled', true);
				
				// vars
				var $input = $inputs.first();
				var $row = $input.closest('tr');
				var text = '';
				var success = false;
				
				// show loading
				$row.find('.response').html('<i class="acf-loading"></i></span> <?php printf(__('Upgrading data to version %s', 'acf'), ACF_VERSION); ?>');
				
				// send ajax request to upgrade DB
			    $.ajax({
			    	url: acf.get('ajaxurl'),
					dataType: 'json',
					type: 'post',
					data: acf.prepareForAjax({
						action: 'acf/ajax/upgrade',
						blog_id: $input.val()
					}),
					success: function( json ){
						
						// success
						if( acf.isAjaxSuccess(json) ) {
							
							// update
							success = true;
							
							// remove input
							$input.remove();
							
							// set response text
							text = '<?php _e('Upgrade complete.', 'acf'); ?>';
							if( jsonText = acf.getAjaxMessage(json) ) {
								text = jsonText;
							}
						
						// error
						} else {
							
							// set response text
							text = '<?php _e('Upgrade failed.', 'acf'); ?>';
							if( jsonText = acf.getAjaxError(json) ) {
								text += ' <pre>' + jsonText +  '</pre>';
							}
						}			
					},
					error: function( jqXHR, textStatus, errorThrown ){
						
						// set response text
						text = '<?php _e('Upgrade failed.', 'acf'); ?>';
						if( errorThrown) {
							text += ' <pre>' + errorThrown +  '</pre>';
						}
					},
					complete: this.proxy(function(){
						
						// display text
						$row.find('.response').html( text );
						
						// if successful upgrade, proceed to next site. Otherwise, skip to complete.
						if( success ) {
							this.upgrade();
						} else {
							this.complete();
						}
					})
				});
			},
			complete: function(){
				
				// enable buttons
				$('.button').prop('disabled', false);
				
				// show message
				$('.show-on-complete').show();
			}
		});
				
	})(jQuery);	
	</script>
</div>PK�[�,b"��+includes/admin/views/html-location-rule.phpnu�[���<?php 

// vars
$prefix = 'acf_field_group[location]['.$rule['group'].']['.$rule['id'].']';

?>
<tr data-id="<?php echo $rule['id']; ?>">
	<td class="param">
		<?php 
		
		// vars
		$choices = acf_get_location_rule_types();
		
		
		// array
		if( is_array($choices) ) {
			
			acf_render_field(array(
				'type'		=> 'select',
				'name'		=> 'param',
				'prefix'	=> $prefix,
				'value'		=> $rule['param'],
				'choices'	=> $choices,
				'class'		=> 'refresh-location-rule'
			));
		
		}
		
		?>
	</td>
	<td class="operator">
		<?php 
		
		// vars
		$choices = acf_get_location_rule_operators( $rule );
		
		
		// array
		if( is_array($choices) ) {
			
			acf_render_field(array(
				'type'		=> 'select',
				'name'		=> 'operator',
				'prefix'	=> $prefix,
				'value'		=> $rule['operator'],
				'choices'	=> $choices
			));
		
		// custom	
		} else {
			
			echo $choices;
			
		}
	
		?>
	</td>
	<td class="value">
		<?php
		
		// vars
		$choices = acf_get_location_rule_values( $rule );
		
		
		// array
		if( is_array($choices) ) {
			
			acf_render_field(array(
				'type'		=> 'select',
				'name'		=> 'value',
				'prefix'	=> $prefix,
				'value'		=> $rule['value'],
				'choices'	=> $choices
			));
		
		// custom	
		} else {
			
			echo $choices;
			
		}
		
		?>
	</td>
	<td class="add">
		<a href="#" class="button add-location-rule"><?php _e("and",'acf'); ?></a>
	</td>
	<td class="remove">
		<a href="#" class="acf-icon -minus remove-location-rule"></a>
	</td>
</tr>PK�[D�֑�� includes/admin/admin-upgrade.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin_Upgrade') ) :

class ACF_Admin_Upgrade {
	
	/**
	*  __construct
	*
	*  Sets up the class functionality.
	*
	*  @date	31/7/18
	*  @since	5.7.2
	*
	*  @param	void
	*  @return	void
	*/
	function __construct() {
		
		// actions
		add_action( 'admin_menu', 			array($this,'admin_menu'), 20 );
		add_action( 'network_admin_menu',	array($this,'network_admin_menu'), 20 );
	}
	
	/**
	*  admin_menu
	*
	*  Setus up logic if DB Upgrade is needed on a single site.
	*
	*  @date	24/8/18
	*  @since	5.7.4
	*
	*  @param	void
	*  @return	void
	*/
	function admin_menu() {
		
		// check if upgrade is avaialble
		if( acf_has_upgrade() ) {
			
			// add notice
			add_action('admin_notices', array($this, 'admin_notices'));
			
			// add page
			$page = add_submenu_page('index.php', __('Upgrade Database','acf'), __('Upgrade Database','acf'), acf_get_setting('capability'), 'acf-upgrade', array($this,'admin_html') );
			
			// actions
			add_action('load-' . $page, array($this,'admin_load'));
		}
	}
	
	/**
	 * network_admin_menu
	 *
	 * Sets up admin logic if DB Upgrade is required on a multi site.
	 *
	 * @date	24/8/18
	 * @since	5.7.4
	 *
	 * @param	void
	 * @return	void
	 */
	function network_admin_menu() {
		
		// Vars.
		$upgrade = false;
		
		// Loop over sites and check for upgrades.
		$sites = get_sites( array( 'number' => 0 ) );
		if( $sites ) {
			
			// Unhook action to avoid memory issue (as seen in wp-includes/ms-site.php).
			remove_action( 'switch_blog', 'wp_switch_roles_and_user', 1 );
			foreach( $sites as $site ) {
				
				// Switch site.
				switch_to_blog( $site->blog_id );
				
				// Check for upgrade.
				$site_upgrade = acf_has_upgrade();
				
				// Restore site.
				// Ideally, we would switch back to the original site at after looping, however,
				// the restore_current_blog() is needed to modify global vars.
				restore_current_blog();
				
				// Check if upgrade was found.
				if( $site_upgrade ) {
					$upgrade = true;
					break;
				}
		    }
		    add_action( 'switch_blog', 'wp_switch_roles_and_user', 1, 2 );
		}
		
		// Bail early if no upgrade is needed.
		if( !$upgrade ) {
			return;
		}
		
		// Add notice.
		add_action('network_admin_notices', array($this, 'network_admin_notices'));
		
		// Add page.
		$page = add_submenu_page(
			'index.php', 
			__('Upgrade Database','acf'), 
			__('Upgrade Database','acf'), 
			acf_get_setting('capability'), 
			'acf-upgrade-network', 
			array( $this,'network_admin_html' )
		);
		add_action( "load-$page", array( $this, 'network_admin_load' ) );
	}
	
	/**
	*  admin_load
	*
	*  Runs during the loading of the admin page.
	*
	*  @date	24/8/18
	*  @since	5.7.4
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	function admin_load() {
		
		// remove prompt 
		remove_action('admin_notices', array($this, 'admin_notices'));
		
		// load acf scripts
		acf_enqueue_scripts();
	}
	
	/**
	*  network_admin_load
	*
	*  Runs during the loading of the network admin page.
	*
	*  @date	24/8/18
	*  @since	5.7.4
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	function network_admin_load() {
		
		// remove prompt 
		remove_action('network_admin_notices', array($this, 'network_admin_notices'));
		
		// load acf scripts
		acf_enqueue_scripts();
	}
	
	/**
	*  admin_notices
	*
	*  Displays the DB Upgrade prompt.
	*
	*  @date	23/8/18
	*  @since	5.7.3
	*
	*  @param	void
	*  @return	void
	*/
	function admin_notices() {
		
		// vars
		$view = array(
			'button_text'	=> __("Upgrade Database", 'acf'),
			'button_url'	=> admin_url('index.php?page=acf-upgrade'),
			'confirm'		=> true
		);
		
		// view
		acf_get_view('html-notice-upgrade', $view);
	}
	
	/**
	*  network_admin_notices
	*
	*  Displays the DB Upgrade prompt on a multi site.
	*
	*  @date	23/8/18
	*  @since	5.7.3
	*
	*  @param	void
	*  @return	void
	*/
	function network_admin_notices() {
		
		// vars
		$view = array(
			'button_text'	=> __("Review sites & upgrade", 'acf'),
			'button_url'	=> network_admin_url('index.php?page=acf-upgrade-network'),
			'confirm'		=> false
		);
		
		// view
		acf_get_view('html-notice-upgrade', $view);
	}
	
	/**
	*  admin_html
	*
	*  Displays the HTML for the admin page.
	*
	*  @date	24/8/18
	*  @since	5.7.4
	*
	*  @param	void
	*  @return	void
	*/
	function admin_html() {
		acf_get_view('html-admin-page-upgrade');
	}
	
	/**
	*  network_admin_html
	*
	*  Displays the HTML for the network upgrade admin page.
	*
	*  @date	24/8/18
	*  @since	5.7.4
	*
	*  @param	void
	*  @return	void
	*/
	function network_admin_html() {
		acf_get_view('html-admin-page-upgrade-network');
	}
}

// instantiate
acf_new_instance('ACF_Admin_Upgrade');

endif; // class_exists check

?>PK�[|��(�(4includes/admin/tools/class-acf-admin-tool-export.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin_Tool_Export') ) :

class ACF_Admin_Tool_Export extends ACF_Admin_Tool {
	
	/** @var string View context */
	var $view = '';
	
	
	/** @var array Export data */
	var $json = '';
	
	
	/**
	*  initialize
	*
	*  This function will initialize the admin tool
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'export';
		$this->title = __("Export Field Groups", 'acf');
    	
    	
    	// active
    	if( $this->is_active() ) {
			$this->title .= ' - ' . __('Generate PHP', 'acf');
		}
		
	}
	
	
	/**
	*  submit
	*
	*  This function will run when the tool's form has been submit
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit() {
		
		// vars
		$action = acf_maybe_get_POST('action');
		
		
		// download
		if( $action === 'download' ) {
			
			$this->submit_download();
		
		// generate	
		} elseif( $action === 'generate' ) {
			
			$this->submit_generate();
			
		}
		
	}
	
	
	/**
	*  submit_download
	*
	*  description
	*
	*  @date	17/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit_download() {
		
		// vars
		$json = $this->get_selected();
		
		
		// validate
		if( $json === false ) {
			return acf_add_admin_notice( __("No field groups selected", 'acf'), 'warning' );
		}
		
		
		// headers
		$file_name = 'acf-export-' . date('Y-m-d') . '.json';
		header( "Content-Description: File Transfer" );
		header( "Content-Disposition: attachment; filename={$file_name}" );
		header( "Content-Type: application/json; charset=utf-8" );
		
		
		// return
		echo acf_json_encode( $json );
		die;
		
	}
	
	
	/**
	*  submit_generate
	*
	*  description
	*
	*  @date	17/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit_generate() {
		
		// vars
		$keys = $this->get_selected_keys();
		
		
		// validate
		if( !$keys ) {
			return acf_add_admin_notice( __("No field groups selected", 'acf'), 'warning' );
		}
		
		
		// url
		$url = add_query_arg( 'keys', implode('+', $keys), $this->get_url() );
		
		
		// redirect
		wp_redirect( $url );
		exit;
		
	}
	
	
	/**
	*  load
	*
	*  description
	*
	*  @date	21/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function load() {
		
		// active
    	if( $this->is_active() ) {
	    	
	    	// get selected keys
	    	$selected = $this->get_selected_keys();
	    	
	    	
	    	// add notice
	    	if( $selected ) {
		    	$count = count($selected);
		    	$text = sprintf( _n( 'Exported 1 field group.', 'Exported %s field groups.', $count, 'acf' ), $count );
		    	acf_add_admin_notice( $text, 'success' );
	    	}
		}

	}
	
	
	/**
	*  html
	*
	*  This function will output the metabox HTML
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html() {
		
		// single (generate PHP)
		if( $this->is_active() ) {
			
			$this->html_single();
		
		// archive	
		} else {
			
			$this->html_archive();
			
		}
		
	}
	
	
	/**
	*  html_field_selection
	*
	*  description
	*
	*  @date	24/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_field_selection() {
		
		// vars
		$choices = array();
		$selected = $this->get_selected_keys();
		$field_groups = acf_get_field_groups();
		
		
		// loop
		if( $field_groups ) {
			foreach( $field_groups as $field_group ) {
				$choices[ $field_group['key'] ] = esc_html( $field_group['title'] );
			}	
		}
		
		
		// render
		acf_render_field_wrap(array(
			'label'		=> __('Select Field Groups', 'acf'),
			'type'		=> 'checkbox',
			'name'		=> 'keys',
			'prefix'	=> false,
			'value'		=> $selected,
			'toggle'	=> true,
			'choices'	=> $choices,
		));
		
	}
	
	
	/**
	*  html_panel_selection
	*
	*  description
	*
	*  @date	21/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_panel_selection() {
		
		?>
		<div class="acf-panel acf-panel-selection">
			<h3 class="acf-panel-title"><?php _e('Select Field Groups', 'acf') ?> <i class="dashicons dashicons-arrow-right"></i></h3>
			<div class="acf-panel-inside">
				<?php $this->html_field_selection(); ?>
			</div>
		</div>
		<?php
		
	}
	
	
	/**
	*  html_panel_settings
	*
	*  description
	*
	*  @date	21/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_panel_settings() {
		
		?>
		<div class="acf-panel acf-panel-settings">
			<h3 class="acf-panel-title"><?php _e('Settings', 'acf') ?> <i class="dashicons dashicons-arrow-right"></i></h3>
			<div class="acf-panel-inside">
				<?php 
			
/*
				acf_render_field_wrap(array(
					'label'		=> __('Empty settings', 'acf'),
					'type'		=> 'select',
					'name'		=> 'minimal',
					'prefix'	=> false,
					'value'		=> '',
					'choices'	=> array(
						'all'		=> __('Include all settings', 'acf'),
						'minimal'	=> __('Ignore empty settings', 'acf'),
					)
				));
*/
				
				?>
			</div>
		</div>
		<?php
			
	}
	
	
	/**
	*  html_archive
	*
	*  description
	*
	*  @date	20/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_archive() {
		
		?>
		<p><?php _e('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.', 'acf'); ?></p>
		<div class="acf-fields">
			<?php $this->html_field_selection(); ?>
		</div>
		<p class="acf-submit">
			<button type="submit" name="action" class="button button-primary" value="download"><?php _e('Export File', 'acf'); ?></button>
			<button type="submit" name="action" class="button" value="generate"><?php _e('Generate PHP', 'acf'); ?></button>
		</p>
		<?php
		
	}
	
	
	/**
	*  html_single
	*
	*  description
	*
	*  @date	20/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_single() {
		
		?>
		<div class="acf-postbox-columns">
			<div class="acf-postbox-main">
				<?php $this->html_generate(); ?>
			</div>
			<div class="acf-postbox-side">
				<?php $this->html_panel_selection(); ?>
				<p class="acf-submit">
					<button type="submit" name="action" class="button button-primary" value="generate"><?php _e('Generate PHP', 'acf'); ?></button>
				</p>
			</div>
		</div>
		<?php
		
	}
	
	
	/**
	*  html_generate
	*
	*  description
	*
	*  @date	17/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html_generate() {
		
		// prevent default translation and fake __() within string
		acf_update_setting('l10n_var_export', true);
		
		
		// vars
		$json = $this->get_selected();
		$str_replace = array(
			"  "			=> "\t",
			"'!!__(!!\'"	=> "__('",
			"!!\', !!\'"	=> "', '",
			"!!\')!!'"		=> "')",
			"array ("		=> "array("
		);
		$preg_replace = array(
			'/([\t\r\n]+?)array/'	=> 'array',
			'/[0-9]+ => array/'		=> 'array'
		);


		?>
		<p><?php _e("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.", 'acf'); ?></p>
		<textarea id="acf-export-textarea" readonly="true"><?php
		
		echo "if( function_exists('acf_add_local_field_group') ):" . "\r\n" . "\r\n";
		
		foreach( $json as $field_group ) {
					
			// code
			$code = var_export($field_group, true);
			
			
			// change double spaces to tabs
			$code = str_replace( array_keys($str_replace), array_values($str_replace), $code );
			
			
			// correctly formats "=> array("
			$code = preg_replace( array_keys($preg_replace), array_values($preg_replace), $code );
			
			
			// esc_textarea
			$code = esc_textarea( $code );
			
			
			// echo
			echo "acf_add_local_field_group({$code});" . "\r\n" . "\r\n";
		
		}
		
		echo "endif;";
		
		?></textarea>
		<p class="acf-submit">
			<a class="button" id="acf-export-copy"><?php _e( 'Copy to clipboard', 'acf' ); ?></a>
		</p>
		<script type="text/javascript">
		(function($){
			
			// vars
			var $a = $('#acf-export-copy');
			var $textarea = $('#acf-export-textarea');
			
			
			// remove $a if 'copy' is not supported
			if( !document.queryCommandSupported('copy') ) {
				return $a.remove();
			}
			
			
			// event
			$a.on('click', function( e ){
				
				// prevent default
				e.preventDefault();
				
				
				// select
				$textarea.get(0).select();
				
				
				// try
				try {
					
					// copy
					var copy = document.execCommand('copy');
					if( !copy ) return;
					
					
					// tooltip
					acf.newTooltip({
						text: 		"<?php _e('Copied', 'acf' ); ?>",
						timeout:	250,
						target: 	$(this),
					});
					
				} catch (err) {
					
					// do nothing
					
				}
						
			});
		
		})(jQuery);
		</script>
		<?php
		
	}
	
	
	
	/**
	*  get_selected_keys
	*
	*  This function will return an array of field group keys that have been selected
	*
	*  @date	20/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function get_selected_keys() {
		
		// check $_POST
		if( $keys = acf_maybe_get_POST('keys') ) {
			return (array) $keys;
		}
		
		
		// check $_GET
		if( $keys = acf_maybe_get_GET('keys') ) {
			$keys = str_replace(' ', '+', $keys);
			return explode('+', $keys);
		}
		
		
		// return
		return false;
		
	}
	
	
	/**
	*  get_selected
	*
	*  This function will return the JSON data for given $_POST args
	*
	*  @date	17/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	array
	*/
	
	function get_selected() {
		
		// vars
		$selected = $this->get_selected_keys();
		$json = array();
		
		
		// bail early if no keys
		if( !$selected ) return false;
		
		
		// construct JSON
		foreach( $selected as $key ) {
			
			// load field group
			$field_group = acf_get_field_group( $key );
			
			
			// validate field group
			if( empty($field_group) ) continue;
			
			
			// load fields
			$field_group['fields'] = acf_get_fields( $field_group );
	
	
			// prepare for export
			$field_group = acf_prepare_field_group_for_export( $field_group );
			
			
			// add to json array
			$json[] = $field_group;
			
		}
		
		
		// return
		return $json;
		
	}
}

// initialize
acf_register_admin_tool( 'ACF_Admin_Tool_Export' );

endif; // class_exists check

?>PK�[:�_�		-includes/admin/tools/class-acf-admin-tool.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin_Tool') ) :

class ACF_Admin_Tool {
	
	
	/** @var string Tool name */
	var $name = '';
	

	/** @var string Tool title */
	var $title = '';
	
	
	/** @var string Dashicon slug */
	//var $icon = '';
	
	
	/** @var boolean Redirect form to single */
	//var $redirect = false;
	
	
	/**
	*  get_name
	*
	*  This function will return the Tool's name
	*
	*  @date	19/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function get_name() {
		return $this->name;
	}
	
	
	/**
	*  get_title
	*
	*  This function will return the Tool's title
	*
	*  @date	19/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function get_title() {
		return $this->title;
	}
	
	
	/**
	*  get_url
	*
	*  This function will return the Tool's title
	*
	*  @date	19/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function get_url() {
		return acf_get_admin_tool_url( $this->name );
	}
	
	
	/**
	*  is_active
	*
	*  This function will return true if the tool is active
	*
	*  @date	19/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	bool
	*/
	
	function is_active() {
		return acf_maybe_get_GET('tool') === $this->name;
	}
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	27/6/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// initialize
		$this->initialize();
		
	}
	
	
	/**
	*  initialize
	*
	*  This function will initialize the admin tool
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		/* do nothing */
			
	}
	
	
	
	/**
	*  load
	*
	*  This function is called during the admin page load
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function load() {
		
		/* do nothing */
			
	}
	
	
	/**
	*  html
	*
	*  This function will output the metabox HTML
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html() {
		
		
		
	}
	
	
	/**
	*  submit
	*
	*  This function will run when the tool's form has been submit
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit() {
		
		
	}
	
	
}

endif; // class_exists check

?>PK�[\c?f
f
4includes/admin/tools/class-acf-admin-tool-import.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin_Tool_Import') ) :

class ACF_Admin_Tool_Import extends ACF_Admin_Tool {
	
	
	/**
	*  initialize
	*
	*  This function will initialize the admin tool
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'import';
		$this->title = __("Import Field Groups", 'acf');
    	$this->icon = 'dashicons-upload';
    	
	}
	
	
	/**
	*  html
	*
	*  This function will output the metabox HTML
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html() {
		
		?>
		<p><?php _e('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.', 'acf'); ?></p>
		<div class="acf-fields">
			<?php 
			
			acf_render_field_wrap(array(
				'label'		=> __('Select File', 'acf'),
				'type'		=> 'file',
				'name'		=> 'acf_import_file',
				'value'		=> false,
				'uploader'	=> 'basic',
			));
			
			?>
		</div>
		<p class="acf-submit">
			<input type="submit" class="button button-primary" value="<?php _e('Import File', 'acf'); ?>" />
		</p>
		<?php
		
	}
	
	
	/**
	*  submit
	*
	*  This function will run when the tool's form has been submit
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function submit() {
		
		// Check file size.
		if( empty($_FILES['acf_import_file']['size']) ) {
			return acf_add_admin_notice( __("No file selected", 'acf'), 'warning' );
		}
		
		// Get file data.
		$file = $_FILES['acf_import_file'];
		
		// Check errors.
		if( $file['error'] ) {
			return acf_add_admin_notice( __("Error uploading file. Please try again", 'acf'), 'warning' );
		}
		
		// Check file type.
		if( pathinfo($file['name'], PATHINFO_EXTENSION) !== 'json' ) {
			return acf_add_admin_notice( __("Incorrect file type", 'acf'), 'warning' );
		}
		
		// Read JSON.
		$json = file_get_contents( $file['tmp_name'] );
		$json = json_decode($json, true);
		
		// Check if empty.
    	if( !$json || !is_array($json) ) {
    		return acf_add_admin_notice( __("Import file empty", 'acf'), 'warning' );
    	}
    	
    	// Ensure $json is an array of groups.
    	if( isset($json['key']) ) {
	    	$json = array( $json );	    	
    	}
    	
    	// Remeber imported field group ids.
    	$ids = array();
    	
    	// Loop over json
    	foreach( $json as $field_group ) {
	    	
	    	// Search database for existing field group.
	    	$post = acf_get_field_group_post( $field_group['key'] );
	    	if( $post ) {
		    	$field_group['ID'] = $post->ID;
	    	}
	    	
	    	// Import field group.
	    	$field_group = acf_import_field_group( $field_group );
	    	
	    	// append message
	    	$ids[] = $field_group['ID'];
    	}
    	
    	// Count number of imported field groups.
		$total = count($ids);
		
		// Generate text.
		$text = sprintf( _n( 'Imported 1 field group', 'Imported %s field groups', $total, 'acf' ), $total );		
		
		// Add links to text.
		$links = array();
		foreach( $ids as $id ) {
			$links[] = '<a href="' . get_edit_post_link( $id ) . '">' . get_the_title( $id ) . '</a>';
		}
		$text .= ' ' . implode( ', ', $links );
		
		// Add notice
		acf_add_admin_notice( $text, 'success' );
	}
}

// initialize
acf_register_admin_tool( 'ACF_Admin_Tool_Import' );

endif; // class_exists check

?>PK�[��	��G�G%includes/admin/admin-field-groups.phpnu�[���<?php

/*
*  ACF Admin Field Groups Class
*
*  All the logic for editing a list of field groups
*
*  @class 		acf_admin_field_groups
*  @package		ACF
*  @subpackage	Admin
*/

if( ! class_exists('acf_admin_field_groups') ) :

class acf_admin_field_groups {
	
	// vars
	var $url = 'edit.php?post_type=acf-field-group',
		$sync = array();
		
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
	
		// actions
		add_action('current_screen',		array($this, 'current_screen'));
		add_action('trashed_post',			array($this, 'trashed_post'));
		add_action('untrashed_post',		array($this, 'untrashed_post'));
		add_action('deleted_post',			array($this, 'deleted_post'));
		add_action('load-edit.php',			array($this, 'maybe_redirect_edit'));
	}
	
	/**
	*  maybe_redirect_edit
	*
	*  Redirects the user from the old ACF4 edit page to the new ACF5 edit page
	*
	*  @date	17/9/18
	*  @since	5.7.6
	*
	*  @param	void
	*  @return	void
	*/
	function maybe_redirect_edit() {
		if( acf_maybe_get_GET('post_type') == 'acf' ) {
			wp_redirect( admin_url($this->url) );
			exit;
		}
	}
	
	/*
	*  current_screen
	*
	*  This function is fired when loading the admin page before HTML has been rendered.
	*
	*  @type	action (current_screen)
	*  @date	21/07/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function current_screen() {
		
		// validate screen
		if( !acf_is_screen('edit-acf-field-group') ) {
			return;
		}
		

		// customize post_status
		global $wp_post_statuses;
		
		
		// modify publish post status
		$wp_post_statuses['publish']->label_count = _n_noop( 'Active <span class="count">(%s)</span>', 'Active <span class="count">(%s)</span>', 'acf' );
		
		
		// reorder trash to end
		$wp_post_statuses['trash'] = acf_extract_var( $wp_post_statuses, 'trash' );

		
		// check stuff
		$this->check_duplicate();
		$this->check_sync();
		
		
		// actions
		add_action('admin_enqueue_scripts',							array($this, 'admin_enqueue_scripts'));
		add_action('admin_footer',									array($this, 'admin_footer'));
		
		
		// columns
		add_filter('manage_edit-acf-field-group_columns',			array($this, 'field_group_columns'), 10, 1);
		add_action('manage_acf-field-group_posts_custom_column',	array($this, 'field_group_columns_html'), 10, 2);
		
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This function will add the already registered css
	*
	*  @type	function
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_enqueue_scripts() {
		
		wp_enqueue_script('acf-input');
		
	}
	
	
	/*
	*  check_duplicate
	*
	*  This function will check for any $_GET data to duplicate
	*
	*  @type	function
	*  @date	17/10/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function check_duplicate() {
		
		// Display notice
		if( $ids = acf_maybe_get_GET('acfduplicatecomplete') ) {
			
			// explode
			$ids = explode(',', $ids);
			$total = count($ids);
			
			// Generate text.
			$text = sprintf( _n( 'Field group duplicated.', '%s field groups duplicated.', $total, 'acf' ), $total );
			
			// Add links to text.
			$links = array();
			foreach( $ids as $id ) {
				$links[] = '<a href="' . get_edit_post_link( $id ) . '">' . get_the_title( $id ) . '</a>';
			}
			$text .= ' ' . implode( ', ', $links );
			
			// Add notice
			acf_add_admin_notice( $text, 'success' );
		}
		
		
		// vars
		$ids = array();
		
		
		// check single
		if( $id = acf_maybe_get_GET('acfduplicate') ) {
			
			$ids[] = $id;
		
		// check multiple
		} elseif( acf_maybe_get_GET('action2') === 'acfduplicate' ) {
			
			$ids = acf_maybe_get_GET('post');
			
		}
		
		
		// sync
		if( !empty($ids) ) {
			
			// validate
			check_admin_referer('bulk-posts');
			
			
			// vars
			$new_ids = array();
			
			
			// loop
			foreach( $ids as $id ) {
				
				// duplicate
				$field_group = acf_duplicate_field_group( $id );
				
				
				// increase counter
				$new_ids[] = $field_group['ID'];
				
			}
			
			
			// redirect
			wp_redirect( admin_url( $this->url . '&acfduplicatecomplete=' . implode(',', $new_ids)) );
			exit;
				
		}
		
	}
	
	
	/*
	*  check_sync
	*
	*  This function will check for any $_GET data to sync
	*
	*  @type	function
	*  @date	9/12/2014
	*  @since	5.1.5
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function check_sync() {
		
		// Display notice
		if( $ids = acf_maybe_get_GET('acfsynccomplete') ) {
			
			// explode
			$ids = explode(',', $ids);
			$total = count($ids);
			
			// Generate text.
			$text = sprintf( _n( 'Field group synchronised.', '%s field groups synchronised.', $total, 'acf' ), $total );
			
			// Add links to text.
			$links = array();
			foreach( $ids as $id ) {
				$links[] = '<a href="' . get_edit_post_link( $id ) . '">' . get_the_title( $id ) . '</a>';
			}
			$text .= ' ' . implode( ', ', $links );
			
			// Add notice
			acf_add_admin_notice( $text, 'success' );
		}
		
		
		// vars
		$groups = acf_get_field_groups();
		
		
		// bail early if no field groups
		if( empty($groups) ) return;
		
		
		// find JSON field groups which have not yet been imported
		foreach( $groups as $group ) {
			
			// vars
			$local = acf_maybe_get($group, 'local', false);
			$modified = acf_maybe_get($group, 'modified', 0);
			$private = acf_maybe_get($group, 'private', false);
			
			// Ignore if is private.
			if( $private ) {
				continue;
			
			// Ignore not local "json".
			} elseif( $local !== 'json' ) {
				continue;
			
			// Append to sync if not yet in database.	
			} elseif( !$group['ID'] ) {
				$this->sync[ $group['key'] ] = $group;
			
			// Append to sync if "json" modified time is newer than database.
			} elseif( $modified && $modified > get_post_modified_time('U', true, $group['ID'], true) ) {
				$this->sync[ $group['key'] ]  = $group;
			}
		}
		
		
		// bail if no sync needed
		if( empty($this->sync) ) return;
		
		
		// maybe sync
		$sync_keys = array();
		
		
		// check single
		if( $key = acf_maybe_get_GET('acfsync') ) {
			
			$sync_keys[] = $key;
		
		// check multiple
		} elseif( acf_maybe_get_GET('action2') === 'acfsync' ) {
			
			$sync_keys = acf_maybe_get_GET('post');
			
		}
		
		
		// sync
		if( !empty($sync_keys) ) {
			
			// validate
			check_admin_referer('bulk-posts');
			
			
			// disable filters to ensure ACF loads raw data from DB
			acf_disable_filters();
			acf_enable_filter('local');
			
			
			// disable JSON
			// - this prevents a new JSON file being created and causing a 'change' to theme files - solves git anoyance
			acf_update_setting('json', false);
			
			
			// vars
			$new_ids = array();
				
			
			// loop
			foreach( $sync_keys as $key ) {
				
				// Bail early if not found.
				if( !isset($this->sync[ $key ]) ) {
					continue;
				}
				
				// Get field group.
				$field_group = $this->sync[ $key ];
				
				// Append fields.
				$field_group['fields'] = acf_get_fields( $field_group );
				
				// Import field group.
				$field_group = acf_import_field_group( $field_group );
									
				// Append imported ID.
				$new_ids[] = $field_group['ID'];
			}
			
			
			// redirect
			wp_redirect( admin_url( $this->url . '&acfsynccomplete=' . implode(',', $new_ids)) );
			exit;
			
		}
		
		
		// filters
		add_filter('views_edit-acf-field-group', array($this, 'list_table_views'));
		
	}
	
	
	/*
	*  list_table_views
	*
	*  This function will add an extra link for JSON in the field group list table
	*
	*  @type	function
	*  @date	3/12/2014
	*  @since	5.1.5
	*
	*  @param	$views (array)
	*  @return	$views
	*/
	
	function list_table_views( $views ) {
		
		// vars
		$class = '';
		$total = count($this->sync);
		
		// active
		if( acf_maybe_get_GET('post_status') === 'sync' ) {
			
			// actions
			add_action('admin_footer', array($this, 'sync_admin_footer'), 5);
			
			
			// set active class
			$class = ' class="current"';
			
			
			// global
			global $wp_list_table;
			
			
			// update pagination
			$wp_list_table->set_pagination_args( array(
				'total_items' => $total,
				'total_pages' => 1,
				'per_page' => $total
			));
			
		}
		
		
		// add view
		$views['json'] = '<a' . $class . ' href="' . admin_url($this->url . '&post_status=sync') . '">' . __('Sync available', 'acf') . ' <span class="count">(' . $total . ')</span></a>';
		
		
		// return
		return $views;
		
	}
	
	
	/*
	*  trashed_post
	*
	*  This function is run when a post object is sent to the trash
	*
	*  @type	action (trashed_post)
	*  @date	8/01/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	n/a
	*/
	
	function trashed_post( $post_id ) {
		
		// validate post type
		if( get_post_type($post_id) != 'acf-field-group' ) {
		
			return;
		
		}
		
		
		// trash field group
		acf_trash_field_group( $post_id );
		
	}
	
	
	/*
	*  untrashed_post
	*
	*  This function is run when a post object is restored from the trash
	*
	*  @type	action (untrashed_post)
	*  @date	8/01/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	n/a
	*/
	
	function untrashed_post( $post_id ) {
		
		// validate post type
		if( get_post_type($post_id) != 'acf-field-group' ) {
		
			return;
			
		}
		
		
		// trash field group
		acf_untrash_field_group( $post_id );
		
	}
	
	
	/*
	*  deleted_post
	*
	*  This function is run when a post object is deleted from the trash
	*
	*  @type	action (deleted_post)
	*  @date	8/01/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	n/a
	*/
	
	function deleted_post( $post_id ) {
		
		// validate post type
		if( get_post_type($post_id) != 'acf-field-group' ) {
		
			return;
			
		}
		
		
		// trash field group
		acf_delete_field_group( $post_id );
		
	}
	
	
	/*
	*  field_group_columns
	*
	*  This function will customize the columns for the field group table
	*
	*  @type	filter (manage_edit-acf-field-group_columns)
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	$columns (array)
	*  @return	$columns (array)
	*/
	
	function field_group_columns( $columns ) {
		
		return array(
			'cb'	 				=> '<input type="checkbox" />',
			'title' 				=> __('Title', 'acf'),
			'acf-fg-description'	=> __('Description', 'acf'),
			'acf-fg-status' 		=> '<i class="acf-icon -dot-3 small acf-js-tooltip" title="' . esc_attr__('Status', 'acf') . '"></i>',
			'acf-fg-count' 			=> __('Fields', 'acf'),
		);
		
	}
	
	
	/*
	*  field_group_columns_html
	*
	*  This function will render the HTML for each table cell
	*
	*  @type	action (manage_acf-field-group_posts_custom_column)
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	$column (string)
	*  @param	$post_id (int)
	*  @return	n/a
	*/
	
	function field_group_columns_html( $column, $post_id ) {
		
		// vars
		$field_group = acf_get_field_group( $post_id );
		
		
		// render
		$this->render_column( $column, $field_group );
	    
	}
	
	function render_column( $column, $field_group ) {
		
		// description
		if( $column == 'acf-fg-description' ) {
			
			if( $field_group['description'] ) {
				
				echo '<span class="acf-description">' . acf_esc_html($field_group['description']) . '</span>';
				
			}
        
        // status
	    } elseif( $column == 'acf-fg-status' ) {
			
			if( isset($this->sync[ $field_group['key'] ]) ) {
				
				echo '<i class="acf-icon -sync grey small acf-js-tooltip" title="' . esc_attr__('Sync available', 'acf') .'"></i> ';
				
			}
			
			if( $field_group['active'] ) {
				
				//echo '<i class="acf-icon -check small acf-js-tooltip" title="' . esc_attr__('Active', 'acf') .'"></i> ';
				
			} else {
				
				echo '<i class="acf-icon -minus yellow small acf-js-tooltip" title="' . esc_attr__('Inactive', 'acf') . '"></i> ';
				
			}
	    
        // fields
	    } elseif( $column == 'acf-fg-count' ) {
			
			echo esc_html( acf_get_field_count( $field_group ) );
        
        }
		
	}
	
	
	/*
	*  admin_footer
	*
	*  This function will render extra HTML onto the page
	*
	*  @type	action (admin_footer)
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_footer() {
		
		// vars
		$url_home = 'https://www.advancedcustomfields.com';
		$icon = '<i aria-hidden="true" class="dashicons dashicons-external"></i>';
		
?>
<script type="text/html" id="tmpl-acf-column-2">
<div class="acf-column-2">
	<div class="acf-box">
		<div class="inner">
			<h2><?php echo acf_get_setting('name'); ?></h2>
			<p><?php _e('Customize WordPress with powerful, professional and intuitive fields.','acf'); ?></p>
			
			<h3><?php _e("Changelog",'acf'); ?></h3>
			<p><?php 
			
			$acf_changelog = admin_url('edit.php?post_type=acf-field-group&page=acf-settings-info&tab=changelog');
			$acf_version = acf_get_setting('version');
			printf( __('See what\'s new in <a href="%s">version %s</a>.','acf'), esc_url($acf_changelog), $acf_version );
			
			?></p>
			<h3><?php _e("Resources",'acf'); ?></h3>
			<ul>
				<li><a href="<?php echo esc_url( $url_home ); ?>" target="_blank"><?php echo $icon; ?> <?php _e("Website",'acf'); ?></a></li>
				<li><a href="<?php echo esc_url( $url_home . '/resources/' ); ?>" target="_blank"><?php echo $icon; ?> <?php _e("Documentation",'acf'); ?></a></li>
				<li><a href="<?php echo esc_url( $url_home . '/support/' ); ?>" target="_blank"><?php echo $icon; ?> <?php _e("Support",'acf'); ?></a></li>
				<?php if( !acf_get_setting('pro') ): ?>
				<li><a href="<?php echo esc_url( $url_home . '/pro/' ); ?>" target="_blank"><?php echo $icon; ?> <?php _e("Pro",'acf'); ?></a></li>
				<?php endif; ?>
			</ul>
		</div>
		<div class="footer">
			<p><?php printf( __('Thank you for creating with <a href="%s">ACF</a>.','acf'), esc_url($url_home) ); ?></p>
		</div>
	</div>
</div>
</script>
<script type="text/javascript">
(function($){
	
	// wrap
	$('#wpbody .wrap').attr('id', 'acf-field-group-wrap');
	
	
	// wrap form
	$('#posts-filter').wrap('<div class="acf-columns-2" />');
	
	
	// add column main
	$('#posts-filter').addClass('acf-column-1');
	
	
	// add column side
	$('#posts-filter').after( $('#tmpl-acf-column-2').html() );
	
	
	// modify row actions
	$('#the-list tr').each(function(){
		
		// vars
		var $tr = $(this),
			id = $tr.attr('id'),
			description = $tr.find('.column-acf-fg-description').html();
		
		
		// replace Quick Edit with Duplicate (sync page has no id attribute)
		if( id ) {
			
			// vars
			var post_id	= id.replace('post-', '');
			var url = '<?php echo esc_url( admin_url( $this->url . '&acfduplicate=__post_id__&_wpnonce=' . wp_create_nonce('bulk-posts') ) ); ?>';
			var $span = $('<span class="acf-duplicate-field-group"><a title="<?php _e('Duplicate this item', 'acf'); ?>" href="' + url.replace('__post_id__', post_id) + '"><?php _e('Duplicate', 'acf'); ?></a> | </span>');
			
			
			// replace
			$tr.find('.column-title .row-actions .inline').replaceWith( $span );
			
		}
		
		
		// add description to title
		$tr.find('.column-title .row-title').after( description );
		
	});
	
	
	// modify bulk actions
	$('#bulk-action-selector-bottom option[value="edit"]').attr('value','acfduplicate').text('<?php _e( 'Duplicate', 'acf' ); ?>');
	
	
	// clean up table
	$('#adv-settings label[for="acf-fg-description-hide"]').remove();
	
	
	// mobile compatibility
	var status = $('.acf-icon.-dot-3').first().attr('title');
	$('td.column-acf-fg-status').attr('data-colname', status);
	
	
	// no field groups found
	$('#the-list tr.no-items td').attr('colspan', 4);
	
	
	// search
	$('.subsubsub').append(' | <li><a href="#" class="acf-toggle-search"><?php _e('Search', 'acf'); ?></a></li>');
	
	
	// events
	$(document).on('click', '.acf-toggle-search', function( e ){
		
		// prevent default
		e.preventDefault();
		
		
		// toggle
		$('.search-box').slideToggle();
		
	});
	
})(jQuery);
</script>
<?php
		
	}
	
	
	/*
	*  sync_admin_footer
	*
	*  This function will render extra HTML onto the page
	*
	*  @type	action (admin_footer)
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function sync_admin_footer() {
		
		// vars
		$i = -1;
		$columns = array(
			'acf-fg-description',
			'acf-fg-status',
			'acf-fg-count'
		);
		$nonce = wp_create_nonce('bulk-posts');
		
?>
<script type="text/html" id="tmpl-acf-json-tbody">
<?php foreach( $this->sync as $field_group ): 
	
	// vars
	$i++; 
	$key = $field_group['key'];
	$title = $field_group['title'];
	$url = admin_url( $this->url . '&post_status=sync&acfsync=' . $key . '&_wpnonce=' . $nonce );
	
	?>
	<tr <?php if($i%2 == 0): ?>class="alternate"<?php endif; ?>>
		<th class="check-column" scope="row">
			<label for="cb-select-<?php echo esc_attr($key); ?>" class="screen-reader-text"><?php echo esc_html(sprintf(__('Select %s', 'acf'), $title)); ?></label>
			<input type="checkbox" value="<?php echo esc_attr($key); ?>" name="post[]" id="cb-select-<?php echo esc_attr($key); ?>">
		</th>
		<td class="post-title page-title column-title">
			<strong>
				<span class="row-title"><?php echo esc_html($title); ?></span><span class="acf-description"><?php echo esc_html($key); ?>.json</span>
			</strong>
			<div class="row-actions">
				<span class="import"><a title="<?php echo esc_attr( __('Synchronise field group', 'acf') ); ?>" href="<?php echo esc_url($url); ?>"><?php _e( 'Sync', 'acf' ); ?></a></span>
			</div>
		</td>
		<?php foreach( $columns as $column ): ?>
			<td class="column-<?php echo esc_attr($column); ?>"><?php $this->render_column( $column, $field_group ); ?></td>
		<?php endforeach; ?>
	</tr>
<?php endforeach; ?>
</script>
<script type="text/html" id="tmpl-acf-bulk-actions">
	<?php // source: bulk_actions() wp-admin/includes/class-wp-list-table.php ?>
	<select name="action2" id="bulk-action-selector-bottom"></select>
	<?php submit_button( __( 'Apply' ), 'action', '', false, array( 'id' => "doaction2" ) ); ?>
</script>
<script type="text/javascript">
(function($){
	
	// update table HTML
	$('#the-list').html( $('#tmpl-acf-json-tbody').html() );
	
	
	// bulk may not exist if no field groups in DB
	if( !$('#bulk-action-selector-bottom').exists() ) {
		
		$('.tablenav.bottom .actions.alignleft').html( $('#tmpl-acf-bulk-actions').html() );
		
	}
	
	
	// set only options
	$('#bulk-action-selector-bottom').html('<option value="-1"><?php _e('Bulk Actions'); ?></option><option value="acfsync"><?php _e('Sync', 'acf'); ?></option>');
		
})(jQuery);
</script>
<?php
		
	}
			
}

new acf_admin_field_groups();

endif;

?>PK�[)�� includes/admin/admin-notices.phpnu�[���<?php 
/**
 * ACF Admin Notices
 *
 * Functions and classes to manage admin notices.
 *
 * @date	10/1/19
 * @since	5.7.10
 */

// Exit if accessed directly.
if( !defined('ABSPATH') ) exit;  

// Register notices store.
acf_register_store( 'notices' );

/**
 * ACF_Admin_Notice
 *
 * Class used to create an admin notice.
 *
 * @date	10/1/19
 * @since	5.7.10
 */
if( ! class_exists('ACF_Admin_Notice') ) :

class ACF_Admin_Notice extends ACF_Data {
	
	/** @var array Storage for data. */
	var $data = array(
		
		/** @type string Text displayed in notice. */
		'text' => '',
		
		/** @type string Optional HTML alternative to text. 
		'html' => '', */
		
		/** @type string The type of notice (warning, error, success, info). */
		'type' => 'info',
		
		/** @type bool If the notice can be dismissed. */
		'dismissible' => true,
	);
	
	/**
	*  render
	*
	*  Renders the notice HTML.
	*
	*  @date	27/12/18
	*  @since	5.8.0
	*
	*  @param	void
	*  @return	void
	*/
	function render() {
		
		// Ensure text contains punctuation.
		// todo: Remove this after updating translations.
		$text = $this->get('text');
		if( substr($text, -1) !== '.' && substr($text, -1) !== '>' ) {
			$text .= '.';
		} 
		
		// Print HTML.
		printf('<div class="acf-admin-notice notice notice-%s %s">%s</div>',
			
			// Type class.
			$this->get('type'),
			
			// Dismissible class.
			$this->get('dismissible') ? 'is-dismissible' : '',
			
			// InnerHTML
			$this->has('html') ? $this->get('html') : wpautop($text)
		);
	}
}

endif; // class_exists check

/**
*  acf_new_admin_notice
*
*  Instantiates and returns a new model.
*
*  @date	23/12/18
*  @since	5.8.0
*
*  @param	array $data Optional data to set.
*  @return	ACF_Admin_Notice
*/
function acf_new_admin_notice( $data = false ) {
	
	// Create notice.
	$instance = new ACF_Admin_Notice( $data );
	
	// Register notice.
	acf_get_store( 'notices' )->set( $instance->cid, $instance );
	
	// Return notice.
	return $instance;
}

/**
 * acf_render_admin_notices
 *
 * Renders all admin notices HTML.
 *
 * @date	10/1/19
 * @since	5.7.10
 *
 * @param	void
 * @return	void
 */
function acf_render_admin_notices() {
	
	// Get notices.
	$notices = acf_get_store( 'notices' )->get_data();
	
	// Loop over notices and render.
	if( $notices ) {
		foreach( $notices as $notice ) {
			$notice->render();
		}
	}
}

// Render notices during admin action.
add_action('admin_notices', 'acf_render_admin_notices', 99);

/**
 * acf_add_admin_notice
 *
 * Creates and returns a new notice.
 *
 * @date		17/10/13
 * @since		5.0.0
 *
 * @param	string $text The admin notice text.
 * @param	string $class The type of notice (warning, error, success, info).
 * @return	ACF_Admin_Notice
 */
function acf_add_admin_notice( $text = '', $type = 'info' ) {
	return acf_new_admin_notice( array( 'text' => $text, 'type' => $type ) );
}PK�[@m@��@�@$includes/admin/admin-field-group.phpnu�[���<?php

/*
*  ACF Admin Field Group Class
*
*  All the logic for editing a field group
*
*  @class 		acf_admin_field_group
*  @package		ACF
*  @subpackage	Admin
*/

if( ! class_exists('acf_admin_field_group') ) :

class acf_admin_field_group {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('current_screen',									array($this, 'current_screen'));
		add_action('save_post',											array($this, 'save_post'), 10, 2);
		
		
		// ajax
		add_action('wp_ajax_acf/field_group/render_field_settings',		array($this, 'ajax_render_field_settings'));
		add_action('wp_ajax_acf/field_group/render_location_rule',		array($this, 'ajax_render_location_rule'));
		add_action('wp_ajax_acf/field_group/move_field',				array($this, 'ajax_move_field'));
		
		
		// filters
		add_filter('post_updated_messages',								array($this, 'post_updated_messages'));
		add_filter('use_block_editor_for_post_type',					array($this, 'use_block_editor_for_post_type'), 10, 2);
	}
	
	/**
	*  use_block_editor_for_post_type
	*
	*  Prevents the block editor from loading when editing an ACF field group.
	*
	*  @date	7/12/18
	*  @since	5.8.0
	*
	*  @param	bool $use_block_editor Whether the post type can be edited or not. Default true.
	*  @param	string $post_type The post type being checked.
	*  @return	bool
	*/
	function use_block_editor_for_post_type( $use_block_editor, $post_type ) {
		if( $post_type === 'acf-field-group' ) {
			return false;
		}
		return $use_block_editor;
	}
	
	/*
	*  post_updated_messages
	*
	*  This function will customize the message shown when editing a field group
	*
	*  @type	action (post_updated_messages)
	*  @date	30/04/2014
	*  @since	5.0.0
	*
	*  @param	$messages (array)
	*  @return	$messages
	*/
	
	function post_updated_messages( $messages ) {
		
		// append to messages
		$messages['acf-field-group'] = array(
			0 => '', // Unused. Messages start at index 1.
			1 => __('Field group updated.', 'acf'),
			2 => __('Field group updated.', 'acf'),
			3 => __('Field group deleted.', 'acf'),
			4 => __('Field group updated.', 'acf'),
			5 => false, // field group does not support revisions
			6 => __('Field group published.', 'acf'),
			7 => __('Field group saved.', 'acf'),
			8 => __('Field group submitted.', 'acf'),
			9 => __('Field group scheduled for.', 'acf'),
			10 => __('Field group draft updated.', 'acf')
		);
		
		
		// return
		return $messages;
	}
	
	
	/*
	*  current_screen
	*
	*  This function is fired when loading the admin page before HTML has been rendered.
	*
	*  @type	action (current_screen)
	*  @date	21/07/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function current_screen() {
		
		// validate screen
		if( !acf_is_screen('acf-field-group') ) return;
		
		
		// disable filters to ensure ACF loads raw data from DB
		acf_disable_filters();
		
		
		// enqueue scripts
		acf_enqueue_scripts();
		
		
		// actions
		add_action('acf/input/admin_enqueue_scripts',		array($this, 'admin_enqueue_scripts'));
		add_action('acf/input/admin_head', 					array($this, 'admin_head'));
		add_action('acf/input/form_data', 					array($this, 'form_data'));
		add_action('acf/input/admin_footer', 				array($this, 'admin_footer'));
		add_action('acf/input/admin_footer_js',				array($this, 'admin_footer_js'));
		
		
		// filters
		add_filter('acf/input/admin_l10n',					array($this, 'admin_l10n'));
	}
	
	
	/*
	*  admin_enqueue_scripts
	*
	*  This action is run after post query but before any admin script / head actions. 
	*  It is a good place to register all actions.
	*
	*  @type	action (admin_enqueue_scripts)
	*  @date	30/06/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_enqueue_scripts() {
		
		// no autosave
		wp_dequeue_script('autosave');
		
		
		// custom scripts
		wp_enqueue_style('acf-field-group');
		wp_enqueue_script('acf-field-group');
		
		
		// localize text
		acf_localize_text(array(
			'The string "field_" may not be used at the start of a field name'	=> __('The string "field_" may not be used at the start of a field name', 'acf'),
			'This field cannot be moved until its changes have been saved'		=> __('This field cannot be moved until its changes have been saved', 'acf'),
			'Field group title is required'										=> __('Field group title is required', 'acf'),
			'Move to trash. Are you sure?'										=> __('Move to trash. Are you sure?', 'acf'),
			'No toggle fields available'										=> __('No toggle fields available', 'acf'),
			'Move Custom Field'													=> __('Move Custom Field', 'acf'),
			'Checked'															=> __('Checked', 'acf'),
			'(no label)'														=> __('(no label)', 'acf'),
			'(this field)'														=> __('(this field)', 'acf'),
			'copy'																=> __('copy', 'acf'),
			'or'																=> __('or', 'acf'),
			'Null'																=> __('Null', 'acf'),
		));
		
		// localize data
		acf_localize_data(array(
		   	'fieldTypes' => acf_get_field_types_info()
	   	));
	   	
		// 3rd party hook
		do_action('acf/field_group/admin_enqueue_scripts');
		
	}
	
	
	/*
	*  admin_head
	*
	*  This function will setup all functionality for the field group edit page to work
	*
	*  @type	action (admin_head)
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_head() {
		
		// global
		global $post, $field_group;
		
		
		// set global var
		$field_group = acf_get_field_group( $post->ID );
		
		
		// metaboxes
		add_meta_box('acf-field-group-fields', __("Fields",'acf'), array($this, 'mb_fields'), 'acf-field-group', 'normal', 'high');
		add_meta_box('acf-field-group-locations', __("Location",'acf'), array($this, 'mb_locations'), 'acf-field-group', 'normal', 'high');
		add_meta_box('acf-field-group-options', __("Settings",'acf'), array($this, 'mb_options'), 'acf-field-group', 'normal', 'high');
		
		
		// actions
		add_action('post_submitbox_misc_actions',	array($this, 'post_submitbox_misc_actions'), 10, 0);
		add_action('edit_form_after_title',			array($this, 'edit_form_after_title'), 10, 0);
		
		
		// filters
		add_filter('screen_settings',				array($this, 'screen_settings'), 10, 1);
		
		
		// 3rd party hook
		do_action('acf/field_group/admin_head');
		
	}
	
	
	/*
	*  edit_form_after_title
	*
	*  This action will allow ACF to render metaboxes after the title
	*
	*  @type	action
	*  @date	17/08/13
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function edit_form_after_title() {
		
		// globals
		global $post;
		
		
		// render post data
		acf_form_data(array(
			'screen'		=> 'field_group',
			'post_id'		=> $post->ID,
			'delete_fields'	=> 0,
			'validation'	=> 0
		));

	}
	
	
	/*
	*  form_data
	*
	*  This function will add extra HTML to the acf form data element
	*
	*  @type	function
	*  @date	31/05/2016
	*  @since	5.3.8
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function form_data( $args ) {
		
		// do action	
		do_action('acf/field_group/form_data', $args);
		
	}
	
	
	/*
	*  admin_l10n
	*
	*  This function will append extra l10n strings to the acf JS object
	*
	*  @type	function
	*  @date	31/05/2016
	*  @since	5.3.8
	*
	*  @param	$l10n (array)
	*  @return	$l10n
	*/
	
	function admin_l10n( $l10n ) {
		return apply_filters('acf/field_group/admin_l10n', $l10n);
	}
	
	
	
	/*
	*  admin_footer
	*
	*  description
	*
	*  @type	function
	*  @date	11/01/2016
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_footer() {
		
		// 3rd party hook
		do_action('acf/field_group/admin_footer');
		
	}
	
	
	/*
	*  admin_footer_js
	*
	*  description
	*
	*  @type	function
	*  @date	31/05/2016
	*  @since	5.3.8
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function admin_footer_js() {
		
		// 3rd party hook
		do_action('acf/field_group/admin_footer_js');
		
	}
	
	
	/*
	*  screen_settings
	*
	*  description
	*
	*  @type	function
	*  @date	26/01/13
	*  @since	3.6.0
	*
	*  @param	$current (string)
	*  @return	$current
	*/
	
	function screen_settings( $html ) {
		
		// vars
		$checked = acf_get_user_setting('show_field_keys') ? 'checked="checked"' : '';
		
		
		// append
	    $html .= '<div id="acf-append-show-on-screen" class="acf-hidden">';
	    $html .= '<label for="acf-field-key-hide"><input id="acf-field-key-hide" type="checkbox" value="1" name="show_field_keys" ' . $checked . ' /> ' . __('Field Keys','acf') . '</label>';
		$html .= '</div>';
	    
	    
	    // return
	    return $html;
	    
	}
	
	
	/*
	*  post_submitbox_misc_actions
	*
	*  This function will customize the publish metabox
	*
	*  @type	function
	*  @date	17/07/2015
	*  @since	5.2.9
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function post_submitbox_misc_actions() {
		
		// global
		global $field_group;
		
		
		// vars
		$status = $field_group['active'] ? __("Active",'acf') : __("Inactive",'acf');
		
?>
<script type="text/javascript">
(function($) {
	
	// modify status
	$('#post-status-display').html('<?php echo $status; ?>');

})(jQuery);	
</script>
<?php	
		
	}
	
	
	/*
	*  save_post
	*
	*  This function will save all the field group data
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	1.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function save_post( $post_id, $post ) {
		
		// do not save if this is an auto save routine
		if( defined('DOING_AUTOSAVE') && DOING_AUTOSAVE ) {
			return $post_id;
		}
		
		// bail early if not acf-field-group
		if( $post->post_type !== 'acf-field-group' ) {
			return $post_id;
		}
		
		// only save once! WordPress save's a revision as well.
		if( wp_is_post_revision($post_id) ) {
	    	return $post_id;
        }
        
		// verify nonce
		if( !acf_verify_nonce('field_group') ) {
			return $post_id;
		}
        
        // Bail early if request came from an unauthorised user.
		if( !current_user_can(acf_get_setting('capability')) ) {
			return $post_id;
		}
		
		
        // disable filters to ensure ACF loads raw data from DB
		acf_disable_filters();
		
		
        // save fields
        if( !empty($_POST['acf_fields']) ) {
			
			// loop
			foreach( $_POST['acf_fields'] as $field ) {
				
				// vars
				$specific = false;
				$save = acf_extract_var( $field, 'save' );
				
				
				// only saved field if has changed
				if( $save == 'meta' ) {
					$specific = array(
						'menu_order',
						'post_parent',
					);
				}
				
				// set parent
				if( !$field['parent'] ) {
					$field['parent'] = $post_id;
				}
				
				// save field
				acf_update_field( $field, $specific );
				
			}
		}
		
		
		// delete fields
        if( $_POST['_acf_delete_fields'] ) {
        	
        	// clean
	    	$ids = explode('|', $_POST['_acf_delete_fields']);
	    	$ids = array_map( 'intval', $ids );
	    	
	    	
	    	// loop
			foreach( $ids as $id ) {
				
				// bai early if no id
				if( !$id ) continue;
				
				
				// delete
				acf_delete_field( $id );
				
			}
			
        }
		
		
		// add args
        $_POST['acf_field_group']['ID'] = $post_id;
        $_POST['acf_field_group']['title'] = $_POST['post_title'];
        
        
		// save field group
        acf_update_field_group( $_POST['acf_field_group'] );
		
		
        // return
        return $post_id;
	}
	
	
	/*
	*  mb_fields
	*
	*  This function will render the HTML for the medtabox 'acf-field-group-fields'
	*
	*  @type	function
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function mb_fields() {
		
		// global
		global $field_group;
		
		
		// get fields
		$view = array(
			'fields'	=> acf_get_fields( $field_group ),
			'parent'	=> 0
		);
		
		
		// load view
		acf_get_view('field-group-fields', $view);
		
	}
	
	
	/*
	*  mb_options
	*
	*  This function will render the HTML for the medtabox 'acf-field-group-options'
	*
	*  @type	function
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function mb_options() {
		
		// global
		global $field_group;
		
		
		// field key (leave in for compatibility)
		if( !acf_is_field_group_key( $field_group['key']) ) {
			
			$field_group['key'] = uniqid('group_');
			
		}
		
		
		// view
		acf_get_view('field-group-options');
		
	}
	
	
	/*
	*  mb_locations
	*
	*  This function will render the HTML for the medtabox 'acf-field-group-locations'
	*
	*  @type	function
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function mb_locations() {
		
		// global
		global $field_group;
		
		
		// UI needs at lease 1 location rule
		if( empty($field_group['location']) ) {
			
			$field_group['location'] = array(
				
				// group 0
				array(
					
					// rule 0
					array(
						'param'		=>	'post_type',
						'operator'	=>	'==',
						'value'		=>	'post',
					)
				)
				
			);
		}
		
		
		// view
		acf_get_view('field-group-locations');
		
	}
	
	
	/*
	*  ajax_render_location_rule
	*
	*  This function can be accessed via an AJAX action and will return the result from the render_location_value function
	*
	*  @type	function (ajax)
	*  @date	30/09/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function ajax_render_location_rule() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		// validate rule
		$rule = acf_validate_location_rule($_POST['rule']);
			
		// view
		acf_get_view( 'html-location-rule', array(
			'rule' => $rule
		));
		
		// die
		die();						
	}
	
	
	/*
	*  ajax_render_field_settings
	*
	*  This function will return HTML containing the field's settings based on it's new type
	*
	*  @type	function (ajax)
	*  @date	30/09/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function ajax_render_field_settings() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		// vars
		$field = acf_maybe_get_POST('field');
		
		// check
		if( !$field ) die();
		
		// set prefix
		$field['prefix'] = acf_maybe_get_POST('prefix');
		
		// validate
		$field = acf_get_valid_field( $field );
		
		// render
		do_action("acf/render_field_settings/type={$field['type']}", $field);
		
		// return
		die();
								
	}
	
	/*
	*  ajax_move_field
	*
	*  description
	*
	*  @type	function
	*  @date	20/01/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_move_field() {
		
		// disable filters to ensure ACF loads raw data from DB
		acf_disable_filters();
		
		
		$args = acf_parse_args($_POST, array(
			'nonce'				=> '',
			'post_id'			=> 0,
			'field_id'			=> 0,
			'field_group_id'	=> 0
		));
		
		
		// verify nonce
		if( !wp_verify_nonce($args['nonce'], 'acf_nonce') ) die();
		
		
		// confirm?
		if( $args['field_id'] && $args['field_group_id'] ) {
			
			// vars 
			$field = acf_get_field($args['field_id']);
			$field_group = acf_get_field_group($args['field_group_id']);
			
			
			// update parent
			$field['parent'] = $field_group['ID'];
			
			
			// remove conditional logic
			$field['conditional_logic'] = 0;
			
			
			// update field
			acf_update_field($field);
			
			
			// message
			$a = '<a href="' . admin_url("post.php?post={$field_group['ID']}&action=edit") . '" target="_blank">' . $field_group['title'] . '</a>';
			echo '<p><strong>' . __('Move Complete.', 'acf') . '</strong></p>';
			echo '<p>' . sprintf( __('The %s field can now be found in the %s field group', 'acf'), $field['label'], $a ). '</p>';
			echo '<a href="#" class="button button-primary acf-close-popup">' . __("Close Window",'acf') . '</a>';
			die();
			
		}
		
		
		// get all field groups
		$field_groups = acf_get_field_groups();
		$choices = array();
		
		
		// check
		if( !empty($field_groups) ) {
			
			// loop
			foreach( $field_groups as $field_group ) {
				
				// bail early if no ID
				if( !$field_group['ID'] ) continue;
				
				
				// bail ealry if is current
				if( $field_group['ID'] == $args['post_id'] ) continue;
				
				
				// append
				$choices[ $field_group['ID'] ] = $field_group['title'];
				
			}
			
		}
		
		
		// render options
		$field = acf_get_valid_field(array(
			'type'		=> 'select',
			'name'		=> 'acf_field_group',
			'choices'	=> $choices
		));
		
		
		echo '<p>' . __('Please select the destination for this field', 'acf') . '</p>';
		
		echo '<form id="acf-move-field-form">';
		
			// render
			acf_render_field_wrap( $field );
			
			echo '<button type="submit" class="button button-primary">' . __("Move Field",'acf') . '</button>';
			
		echo '</form>';
		
		
		// die
		die();
		
	}
	
}

// initialize
new acf_admin_field_group();

endif;

?>PK�[bU���includes/admin/admin.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Admin') ) :

class ACF_Admin {
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	23/06/12
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	 function __construct() {
		
		// Add hooks.
		add_action( 'admin_menu', 				array( $this, 'admin_menu' ) );
		add_action( 'admin_enqueue_scripts',	array( $this, 'admin_enqueue_scripts' ) );
		add_action( 'admin_body_class', 		array( $this, 'admin_body_class' ) );
	}
	
	/**
	 * admin_menu
	 *
	 * Adds the ACF menu item.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	 function admin_menu() {
		
		// Bail early if ACF is hidden.
		if( !acf_get_setting('show_admin') ) {
			return;
		}
		
		// Vars.
		$slug = 'edit.php?post_type=acf-field-group';
		$cap = acf_get_setting('capability');
		
		// Add menu items.
		add_menu_page( __("Custom Fields",'acf'), __("Custom Fields",'acf'), $cap, $slug, false, 'dashicons-welcome-widgets-menus', '80.025' );
		add_submenu_page( $slug, __('Field Groups','acf'), __('Field Groups','acf'), $cap, $slug );
		add_submenu_page( $slug, __('Add New','acf'), __('Add New','acf'), $cap, 'post-new.php?post_type=acf-field-group' );
		
		// Only register info page when needed.
		if( isset($_GET['page']) && $_GET['page'] === 'acf-settings-info' ) {
			add_submenu_page( $slug, __('Info','acf'), __('Info','acf'), $cap,'acf-settings-info', array($this,'info_page_html') );
		}
	}
	
	/**
	 * admin_enqueue_scripts
	 *
	 * Enqueues global admin styling.
	 *
	 * @date	28/09/13
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function admin_enqueue_scripts() {
		
		// Enqueue global style. To-do: Change to admin.
		wp_enqueue_style( 'acf-global' );
	}
	
	/**
	 * admin_body_class
	 *
	 * Appends the determined body_class.
	 *
	 * @date	5/11/19
	 * @since	5.8.7
	 *
	 * @param	string $classes Space-separated list of CSS classes.
	 * @return	string
	 */
	function admin_body_class( $classes ) {
		global $wp_version;
		
		// Determine body class version.
		$wp_minor_version = floatval( $wp_version );
		if( $wp_minor_version >= 5.3 ) {
			$body_class = 'acf-admin-5-3';
		} else {
			$body_class = 'acf-admin-3-8';
		}
		
		// Append and return.
		return $classes . ' ' . $body_class;
	}
	
	/**
	 * info_page_html
	 *
	 * Renders the Info page HTML.
	 *
	 * @date	5/11/19
	 * @since	5.8.7
	 *
	 * @param	void
	 * @return	void
	 */
	function info_page_html() {
		
		// Vars.
		$view = array(
			'version'		=> acf_get_setting('version'),
			'have_pro'		=> acf_get_setting('pro'),
			'tabs'			=> array(
				'new'			=> __("What's New", 'acf'),
				'changelog'		=> __("Changelog", 'acf')
			),
			'active'		=> 'new'
		);
		
		// Find active tab.
		if( isset($_GET['tab']) && $_GET['tab'] === 'changelog' ) {
			$view['active'] = 'changelog';
		}		
		
		// Load view.
		acf_get_view('settings-info', $view);
	}
}

// Instantiate.
acf_new_instance('ACF_Admin');

endif; // class_exists check
PK�[���t��includes/admin/admin-tools.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_admin_tools') ) :

class acf_admin_tools {
	
	
	/** @var array Contains an array of admin tool instances */
	var $tools = array();
	
	
	/** @var string The active tool */
	var $active = '';
	
	
	/**
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// actions
		add_action('admin_menu', array($this, 'admin_menu'));
		
	}
	
	
	/**
	*  register_tool
	*
	*  This function will store a tool tool class
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	string $class
	*  @return	n/a
	*/
	
	function register_tool( $class ) {
		
		$instance = new $class();
		$this->tools[ $instance->name ] = $instance;
		
	}
	
	
	/**
	*  get_tool
	*
	*  This function will return a tool tool class
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	string $name
	*  @return	n/a
	*/
	
	function get_tool( $name ) {
		
		return isset( $this->tools[$name] ) ? $this->tools[$name] : null;
		
	}
	
	
	/**
	*  get_tools
	*
	*  This function will return an array of all tools
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	array
	*/
	
	function get_tools() {
		
		return $this->tools;
		
	}
	
	
	/*
	*  admin_menu
	*
	*  This function will add the ACF menu item to the WP admin
	*
	*  @type	action (admin_menu)
	*  @date	28/09/13
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function admin_menu() {
		
		// bail early if no show_admin
		if( !acf_get_setting('show_admin') ) return;
		
		
		// add page
		$page = add_submenu_page('edit.php?post_type=acf-field-group', __('Tools','acf'), __('Tools','acf'), acf_get_setting('capability'), 'acf-tools', array($this, 'html'));
		
		
		// actions
		add_action('load-' . $page, array($this, 'load'));
		
	}
	
	
	/**
	*  load
	*
	*  description
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function load() {
		
		// disable filters (default to raw data)
		acf_disable_filters();
		
		
		// include tools
		$this->include_tools();
		
		
		// check submit
		$this->check_submit();
		
		
		// load acf scripts
		acf_enqueue_scripts();
		
	}
	
	
	/**
	*  include_tools
	*
	*  description
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function include_tools() {
		
		// include
		acf_include('includes/admin/tools/class-acf-admin-tool.php');
		acf_include('includes/admin/tools/class-acf-admin-tool-export.php');
		acf_include('includes/admin/tools/class-acf-admin-tool-import.php');
		
		
		// action
		do_action('acf/include_admin_tools');
		
	}
	
	
	/**
	*  check_submit
	*
	*  description
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function check_submit() {
		
		// loop
		foreach( $this->get_tools() as $tool ) {
			
			// load
			$tool->load();
			
			
			// submit
			if( acf_verify_nonce($tool->name) ) {
				$tool->submit();
			}
			
		}
		
	}
	
	
	/**
	*  html
	*
	*  description
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function html() {
		
		// vars
		$screen = get_current_screen();
		$active = acf_maybe_get_GET('tool');
		
		
		// view
		$view = array(
			'screen_id'	=> $screen->id,
			'active'	=> $active
		);
		
		
		// register metaboxes
		foreach( $this->get_tools() as $tool ) {
			
			// check active
			if( $active && $active !== $tool->name ) continue;
			
			
			// add metabox
			add_meta_box( 'acf-admin-tool-' . $tool->name, $tool->title, array($this, 'metabox_html'), $screen->id, 'normal', 'default', array('tool' => $tool->name) );
			
		}
		
		
		// view
		acf_get_view( 'html-admin-tools', $view );
		
	}
	
	
	/**
	*  meta_box_html
	*
	*  description
	*
	*  @date	10/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function metabox_html( $post, $metabox ) {
		
		// vars
		$tool = $this->get_tool($metabox['args']['tool']);
		
		
		?>
		<form method="post">
			<?php $tool->html(); ?>
			<?php acf_nonce_input( $tool->name ); ?>
		</form>
		<?php
		
	}
	
}

// initialize
acf()->admin_tools = new acf_admin_tools();

endif; // class_exists check


/*
*  acf_register_admin_tool
*
*  alias of acf()->admin_tools->register_tool()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_register_admin_tool( $class ) {
	
	return acf()->admin_tools->register_tool( $class );
	
}


/*
*  acf_get_admin_tools_url
*
*  This function will return the admin URL to the tools page
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_admin_tools_url() {
	
	return admin_url('edit.php?post_type=acf-field-group&page=acf-tools');
	
}


/*
*  acf_get_admin_tool_url
*
*  This function will return the admin URL to the tools page
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_admin_tool_url( $tool = '' ) {
	
	return acf_get_admin_tools_url() . '&tool='.$tool;
	
}


?>PK�[YeA	��includes/fields.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_fields') ) :

class acf_fields {
	
	/** @var array Contains an array of field type instances */
	var $types = array();
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		/* do nothing */
	}
	
	
	/*
	*  register_field_type
	*
	*  This function will register a field type instance
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$class (string)
	*  @return	n/a
	*/
	
	function register_field_type( $class ) {
		
		// allow instance
		if( $class instanceOf acf_field ) {
			$this->types[ $class->name ] = $class;
		
		// allow class name
		} else {
			$instance = new $class();
			$this->types[ $instance->name ] = $instance;
		}
	}
	
	
	/*
	*  get_field_type
	*
	*  This function will return a field type instance
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$name (string)
	*  @return	(mixed)
	*/
	
	function get_field_type( $name ) {
		return isset( $this->types[$name] ) ? $this->types[$name] : null;
	}
	
	
	/*
	*  is_field_type
	*
	*  This function will return true if a field type exists
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$name (string)
	*  @return	(mixed)
	*/
	
	function is_field_type( $name ) {
		return isset( $this->types[$name] );
	}
	
	
	/*
	*  register_field_type_info
	*
	*  This function will store a basic array of info about the field type
	*  to later be overriden by the above register_field_type function
	*
	*  @type	function
	*  @date	29/5/17
	*  @since	5.6.0
	*
	*  @param	$info (array)
	*  @return	n/a
	*/
	
	function register_field_type_info( $info ) {
		
		// convert to object
		$instance = (object) $info;
		$this->types[ $instance->name ] = $instance;
	}	
	
	
	/*
	*  get_field_types
	*
	*  This function will return an array of all field types
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$name (string)
	*  @return	(mixed)
	*/
	
	function get_field_types() {
		return $this->types;
	}
}


// initialize
acf()->fields = new acf_fields();

endif; // class_exists check


/*
*  acf_register_field_type
*
*  alias of acf()->fields->register_field_type()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_register_field_type( $class ) {
	return acf()->fields->register_field_type( $class );
}


/*
*  acf_register_field_type_info
*
*  alias of acf()->fields->register_field_type_info()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_register_field_type_info( $info ) {
	return acf()->fields->register_field_type_info( $info );
}


/*
*  acf_get_field_type
*
*  alias of acf()->fields->get_field_type()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_field_type( $name ) {
	return acf()->fields->get_field_type( $name );
}


/*
*  acf_get_field_types
*
*  alias of acf()->fields->get_field_types()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_field_types( $args = array() ) {
	
	// default
	$args = wp_parse_args($args, array(
		'public'	=> true,	// true, false
	));
	
	// get field types
	$field_types = acf()->fields->get_field_types();
	
	// filter
    return wp_filter_object_list( $field_types, $args );
}


/**
*  acf_get_field_types_info
*
*  Returns an array containing information about each field type
*
*  @date	18/6/18
*  @since	5.6.9
*
*  @param	type $var Description. Default.
*  @return	type Description.
*/

function acf_get_field_types_info( $args = array() ) {
	
	// vars
	$data = array();
	$field_types = acf_get_field_types();
	
	// loop
	foreach( $field_types as $type ) {
		$data[ $type->name ] = array(
			'label'		=> $type->label,
			'name'		=> $type->name,
			'category'	=> $type->category,
			'public'	=> $type->public
		);
	}
	
	// return
	return $data;
}


/*
*  acf_is_field_type
*
*  alias of acf()->fields->is_field_type()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_is_field_type( $name = '' ) {
	return acf()->fields->is_field_type( $name );
}


/*
*  acf_get_field_type_prop
*
*  This function will return a field type's property
*
*  @type	function
*  @date	1/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	(array)
*/

function acf_get_field_type_prop( $name = '', $prop = '' ) {
	$type = acf_get_field_type( $name );
	return ($type && isset($type->$prop)) ? $type->$prop : null;
}


/*
*  acf_get_field_type_label
*
*  This function will return the label of a field type
*
*  @type	function
*  @date	1/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	(array)
*/

function acf_get_field_type_label( $name = '' ) {
	$label = acf_get_field_type_prop( $name, 'label' );
	return $label ? $label : '<span class="acf-tooltip-js" title="'.__('Field type does not exist', 'acf').'">'.__('Unknown', 'acf').'</span>';
}


/*
*  acf_field_type_exists (deprecated)
*
*  deprecated in favour of acf_is_field_type()
*
*  @type	function
*  @date	1/10/13
*  @since	5.0.0
*
*  @param	$type (string)
*  @return	(boolean)
*/

function acf_field_type_exists( $type = '' ) {
	return acf_is_field_type( $type );
}


/*
*  acf_get_grouped_field_types
*
*  Returns an multi-dimentional array of field types "name => label" grouped by category
*
*  @type	function
*  @date	1/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	(array)
*/

function acf_get_grouped_field_types() {
	
	// vars
	$types = acf_get_field_types();
	$groups = array();
	$l10n = array(
		'basic'			=> __('Basic', 'acf'),
		'content'		=> __('Content', 'acf'),
		'choice'		=> __('Choice', 'acf'),
		'relational'	=> __('Relational', 'acf'),
		'jquery'		=> __('jQuery', 'acf'),
		'layout'		=> __('Layout', 'acf'),
	);
	
	
	// loop
	foreach( $types as $type ) {
		
		// translate
		$cat = $type->category;
		$cat = isset( $l10n[$cat] ) ? $l10n[$cat] : $cat;
		
		// append
		$groups[ $cat ][ $type->name ] = $type->label;
	}
	
	
	// filter
	$groups = apply_filters('acf/get_field_types', $groups);
	
	
	// return
	return $groups;
}

?>PK�[v�mz"includes/acf-utility-functions.phpnu�[���<?php 

// Globals.
global $acf_stores, $acf_instances;

// Initialize plaeholders.
$acf_stores = array();
$acf_instances = array();

/**
 * acf_new_instance
 *
 * Creates a new instance of the given class and stores it in the instances data store.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	string $class The class name.
 * @return	object The instance.
 */
function acf_new_instance( $class = '' ) {
	global $acf_instances;
	return $acf_instances[ $class ] = new $class();
}

/**
 * acf_get_instance
 *
 * Returns an instance for the given class.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	string $class The class name.
 * @return	object The instance.
 */
function acf_get_instance( $class = '' ) {
	global $acf_instances;
	if( !isset($acf_instances[ $class ]) ) {
		$acf_instances[ $class ] = new $class();
	}
	return $acf_instances[ $class ];
}

/**
 * acf_register_store
 *
 * Registers a data store.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	string $name The store name.
 * @param	array $data Array of data to start the store with.
 * @return	ACF_Data
 */
function acf_register_store( $name = '', $data = false ) {
	 
	// Create store.
	$store = new ACF_Data( $data );
	
	// Register store.
	global $acf_stores;
	$acf_stores[ $name ] = $store;
	
	// Return store.
	return $store;
 }
 
/**
 * acf_get_store
 *
 * Returns a data store.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	string $name The store name.
 * @return	ACF_Data
 */
function acf_get_store( $name = '' ) {
	global $acf_stores;
	return isset( $acf_stores[ $name ] ) ? $acf_stores[ $name ] : false;
}

/**
 * acf_switch_stores
 *
 * Triggered when switching between sites on a multisite installation.
 *
 * @date	13/2/19
 * @since	5.7.11
 *
 * @param	int $site_id New blog ID.
 * @param	int prev_blog_id Prev blog ID.
 * @return	void
 */
function acf_switch_stores( $site_id, $prev_site_id ) {
	
	// Loop over stores and call switch_site().
	global $acf_stores;
	foreach( $acf_stores as $store ) {
		$store->switch_site( $site_id, $prev_site_id );
	}
}
add_action( 'switch_blog', 'acf_switch_stores', 10, 2 );

/**
 * acf_get_path
 *
 * Returns the plugin path to a specified file.
 *
 * @date	28/9/13
 * @since	5.0.0
 *
 * @param	string $filename The specified file.
 * @return	string
 */
function acf_get_path( $filename = '' ) {
	return ACF_PATH . ltrim($filename, '/');
}

/**
 * acf_get_url
 *
 * Returns the plugin url to a specified file.
 * This function also defines the ACF_URL constant.
 *
 * @date	12/12/17
 * @since	5.6.8
 *
 * @param	string $filename The specified file.
 * @return	string
 */
function acf_get_url( $filename = '' ) {
	if( !defined('ACF_URL') ) {
		define( 'ACF_URL', acf_get_setting('url') );
	}
	return ACF_URL . ltrim($filename, '/');
}

/*
 * acf_include
 *
 * Includes a file within the ACF plugin.
 *
 * @date	10/3/14
 * @since	5.0.0
 *
 * @param	string $filename The specified file.
 * @return	void
 */
function acf_include( $filename = '' ) {
	$file_path = acf_get_path($filename);
	if( file_exists($file_path) ) {
		include_once($file_path);
	}
}
PK�[P�.includes/fields/class-acf-field-google-map.phpnu�[���<?php

if( ! class_exists('acf_field_google_map') ) :

class acf_field_google_map extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'google_map';
		$this->label = __("Google Map",'acf');
		$this->category = 'jquery';
		$this->defaults = array(
			'height'		=> '',
			'center_lat'	=> '',
			'center_lng'	=> '',
			'zoom'			=> ''
		);
		$this->default_values = array(
			'height'		=> '400',
			'center_lat'	=> '-37.81411',
			'center_lng'	=> '144.96328',
			'zoom'			=> '14'
		);
	}
	
	
	 /*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
			'Sorry, this browser does not support geolocation'	=> __('Sorry, this browser does not support geolocation', 'acf'),
	   	));
	   	
	   	
		// bail ealry if no enqueue
	   	if( !acf_get_setting('enqueue_google_maps') ) {
		   	return;
	   	}
	   	
	   	
	   	// vars
	   	$api = array(
			'key'		=> acf_get_setting('google_api_key'),
			'client'	=> acf_get_setting('google_api_client'),
			'libraries'	=> 'places',
			'ver'		=> 3,
			'callback'	=> '',
			'language'	=> acf_get_locale()
	   	);
	   	
	   	
	   	// filter
	   	$api = apply_filters('acf/fields/google_map/api', $api);
	   	
	   	
	   	// remove empty
	   	if( empty($api['key']) ) unset($api['key']);
	   	if( empty($api['client']) ) unset($api['client']);
	   	
	   	
	   	// construct url
	   	$url = add_query_arg($api, 'https://maps.googleapis.com/maps/api/js');
	   	
	   	
	   	// localize
	   	acf_localize_data(array(
		   	'google_map_api'	=> $url
	   	));
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// Apply defaults.
		foreach( $this->default_values as $k => $v ) {
			if( !$field[ $k ] ) {
				$field[ $k ] = $v;
			}	
		}
		
		// Attrs.
		$attrs = array(
			'id'			=> $field['id'],
			'class'			=> "acf-google-map {$field['class']}",
			'data-lat'		=> $field['center_lat'],
			'data-lng'		=> $field['center_lng'],
			'data-zoom'		=> $field['zoom'],
		);
		
		$search = '';
		if( $field['value'] ) {
			$attrs['class'] .= ' -value';
			$search = $field['value']['address'];
		} else {
			$field['value'] = '';
		}
		
?>
<div <?php acf_esc_attr_e($attrs); ?>>
	
	<?php acf_hidden_input( array('name' => $field['name'], 'value' => $field['value']) ); ?>
	
	<div class="title">
		
		<div class="acf-actions -hover">
			<a href="#" data-name="search" class="acf-icon -search grey" title="<?php _e("Search", 'acf'); ?>"></a><?php 
			?><a href="#" data-name="clear" class="acf-icon -cancel grey" title="<?php _e("Clear location", 'acf'); ?>"></a><?php 
			?><a href="#" data-name="locate" class="acf-icon -location grey" title="<?php _e("Find current location", 'acf'); ?>"></a>
		</div>
		
		<input class="search" type="text" placeholder="<?php _e("Search for address...",'acf'); ?>" value="<?php echo esc_attr( $search ); ?>" />
		<i class="acf-loading"></i>
				
	</div>
	
	<div class="canvas" style="<?php echo esc_attr('height: '.$field['height'].'px'); ?>"></div>
	
</div>
<?php
		
	}
	
		
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// center_lat
		acf_render_field_setting( $field, array(
			'label'			=> __('Center','acf'),
			'instructions'	=> __('Center the initial map','acf'),
			'type'			=> 'text',
			'name'			=> 'center_lat',
			'prepend'		=> 'lat',
			'placeholder'	=> $this->default_values['center_lat']
		));
		
		
		// center_lng
		acf_render_field_setting( $field, array(
			'label'			=> __('Center','acf'),
			'instructions'	=> __('Center the initial map','acf'),
			'type'			=> 'text',
			'name'			=> 'center_lng',
			'prepend'		=> 'lng',
			'placeholder'	=> $this->default_values['center_lng'],
			'_append' 		=> 'center_lat'
		));
		
		
		// zoom
		acf_render_field_setting( $field, array(
			'label'			=> __('Zoom','acf'),
			'instructions'	=> __('Set the initial zoom level','acf'),
			'type'			=> 'text',
			'name'			=> 'zoom',
			'placeholder'	=> $this->default_values['zoom']
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Height','acf'),
			'instructions'	=> __('Customize the map height','acf'),
			'type'			=> 'text',
			'name'			=> 'height',
			'append'		=> 'px',
			'placeholder'	=> $this->default_values['height']
		));
		
	}
	
	/**
	 * load_value
	 *
	 * Filters the value loaded from the database.
	 *
	 * @date	16/10/19
	 * @since	5.8.1
	 *
	 * @param	mixed $value The value loaded from the database.
	 * @param	mixed $post_id The post ID where the value is saved.
	 * @param	array $field The field settings array.
	 * @return	(array|false)
	 */
	 function load_value( $value, $post_id, $field ) {
		
		// Ensure value is an array.
		if( $value ) {
			return wp_parse_args($value, array(
				'address'	=> '',
				'lat'		=> 0,
				'lng'		=> 0
			));
		}
		
		// Return default.
		return false;
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	function update_value( $value, $post_id, $field ) {
		
		// decode JSON string.
		if( is_string($value) ) {
			$value = json_decode( wp_unslash($value), true );
		}
		
		// Ensure value is an array.
		if( $value ) {
			return (array) $value;
		}
		
		// Return default.
		return false;
	}
}


// initialize
acf_register_field_type( 'acf_field_google_map' );

endif; // class_exists check

?>PK�[]27;;,includes/fields/class-acf-field-textarea.phpnu�[���<?php

if( ! class_exists('acf_field_textarea') ) :

class acf_field_textarea extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'textarea';
		$this->label = __("Text Area",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'new_lines'		=> '',
			'maxlength'		=> '',
			'placeholder'	=> '',
			'rows'			=> ''
		);
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array();
		$keys = array( 'id', 'class', 'name', 'value', 'placeholder', 'rows', 'maxlength' );
		$keys2 = array( 'readonly', 'disabled', 'required' );
		
		
		// rows
		if( !$field['rows'] ) {
			$field['rows'] = 8;
		}
		
		
		// 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 );
		
		
		// return
		acf_textarea_input( $atts );
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'textarea',
			'name'			=> 'default_value',
		));
		
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
		
		// maxlength
		acf_render_field_setting( $field, array(
			'label'			=> __('Character Limit','acf'),
			'instructions'	=> __('Leave blank for no limit','acf'),
			'type'			=> 'number',
			'name'			=> 'maxlength',
		));
		
		
		// rows
		acf_render_field_setting( $field, array(
			'label'			=> __('Rows','acf'),
			'instructions'	=> __('Sets the textarea height','acf'),
			'type'			=> 'number',
			'name'			=> 'rows',
			'placeholder'	=> 8
		));
		
		
		// formatting
		acf_render_field_setting( $field, array(
			'label'			=> __('New Lines','acf'),
			'instructions'	=> __('Controls how new lines are rendered','acf'),
			'type'			=> 'select',
			'name'			=> 'new_lines',
			'choices'		=> array(
				'wpautop'		=> __("Automatically add paragraphs",'acf'),
				'br'			=> __("Automatically add &lt;br&gt;",'acf'),
				''				=> __("No Formatting",'acf')
			)
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is applied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value or not for template
		if( empty($value) || !is_string($value) ) {
			
			return $value;
		
		}
				
		
		// new lines
		if( $field['new_lines'] == 'wpautop' ) {
			
			$value = wpautop($value);
			
		} elseif( $field['new_lines'] == 'br' ) {
			
			$value = nl2br($value);
			
		}
		
		
		// return
		return $value;
	}
	
	/**
	 * validate_value
	 *
	 * Validates a field's value.
	 *
	 * @date	29/1/19
	 * @since	5.7.11
	 *
	 * @param	(bool|string) Whether the value is vaid or not.
	 * @param	mixed $value The field value.
	 * @param	array $field The field array.
	 * @param	string $input The HTML input name.
	 * @return	(bool|string)
	 */
	function validate_value( $valid, $value, $field, $input ){
		
		// Check maxlength.
		// Note: Due to the way strlen (and mb_strlen) work, line breaks count as two characters in PHP, but not in Javascript (or HTML). 
		// To avoid incorrectly calculating the length, replace double line breaks. 
		if( $field['maxlength'] && mb_strlen(str_replace("\r\n", "\n", wp_unslash($value))) > $field['maxlength'] ) {
			return sprintf( __('Value must not exceed %d characters', 'acf'), $field['maxlength'] );
		}
		
		// Return.
		return $valid;
	}
}


// initialize
acf_register_field_type( 'acf_field_textarea' );

endif; // class_exists check

?>PK�[�QQ'includes/fields/class-acf-field-url.phpnu�[���<?php

if( ! class_exists('acf_field_url') ) :

class acf_field_url extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'url';
		$this->label = __("Url",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'placeholder'	=> '',
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array();
		$keys = array( 'type', 'id', 'class', 'name', 'value', 'placeholder', 'pattern' );
		$keys2 = array( 'readonly', 'disabled', 'required' );
		$html = '';
		
		
		// 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 );
		
		
		// render
		$html .= '<div class="acf-input-wrap acf-url">';
		$html .= '<i class="acf-icon -globe -small"></i>' . acf_get_text_input( $atts ) ;
		$html .= '</div>';
		
		
		// return
		echo $html;
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if empty		
		if( empty($value) ) {
				
			return $valid;
			
		}
		
		
		if( strpos($value, '://') !== false ) {
			
			// url
			
		} elseif( strpos($value, '//') === 0 ) {
			
			// protocol relative url
			
		} else {
			
			$valid = __('Value must be a valid URL', 'acf');
			
		}
		
		
		// return		
		return $valid;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_url' );

endif; // class_exists check

?>PK�[�4$$)includes/fields/class-acf-field-image.phpnu�[���<?php

if( ! class_exists('acf_field_image') ) :

class acf_field_image extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'image';
		$this->label = __("Image",'acf');
		$this->category = 'content';
		$this->defaults = array(
			'return_format'	=> 'array',
			'preview_size'	=> 'medium',
			'library'		=> 'all',
			'min_width'		=> 0,
			'min_height'	=> 0,
			'min_size'		=> 0,
			'max_width'		=> 0,
			'max_height'	=> 0,
			'max_size'		=> 0,
			'mime_types'	=> ''
		);
		
		// filters
		add_filter('get_media_item_args',				array($this, 'get_media_item_args'));
    
    }
    
    
    /*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
		   	'Select Image'	=> __('Select Image', 'acf'),
			'Edit Image'	=> __('Edit Image', 'acf'),
			'Update Image'	=> __('Update Image', 'acf'),
			'All images'	=> __('All images', 'acf'),
	   	));
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$uploader = acf_get_setting('uploader');
		
		
		// enqueue
		if( $uploader == 'wp' ) {
			acf_enqueue_uploader();
		}
		
		
		// vars
		$url = '';
		$alt = '';
		$div = array(
			'class'					=> 'acf-image-uploader',
			'data-preview_size'		=> $field['preview_size'],
			'data-library'			=> $field['library'],
			'data-mime_types'		=> $field['mime_types'],
			'data-uploader'			=> $uploader
		);
		
		
		// has value?
		if( $field['value'] ) {
			
			// update vars
			$url = wp_get_attachment_image_src($field['value'], $field['preview_size']);
			$alt = get_post_meta($field['value'], '_wp_attachment_image_alt', true);
			
			
			// url exists
			if( $url ) $url = $url[0];
			
			
			// url exists
			if( $url ) {
				$div['class'] .= ' has-value';
			}
						
		}
		
		
		// get size of preview value
		$size = acf_get_image_size($field['preview_size']);
		
?>
<div <?php acf_esc_attr_e( $div ); ?>>
	<?php acf_hidden_input(array( 'name' => $field['name'], 'value' => $field['value'] )); ?>
	<div class="show-if-value image-wrap" <?php if( $size['width'] ): ?>style="<?php echo esc_attr('max-width: '.$size['width'].'px'); ?>"<?php endif; ?>>
		<img data-name="image" src="<?php echo esc_url($url); ?>" alt="<?php echo esc_attr($alt); ?>"/>
		<div class="acf-actions -hover">
			<?php 
			if( $uploader != 'basic' ): 
			?><a class="acf-icon -pencil dark" data-name="edit" href="#" title="<?php _e('Edit', 'acf'); ?>"></a><?php 
			endif;
			?><a class="acf-icon -cancel dark" data-name="remove" href="#" title="<?php _e('Remove', 'acf'); ?>"></a>
		</div>
	</div>
	<div class="hide-if-value">
		<?php if( $uploader == 'basic' ): ?>
			
			<?php if( $field['value'] && !is_numeric($field['value']) ): ?>
				<div class="acf-error-message"><p><?php echo acf_esc_html($field['value']); ?></p></div>
			<?php endif; ?>
			
			<label class="acf-basic-uploader">
				<?php acf_file_input(array( 'name' => $field['name'], 'id' => $field['id'] )); ?>
			</label>
			
		<?php else: ?>
			
			<p><?php _e('No image selected','acf'); ?> <a data-name="add" class="acf-button button" href="#"><?php _e('Add Image','acf'); ?></a></p>
			
		<?php endif; ?>
	</div>
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// clear numeric settings
		$clear = array(
			'min_width',
			'min_height',
			'min_size',
			'max_width',
			'max_height',
			'max_size'
		);
		
		foreach( $clear as $k ) {
			
			if( empty($field[$k]) ) {
				
				$field[$k] = '';
				
			}
			
		}
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'array'			=> __("Image Array",'acf'),
				'url'			=> __("Image URL",'acf'),
				'id'			=> __("Image ID",'acf')
			)
		));
		
		
		// preview_size
		acf_render_field_setting( $field, array(
			'label'			=> __('Preview Size','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'preview_size',
			'choices'		=> acf_get_image_sizes()
		));
		
		
		// library
		acf_render_field_setting( $field, array(
			'label'			=> __('Library','acf'),
			'instructions'	=> __('Limit the media library choice','acf'),
			'type'			=> 'radio',
			'name'			=> 'library',
			'layout'		=> 'horizontal',
			'choices' 		=> array(
				'all'			=> __('All', 'acf'),
				'uploadedTo'	=> __('Uploaded to post', 'acf')
			)
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum','acf'),
			'instructions'	=> __('Restrict which images can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'min_width',
			'prepend'		=> __('Width', 'acf'),
			'append'		=> 'px',
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'min_height',
			'prepend'		=> __('Height', 'acf'),
			'append'		=> 'px',
			'_append' 		=> 'min_width'
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'min_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
			'_append' 		=> 'min_width'
		));	
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum','acf'),
			'instructions'	=> __('Restrict which images can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'max_width',
			'prepend'		=> __('Width', 'acf'),
			'append'		=> 'px',
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'max_height',
			'prepend'		=> __('Height', 'acf'),
			'append'		=> 'px',
			'_append' 		=> 'max_width'
		));
		
		acf_render_field_setting( $field, array(
			'label'			=> '',
			'type'			=> 'text',
			'name'			=> 'max_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
			'_append' 		=> 'max_width'
		));	
		
		
		// allowed type
		acf_render_field_setting( $field, array(
			'label'			=> __('Allowed file types','acf'),
			'instructions'	=> __('Comma separated list. Leave blank for all types','acf'),
			'type'			=> 'text',
			'name'			=> 'mime_types',
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// bail early if not numeric (error message)
		if( !is_numeric($value) ) return false;
		
		
		// convert to int
		$value = intval($value);
		
		
		// format
		if( $field['return_format'] == 'url' ) {
		
			return wp_get_attachment_url( $value );
			
		} elseif( $field['return_format'] == 'array' ) {
			
			return acf_get_attachment( $value );
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  get_media_item_args
	*
	*  description
	*
	*  @type	function
	*  @date	27/01/13
	*  @since	3.6.0
	*
	*  @param	$vars (array)
	*  @return	$vars
	*/
	
	function get_media_item_args( $vars ) {
	
	    $vars['send'] = true;
	    return($vars);
	    
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		return acf_get_field_type('file')->update_value( $value, $post_id, $field );
		
	}
	
	
	/*
	*  validate_value
	*
	*  This function will validate a basic file input
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		return acf_get_field_type('file')->validate_value( $valid, $value, $field, $input );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_image' );

endif; // class_exists check

?>PK�[P��..(includes/fields/class-acf-field-user.phpnu�[���<?php

if( ! class_exists('acf_field_user') ) :

class acf_field_user extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'user';
		$this->label = __("User",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'role' 			=> '',
			'multiple' 		=> 0,
			'allow_null' 	=> 0,
			'return_format'	=> 'array',
		);
		
		
		// extra
		add_action('wp_ajax_acf/fields/user/query',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/user/query',	array($this, 'ajax_query'));
    	
	}

	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		acf_send_ajax_results($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $options = array() ) {
		
		// defaults
   		$options = acf_parse_args($options, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 1
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) return false;
		
		
   		// vars
   		$results = array();
   		$args = array();
   		$s = false;
   		$is_search = false;
   		
		
		// paged
   		$args['users_per_page'] = 20;
   		$args['paged'] = $options['paged'];
   		
   		
   		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
			
			// update vars
			$args['s'] = $s;
			$is_search = true;
			
		}
		
		
		// role
		if( !empty($field['role']) ) {
		
			$args['role'] = acf_get_array( $field['role'] );
			
		}
		
		
		// search
		if( $is_search ) {
			
			// append to $args
			$args['search'] = '*' . $options['s'] . '*';
			
			
			// add reference
			$this->field = $field;
			
			
			// add filter to modify search colums
			add_filter('user_search_columns', array($this, 'user_search_columns'), 10, 3);
			
		}
		
		
		// filters
		$args = apply_filters("acf/fields/user/query",							$args, $field, $options['post_id']);
		$args = apply_filters("acf/fields/user/query/name={$field['_name']}",	$args, $field, $options['post_id']);
		$args = apply_filters("acf/fields/user/query/key={$field['key']}",		$args, $field, $options['post_id']);
		
		
		// get users
		$groups = acf_get_grouped_users( $args );
		
		
		// loop
		if( !empty($groups) ) {
			
			foreach( array_keys($groups) as $group_title ) {
				
				// vars
				$users = acf_extract_var( $groups, $group_title );
				$data = array(
					'text'		=> $group_title,
					'children'	=> array()
				);
				
				
				// append users
				foreach( array_keys($users) as $user_id ) {
					
					$users[ $user_id ] = $this->get_result( $users[ $user_id ], $field, $options['post_id'] );
					
				};
				
				
				// order by search
				if( $is_search && empty($args['orderby']) ) {
					
					$users = acf_order_by_search( $users, $args['s'] );
					
				}
				
				
				// append to $data
				foreach( $users as $id => $title ) {
					
					$data['children'][] = array(
						'id'	=> $id,
						'text'	=> $title
					);
					
				}
				
				
				// append to $r
				$results[] = $data;
				
			}
			
			// optgroup or single
			if( !empty($args['role']) && count($args['role']) == 1 ) {
				$results = $results[0]['children'];
			}
		}
		
		
		// vars
		$response = array(
			'results'	=> $results,
			'limit'		=> $args['users_per_page']
		);
		
		
		// return
		return $response;
		
	}
	
	
	
	/*
	*  get_result
	*
	*  This function returns the HTML for a result
	*
	*  @type	function
	*  @date	1/11/2013
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$field (array)
	*  @param	$post_id (int) the post_id to which this value is saved to
	*  @return	(string)
	*/
	
	function get_result( $user, $field, $post_id = 0 ) {
		
		// get post_id
		if( !$post_id ) $post_id = acf_get_form_data('post_id');
		
		
		// vars
		$result = $user->user_login;
		
		
		// append name
		if( $user->first_name ) {
			
			$result .= ' (' .  $user->first_name;
			
			if( $user->last_name ) {
				
				$result .= ' ' . $user->last_name;
				
			}
			
			$result .= ')';
			
		}
		
		
		// filters
		$result = apply_filters("acf/fields/user/result",							$result, $user, $field, $post_id);
		$result = apply_filters("acf/fields/user/result/name={$field['_name']}",	$result, $user, $field, $post_id);
		$result = apply_filters("acf/fields/user/result/key={$field['key']}",		$result, $user, $field, $post_id);
		
		
		// return
		return $result;
		
	}
	
	
	/*
	*  user_search_columns
	*
	*  This function will modify the columns which the user AJAX search looks in
	*
	*  @type	function
	*  @date	17/06/2014
	*  @since	5.0.0
	*
	*  @param	$columns (array)
	*  @return	$columns
	*/
	
	function user_search_columns( $columns, $search, $WP_User_Query ) {
		
		// bail early if no field
		if( empty($this->field) ) {
			
			return $columns;
			
		}
		
		
		// vars
		$field = $this->field;
		
		
		// filter for 3rd party customization
		$columns = apply_filters("acf/fields/user/search_columns", 							$columns, $search, $WP_User_Query, $field);
		$columns = apply_filters("acf/fields/user/search_columns/name={$field['_name']}",	$columns, $search, $WP_User_Query, $field);
		$columns = apply_filters("acf/fields/user/search_columns/key={$field['key']}",		$columns, $search, $WP_User_Query, $field);
		
		
		// return
		return $columns;
		
	}
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - an array holding all the field's data
	*/
	
	function render_field( $field ) {
		
		// Change Field into a select.
		$field['type'] = 'select';
		$field['ui'] = 1;
		$field['ajax'] = 1;
		$field['choices'] = array();
		
		// Populate choices.
		if( $field['value'] ) {
			
			// Clean value into an array of IDs.
			$user_ids = array_map('intval', acf_array($field['value']));
			
			// Find users in database (ensures all results are real).
			$users = acf_get_users(array(
				'include' => $user_ids
			));
			
			// Append.
			if( $users ) {
				foreach( $users as $user ) {
					$field['choices'][ $user->ID ] = $this->get_result( $user, $field );
				}
			}			
		}
		
		// Render.
		acf_render_field( $field );
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by role','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'role',
			'choices'		=> acf_get_pretty_user_roles(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All user roles",'acf'),
		));
		
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// multiple
		acf_render_field_setting( $field, array(
			'label'			=> __('Select multiple values?','acf'),
			'instructions'	=> '',
			'name'			=> 'multiple',
			'type'			=> 'true_false',
			'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',
		));
		
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Format array of values.
		// - ensure each value is an id.
		// - Parse each id as string for SQL LIKE queries.
		if( acf_is_sequential_array($value) ) {
			$value = array_map('acf_idval', $value);
			$value = array_map('strval', $value);
		
		// Parse single value for id.
		} else {
			$value = acf_idval( $value );
		}
		
		// Return value.
		return $value;
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// ACF4 null
		if( $value === 'null' ) {
		
			return false;
			
		}
		
		
		// return
		return $value;
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( !$value ) {
			return false;
		}
		
		// Clean value into an array of IDs.
		$user_ids = array_map('intval', acf_array($value));
		
		// Find users in database (ensures all results are real).
		$users = acf_get_users(array(
			'include' => $user_ids
		));
		
		// Bail early if no users found.
		if( !$users ) {
			return false;
		}
		
		// Format values using field settings.
		$value = array();
		foreach( $users as $user ) {
			
			// Return object.
			if( $field['return_format'] == 'object' ) {
				$item = $user;
				
			// Return array.		
			} elseif( $field['return_format'] == 'array' ) {
				$item = array(
					'ID'				=> $user->ID,
					'user_firstname'	=> $user->user_firstname,
					'user_lastname'		=> $user->user_lastname,
					'nickname'			=> $user->nickname,
					'user_nicename'		=> $user->user_nicename,
					'display_name'		=> $user->display_name,
					'user_email'		=> $user->user_email,
					'user_url'			=> $user->user_url,
					'user_registered'	=> $user->user_registered,
					'user_description'	=> $user->user_description,
					'user_avatar'		=> get_avatar( $user->ID ),
				);
				
			// Return ID.		
			} else {
				$item = $user->ID;
			}
			
			// Append item
			$value[] = $item;
		}
		
		// Convert to single.
		if( !$field['multiple'] ) {
			$value = array_shift( $value );
		}
		
		// Return.
		return $value;
	}	
}


// initialize
acf_register_field_type( 'acf_field_user' );

endif; // class_exists check

?>PK�[)��
�
+includes/fields/class-acf-field-message.phpnu�[���<?php

if( ! class_exists('acf_field_message') ) :

class acf_field_message extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'message';
		$this->label = __("Message",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'message'		=> '',
			'esc_html'		=> 0,
			'new_lines'		=> 'wpautop',
		);
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$m = $field['message'];
		
		
		// wptexturize (improves "quotes")
		$m = wptexturize( $m );
		
		
		// esc_html
		if( $field['esc_html'] ) {
			
			$m = esc_html( $m );
			
		}
		
		
		// new lines
		if( $field['new_lines'] == 'wpautop' ) {
			
			$m = wpautop($m);
			
		} elseif( $field['new_lines'] == 'br' ) {
			
			$m = nl2br($m);
			
		}
		
		
		// return
		echo acf_esc_html( $m );
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Message','acf'),
			'instructions'	=> '',
			'type'			=> 'textarea',
			'name'			=> 'message',
		));
		
		
		// formatting
		acf_render_field_setting( $field, array(
			'label'			=> __('New Lines','acf'),
			'instructions'	=> __('Controls how new lines are rendered','acf'),
			'type'			=> 'select',
			'name'			=> 'new_lines',
			'choices'		=> array(
				'wpautop'		=> __("Automatically add paragraphs",'acf'),
				'br'			=> __("Automatically add &lt;br&gt;",'acf'),
				''				=> __("No Formatting",'acf')
			)
		));
		
		
		// HTML
		acf_render_field_setting( $field, array(
			'label'			=> __('Escape HTML','acf'),
			'instructions'	=> __('Allow HTML markup to display as visible text instead of rendering','acf'),
			'name'			=> 'esc_html',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		// translate
		$field['message'] = acf_translate( $field['message'] );
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	function load_field( $field ) {
		
		// remove name to avoid caching issue
		$field['name'] = '';
		
		// remove instructions
		$field['instructions'] = '';
		
		// remove required to avoid JS issues
		$field['required'] = 0;
		
		// set value other than 'null' to avoid ACF loading / caching issue
		$field['value'] = false;
		
		// return
		return $field;
	}
	
}


// initialize
acf_register_field_type( 'acf_field_message' );

endif; // class_exists check

?>PK�[?��t�N�N,includes/fields/class-acf-field-taxonomy.phpnu�[���<?php

if( ! class_exists('acf_field_taxonomy') ) :

class acf_field_taxonomy extends acf_field {
	
	// vars
	var $save_post_terms = array();
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'taxonomy';
		$this->label = __("Taxonomy",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'taxonomy' 			=> 'category',
			'field_type' 		=> 'checkbox',
			'multiple'			=> 0,
			'allow_null' 		=> 0,
			//'load_save_terms' 	=> 0, // removed in 5.2.7
			'return_format'		=> 'id',
			'add_term'			=> 1, // 5.2.3
			'load_terms'		=> 0, // 5.2.7	
			'save_terms'		=> 0 // 5.2.7
		);
		
		
		// ajax
		add_action('wp_ajax_acf/fields/taxonomy/query',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/taxonomy/query',	array($this, 'ajax_query'));
		add_action('wp_ajax_acf/fields/taxonomy/add_term',		array($this, 'ajax_add_term'));
		
		
		// actions
		add_action('acf/save_post', array($this, 'save_post'), 15, 1);
    	
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		acf_send_ajax_results($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $options = array() ) {
		
   		// defaults
   		$options = acf_parse_args($options, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 0
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) return false;
		
		
		// bail early if taxonomy does not exist
		if( !taxonomy_exists($field['taxonomy']) ) return false;
		
		
		// vars
   		$results = array();
		$is_hierarchical = is_taxonomy_hierarchical( $field['taxonomy'] );
		$is_pagination = ($options['paged'] > 0);
		$is_search = false;
		$limit = 20;
		$offset = 20 * ($options['paged'] - 1);
		
		
		// args
		$args = array(
			'taxonomy'		=> $field['taxonomy'],
			'hide_empty'	=> false
		);
		
		
		// pagination
		// - don't bother for hierarchial terms, we will need to load all terms anyway
		if( $is_pagination && !$is_hierarchical ) {
			
			$args['number'] = $limit;
			$args['offset'] = $offset;
		
		}
		
		
		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
			
			// update vars
			$args['search'] = $s;
			$is_search = true;
			
		}
		
		
		// filters
		$args = apply_filters('acf/fields/taxonomy/query', $args, $field, $options['post_id']);
		$args = apply_filters('acf/fields/taxonomy/query/name=' . $field['name'], $args, $field, $options['post_id'] );
		$args = apply_filters('acf/fields/taxonomy/query/key=' . $field['key'], $args, $field, $options['post_id'] );
		
		
		// get terms
		$terms = acf_get_terms( $args );
		
		
		// sort into hierachial order!
		if( $is_hierarchical ) {
			
			// update vars
			$limit = acf_maybe_get( $args, 'number', $limit );
			$offset = acf_maybe_get( $args, 'offset', $offset );
			
			
			// get parent
			$parent = acf_maybe_get( $args, 'parent', 0 );
			$parent = acf_maybe_get( $args, 'child_of', $parent );
			
			
			// this will fail if a search has taken place because parents wont exist
			if( !$is_search ) {
				
				// order terms
				$ordered_terms = _get_term_children( $parent, $terms, $field['taxonomy'] );
				
				
				// check for empty array (possible if parent did not exist within original data)
				if( !empty($ordered_terms) ) {
					
					$terms = $ordered_terms;
					
				}
			}
			
			
			// fake pagination
			if( $is_pagination ) {
				
				$terms = array_slice($terms, $offset, $limit);
				
			}
			
		}
		
		
		/// append to r
		foreach( $terms as $term ) {
		
			// add to json
			$results[] = array(
				'id'	=> $term->term_id,
				'text'	=> $this->get_term_title( $term, $field, $options['post_id'] )
			);
			
		}
		
		
		// vars
		$response = array(
			'results'	=> $results,
			'limit'		=> $limit
		);
		
		
		// return
		return $response;
			
	}
	
	
	/*
	*  get_term_title
	*
	*  This function returns the HTML for a result
	*
	*  @type	function
	*  @date	1/11/2013
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$field (array)
	*  @param	$post_id (int) the post_id to which this value is saved to
	*  @return	(string)
	*/
	
	function get_term_title( $term, $field, $post_id = 0 ) {
		
		// get post_id
		if( !$post_id ) $post_id = acf_get_form_data('post_id');
		
		
		// vars
		$title = '';
		
		
		// ancestors
		$ancestors = get_ancestors( $term->term_id, $field['taxonomy'] );
		
		if( !empty($ancestors) ) {
		
			$title .= str_repeat('- ', count($ancestors));
			
		}
		
		
		// title
		$title .= $term->name;
				
		
		// filters
		$title = apply_filters('acf/fields/taxonomy/result', $title, $term, $field, $post_id);
		$title = apply_filters('acf/fields/taxonomy/result/name=' . $field['_name'] , $title, $term, $field, $post_id);
		$title = apply_filters('acf/fields/taxonomy/result/key=' . $field['key'], $title, $term, $field, $post_id);
		
		
		// return
		return $title;
	}
	
	
	/*
	*  get_terms
	*
	*  This function will return an array of terms for a given field value
	*
	*  @type	function
	*  @date	13/06/2014
	*  @since	5.0.0
	*
	*  @param	$value (array)
	*  @return	$value
	*/
	
	function get_terms( $value, $taxonomy = 'category' ) {
		
		// load terms in 1 query to save multiple DB calls from following code
		if( count($value) > 1 ) {
			
			$terms = acf_get_terms(array(
				'taxonomy'		=> $taxonomy,
				'include'		=> $value,
				'hide_empty'	=> false
			));
			
		}
		
		
		// update value to include $post
		foreach( array_keys($value) as $i ) {
			
			$value[ $i ] = get_term( $value[ $i ], $taxonomy );
			
		}
		
		
		// filter out null values
		$value = array_filter($value);
		
		
		// return
		return $value;
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is appied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value found in the database
	*  @param	$post_id - the $post_id from which the value was loaded from
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the value to be saved in te database
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// get valid terms
		$value = acf_get_valid_terms($value, $field['taxonomy']);
		
		
		// load_terms
		if( $field['load_terms'] ) {
			
			// get terms
			$info = acf_get_post_id_info($post_id);
			$term_ids = wp_get_object_terms($info['id'], $field['taxonomy'], array('fields' => 'ids', 'orderby' => 'none'));
			
			
			// bail early if no terms
			if( empty($term_ids) || is_wp_error($term_ids) ) return false;
			
			
			// sort
			if( !empty($value) ) {
				
				$order = array();
				
				foreach( $term_ids as $i => $v ) {
					
					$order[ $i ] = array_search($v, $value);
					
				}
				
				array_multisort($order, $term_ids);
				
			}
			
			
			// update value
			$value = $term_ids;
						
		}
		
		
		// convert back from array if neccessary
		if( $field['field_type'] == 'select' || $field['field_type'] == 'radio' ) {
			
			$value = array_shift($value);
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// vars
		if( is_array($value) ) {
		
			$value = array_filter($value);
			
		}
		
		
		// save_terms
		if( $field['save_terms'] ) {
			
			// vars
			$taxonomy = $field['taxonomy'];
			
			
			// force value to array
			$term_ids = acf_get_array( $value );
			
			
			// convert to int
			$term_ids = array_map('intval', $term_ids);
			
			
			// get existing term id's (from a previously saved field)
			$old_term_ids = isset($this->save_post_terms[ $taxonomy ]) ? $this->save_post_terms[ $taxonomy ] : array();
			
			
			// append
			$this->save_post_terms[ $taxonomy ] = array_merge($old_term_ids, $term_ids);
			
			
			// if called directly from frontend update_field()
			if( !did_action('acf/save_post') ) {
				
				$this->save_post( $post_id );
				
				return $value;
				
			}
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  save_post
	*
	*  This function will save any terms in the save_post_terms array
	*
	*  @type	function
	*  @date	26/11/2014
	*  @since	5.0.9
	*
	*  @param	$post_id (int)
	*  @return	n/a
	*/
	
	function save_post( $post_id ) {
		
		// bail ealry if no terms
		if( empty($this->save_post_terms) ) return;
		
		
		// vars
		$info = acf_get_post_id_info($post_id);
		
		
		// loop
		foreach( $this->save_post_terms as $taxonomy => $term_ids ){
			
			// save
			wp_set_object_terms( $info['id'], $term_ids, $taxonomy, false );
			
		}
		
		
		// reset array ( WP saves twice )
		$this->save_post_terms = array();
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// force value to array
		$value = acf_get_array( $value );
		
		
		// load posts if needed
		if( $field['return_format'] == 'object' ) {
			
			// get posts
			$value = $this->get_terms( $value, $field["taxonomy"] );
		
		}
		
		
		// convert back from array if neccessary
		if( $field['field_type'] == 'select' || $field['field_type'] == 'radio' ) {
			
			$value = array_shift($value);
			
		}
		

		// return
		return $value;
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - an array holding all the field's data
	*/
	
	function render_field( $field ) {
		
		// force value to array
		$field['value'] = acf_get_array( $field['value'] );
		
		
		// vars
		$div = array(
			'class'				=> 'acf-taxonomy-field',
			'data-save'			=> $field['save_terms'],
			'data-ftype'		=> $field['field_type'],
			'data-taxonomy'		=> $field['taxonomy'],
			'data-allow_null'	=> $field['allow_null']
		);
		
		
		// get taxonomy
		$taxonomy = get_taxonomy( $field['taxonomy'] );
		
		
		// bail early if taxonomy does not exist
		if( !$taxonomy ) return;
		
		
		?>
<div <?php acf_esc_attr_e($div); ?>>
	<?php if( $field['add_term'] && current_user_can( $taxonomy->cap->manage_terms) ): ?>
	<div class="acf-actions -hover">
		<a href="#" class="acf-icon -plus acf-js-tooltip small" data-name="add" title="<?php echo esc_attr($taxonomy->labels->add_new_item); ?>"></a>
	</div>
	<?php endif;

	if( $field['field_type'] == 'select' ) {
	
		$field['multiple'] = 0;
		
		$this->render_field_select( $field );
	
	} elseif( $field['field_type'] == 'multi_select' ) {
		
		$field['multiple'] = 1;
		
		$this->render_field_select( $field );
	
	} elseif( $field['field_type'] == 'radio' ) {
		
		$this->render_field_checkbox( $field );
		
	} elseif( $field['field_type'] == 'checkbox' ) {
	
		$this->render_field_checkbox( $field );
		
	}

	?>
</div><?php
		
	}
	
	
	/*
	*  render_field_select()
	*
	*  Create the HTML interface for your field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - an array holding all the field's data
	*/
	
	function render_field_select( $field ) {
		
		// Change Field into a select
		$field['type'] = 'select';
		$field['ui'] = 1;
		$field['ajax'] = 1;
		$field['choices'] = array();
		
		
		// value
		if( !empty($field['value']) ) {
			
			// get terms
			$terms = $this->get_terms( $field['value'], $field['taxonomy'] );
			
			
			// set choices
			if( !empty($terms) ) {
				
				foreach( array_keys($terms) as $i ) {
					
					// vars
					$term = acf_extract_var( $terms, $i );
					
					
					// append to choices
					$field['choices'][ $term->term_id ] = $this->get_term_title( $term, $field );
				
				}
				
			}
			
		}
		
		
		// render select		
		acf_render_field( $field );
		
	}
	
	
	/*
	*  render_field_checkbox()
	*
	*  Create the HTML interface for your field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - an array holding all the field's data
	*/
	
	function render_field_checkbox( $field ) {
		
		// hidden input
		acf_hidden_input(array(
			'type'	=> 'hidden',
			'name'	=> $field['name'],
		));
		
		
		// checkbox saves an array
		if( $field['field_type'] == 'checkbox' ) {
		
			$field['name'] .= '[]';
			
		}
		
		
		// taxonomy
		$taxonomy_obj = get_taxonomy($field['taxonomy']);
		
		
		// include walker
		acf_include('includes/walkers/class-acf-walker-taxonomy-field.php');
		
		
		// vars
		$args = array(
			'taxonomy'     		=> $field['taxonomy'],
			'show_option_none'	=> sprintf( _x('No %s', 'No terms', 'acf'), strtolower($taxonomy_obj->labels->name) ),
			'hide_empty'   		=> false,
			'style'        		=> 'none',
			'walker'       		=> new ACF_Taxonomy_Field_Walker( $field ),
		);
		
		
		// filter for 3rd party customization
		$args = apply_filters('acf/fields/taxonomy/wp_list_categories', $args, $field);
		$args = apply_filters('acf/fields/taxonomy/wp_list_categories/name=' . $field['_name'], $args, $field);
		$args = apply_filters('acf/fields/taxonomy/wp_list_categories/key=' . $field['key'], $args, $field);
		
		?>
<div class="categorychecklist-holder">
	<ul class="acf-checkbox-list acf-bl">
		<?php wp_list_categories( $args ); ?>
	</ul>
</div>
		<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Taxonomy','acf'),
			'instructions'	=> __('Select the taxonomy to be displayed','acf'),
			'type'			=> 'select',
			'name'			=> 'taxonomy',
			'choices'		=> acf_get_taxonomy_labels(),
		));
		
		
		// field_type
		acf_render_field_setting( $field, array(
			'label'			=> __('Appearance','acf'),
			'instructions'	=> __('Select the appearance of this field','acf'),
			'type'			=> 'select',
			'name'			=> 'field_type',
			'optgroup'		=> true,
			'choices'		=> array(
				__("Multiple Values",'acf') => array(
					'checkbox' => __('Checkbox', 'acf'),
					'multi_select' => __('Multi Select', 'acf')
				),
				__("Single Value",'acf') => array(
					'radio' => __('Radio Buttons', 'acf'),
					'select' => _x('Select', 'noun', 'acf')
				)
			)
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'conditions'	=> array(
				'field'		=> 'field_type',
				'operator'	=> '!=',
				'value'		=> 'checkbox'
			)
		));
		
		
		// add_term
		acf_render_field_setting( $field, array(
			'label'			=> __('Create Terms','acf'),
			'instructions'	=> __('Allow new terms to be created whilst editing','acf'),
			'name'			=> 'add_term',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// save_terms
		acf_render_field_setting( $field, array(
			'label'			=> __('Save Terms','acf'),
			'instructions'	=> __('Connect selected terms to the post','acf'),
			'name'			=> 'save_terms',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// load_terms
		acf_render_field_setting( $field, array(
			'label'			=> __('Load Terms','acf'),
			'instructions'	=> __('Load value from posts terms','acf'),
			'name'			=> 'load_terms',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'choices'		=> array(
				'object'		=>	__("Term Object",'acf'),
				'id'			=>	__("Term ID",'acf')
			),
			'layout'	=>	'horizontal',
		));
		
	}
	
	
	/*
	*  ajax_add_term
	*
	*  description
	*
	*  @type	function
	*  @date	17/04/2015
	*  @since	5.2.3
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_add_term() {
		
		// vars
		$args = wp_parse_args($_POST, array(
			'nonce'				=> '',
			'field_key'			=> '',
			'term_name'			=> '',
			'term_parent'		=> ''
		));
		
		// verify nonce
		if( !acf_verify_ajax() ) {
			die();
		}		
		
		// load field
		$field = acf_get_field( $args['field_key'] );
		if( !$field ) {
			die();
		}
		
		// vars
		$taxonomy_obj = get_taxonomy($field['taxonomy']);
		$taxonomy_label = $taxonomy_obj->labels->singular_name;
			
		// validate cap
		// note: this situation should never occur due to condition of the add new button
		if( !current_user_can( $taxonomy_obj->cap->manage_terms) ) {
			wp_send_json_error(array(
				'error'	=> sprintf( __('User unable to add new %s', 'acf'), $taxonomy_label )
			));
		}
		
		// save?
		if( $args['term_name'] ) {
			
			// exists
			if( term_exists($args['term_name'], $field['taxonomy'], $args['term_parent']) ) {
				wp_send_json_error(array(
					'error'	=> sprintf( __('%s already exists', 'acf'), $taxonomy_label )
				));
			}
			
			// vars
			$extra = array();
			if( $args['term_parent'] ) {
				$extra['parent'] = (int) $args['term_parent'];
			}
			
			// insert
			$data = wp_insert_term( $args['term_name'], $field['taxonomy'], $extra );
			
			// error
			if( is_wp_error($data) ) {
				wp_send_json_error(array(
					'error'	=> $data->get_error_message()
				));
			}
			
			// load term
			$term = get_term($data['term_id']);
			
			// prepend ancenstors count to term name
			$prefix = '';
			$ancestors = get_ancestors( $term->term_id, $term->taxonomy );
			if( !empty($ancestors) ) {
				$prefix = str_repeat('- ', count($ancestors));
			}
		
			// success
			wp_send_json_success(array(
				'message'		=> sprintf( __('%s added', 'acf'), $taxonomy_label ),
				'term_id'		=> $term->term_id,
				'term_name'		=> $term->name,
				'term_label'	=> $prefix . $term->name,
				'term_parent'	=> $term->parent
			));
				
		}
		
		?><form method="post"><?php
		
		acf_render_field_wrap(array(
			'label'			=> __('Name', 'acf'),
			'name'			=> 'term_name',
			'type'			=> 'text'
		));
		
		
		if( is_taxonomy_hierarchical( $field['taxonomy'] ) ) {
			
			$choices = array();
			$response = $this->get_ajax_query($args);
			
			if( $response ) {
				
				foreach( $response['results'] as $v ) { 
					
					$choices[ $v['id'] ] = $v['text'];
					
				}
				
			}
			
			acf_render_field_wrap(array(
				'label'			=> __('Parent', 'acf'),
				'name'			=> 'term_parent',
				'type'			=> 'select',
				'allow_null'	=> 1,
				'ui'			=> 0,
				'choices'		=> $choices
			));
			
		}
		
		
		?><p class="acf-submit">
			<button class="acf-submit-button button button-primary" type="submit"><?php _e("Add", 'acf'); ?></button>
		</p>
		</form><?php
		
		
		// die
		die;	
		
	}
	
		
}


// initialize
acf_register_field_type( 'acf_field_taxonomy' );

endif; // class_exists check

?>PK�[�S{�#�#(includes/fields/class-acf-field-file.phpnu�[���<?php

if( ! class_exists('acf_field_file') ) :

class acf_field_file extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'file';
		$this->label = __("File",'acf');
		$this->category = 'content';
		$this->defaults = array(
			'return_format'	=> 'array',
			'library' 		=> 'all',
			'min_size'		=> 0,
			'max_size'		=> 0,
			'mime_types'	=> ''
		);
		
		// filters
		add_filter('get_media_item_args', array($this, 'get_media_item_args'));
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
		   	'Select File'	=> __('Select File', 'acf'),
			'Edit File'		=> __('Edit File', 'acf'),
			'Update File'	=> __('Update File', 'acf'),
	   	));
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$uploader = acf_get_setting('uploader');
		
		
		// allow custom uploader
		$uploader = acf_maybe_get($field, 'uploader', $uploader);
		
		
		// enqueue
		if( $uploader == 'wp' ) {
			acf_enqueue_uploader();
		}
		
		
		// vars
		$o = array(
			'icon'		=> '',
			'title'		=> '',
			'url'		=> '',
			'filename'	=> '',
			'filesize'	=> ''
		);
		
		$div = array(
			'class'				=> 'acf-file-uploader',
			'data-library' 		=> $field['library'],
			'data-mime_types'	=> $field['mime_types'],
			'data-uploader'		=> $uploader
		);
		
		
		// has value?
		if( $field['value'] ) {
			
			$attachment = acf_get_attachment($field['value']);
			if( $attachment ) {
				
				// has value
				$div['class'] .= ' has-value';
				
				// update
				$o['icon'] = $attachment['icon'];
				$o['title']	= $attachment['title'];
				$o['url'] = $attachment['url'];
				$o['filename'] = $attachment['filename'];
				if( $attachment['filesize'] ) {
					$o['filesize'] = size_format($attachment['filesize']);
				}
			}		
		}
				
?>
<div <?php acf_esc_attr_e( $div ); ?>>
	<?php acf_hidden_input(array( 'name' => $field['name'], 'value' => $field['value'], 'data-name' => 'id' )); ?>
	<div class="show-if-value file-wrap">
		<div class="file-icon">
			<img data-name="icon" src="<?php echo esc_url($o['icon']); ?>" alt=""/>
		</div>
		<div class="file-info">
			<p>
				<strong data-name="title"><?php echo esc_html($o['title']); ?></strong>
			</p>
			<p>
				<strong><?php _e('File name', 'acf'); ?>:</strong>
				<a data-name="filename" href="<?php echo esc_url($o['url']); ?>" target="_blank"><?php echo esc_html($o['filename']); ?></a>
			</p>
			<p>
				<strong><?php _e('File size', 'acf'); ?>:</strong>
				<span data-name="filesize"><?php echo esc_html($o['filesize']); ?></span>
			</p>
		</div>
		<div class="acf-actions -hover">
			<?php 
			if( $uploader != 'basic' ): 
			?><a class="acf-icon -pencil dark" data-name="edit" href="#" title="<?php _e('Edit', 'acf'); ?>"></a><?php 
			endif;
			?><a class="acf-icon -cancel dark" data-name="remove" href="#" title="<?php _e('Remove', 'acf'); ?>"></a>
		</div>
	</div>
	<div class="hide-if-value">
		<?php if( $uploader == 'basic' ): ?>
			
			<?php if( $field['value'] && !is_numeric($field['value']) ): ?>
				<div class="acf-error-message"><p><?php echo acf_esc_html($field['value']); ?></p></div>
			<?php endif; ?>
			
			<label class="acf-basic-uploader">
				<?php acf_file_input(array( 'name' => $field['name'], 'id' => $field['id'] )); ?>
			</label>
			
		<?php else: ?>
			
			<p><?php _e('No file selected','acf'); ?> <a data-name="add" class="acf-button button" href="#"><?php _e('Add File','acf'); ?></a></p>
			
		<?php endif; ?>
		
	</div>
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// clear numeric settings
		$clear = array(
			'min_size',
			'max_size'
		);
		
		foreach( $clear as $k ) {
			
			if( empty($field[$k]) ) {
				
				$field[$k] = '';
				
			}
			
		}
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> __('Specify the returned value on front end','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'array'			=> __("File Array",'acf'),
				'url'			=> __("File URL",'acf'),
				'id'			=> __("File ID",'acf')
			)
		));
		
		
		// library
		acf_render_field_setting( $field, array(
			'label'			=> __('Library','acf'),
			'instructions'	=> __('Limit the media library choice','acf'),
			'type'			=> 'radio',
			'name'			=> 'library',
			'layout'		=> 'horizontal',
			'choices' 		=> array(
				'all'			=> __('All', 'acf'),
				'uploadedTo'	=> __('Uploaded to post', 'acf')
			)
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum','acf'),
			'instructions'	=> __('Restrict which files can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'min_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum','acf'),
			'instructions'	=> __('Restrict which files can be uploaded','acf'),
			'type'			=> 'text',
			'name'			=> 'max_size',
			'prepend'		=> __('File size', 'acf'),
			'append'		=> 'MB',
		));
		
		
		// allowed type
		acf_render_field_setting( $field, array(
			'label'			=> __('Allowed file types','acf'),
			'instructions'	=> __('Comma separated list. Leave blank for all types','acf'),
			'type'			=> 'text',
			'name'			=> 'mime_types',
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// bail early if not numeric (error message)
		if( !is_numeric($value) ) return false;
		
		
		// convert to int
		$value = intval($value);
		
		
		// format
		if( $field['return_format'] == 'url' ) {
		
			return wp_get_attachment_url($value);
			
		} elseif( $field['return_format'] == 'array' ) {
			
			return acf_get_attachment( $value );
		}
		
		
		// return
		return $value;
	}
	
	
	/*
	*  get_media_item_args
	*
	*  description
	*
	*  @type	function
	*  @date	27/01/13
	*  @since	3.6.0
	*
	*  @param	$vars (array)
	*  @return	$vars
	*/
	
	function get_media_item_args( $vars ) {
	
	    $vars['send'] = true;
	    return($vars);
	    
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Parse value for id.
		$attachment_id = acf_idval( $value );
		
		// Connect attacment to post.
		acf_connect_attachment_to_post( $attachment_id, $post_id );
		
		// Return id.
		return $attachment_id;
	}
		
	
	
	/*
	*  validate_value
	*
	*  This function will validate a basic file input
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if empty		
		if( empty($value) ) return $valid;
		
		
		// bail ealry if is numeric
		if( is_numeric($value) ) return $valid;
		
		
		// bail ealry if not basic string
		if( !is_string($value) ) return $valid;
		
		
		// decode value
		$file = null;
		parse_str($value, $file);
		
		
		// bail early if no attachment
		if( empty($file) ) return $valid;
		
		
		// get errors
		$errors = acf_validate_attachment( $file, $field, 'basic_upload' );
		
		
		// append error
		if( !empty($errors) ) {
			
			$valid = implode("\n", $errors);
			
		}
		
		
		// return		
		return $valid;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_file' );

endif; // class_exists check

?>PK�[�՞�

'includes/fields/class-acf-field-tab.phpnu�[���<?php

if( ! class_exists('acf_field_tab') ) :

class acf_field_tab extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'tab';
		$this->label = __("Tab",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'placement'	=> 'top',
			'endpoint'	=> 0 // added in 5.2.8
		);
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array(
			'href'				=> '',
			'class'				=> 'acf-tab-button',
			'data-placement'	=> $field['placement'],
			'data-endpoint'		=> $field['endpoint'],
			'data-key'			=> $field['key']
		);
		
		?>
		<a <?php acf_esc_attr_e( $atts ); ?>><?php echo acf_esc_html($field['label']); ?></a>
		<?php
		
		
	}
	
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
/*
		// message
		$message = '';
		$message .= '<p>' . __( 'Use "Tab Fields" to better organize your edit screen by grouping fields together.', 'acf') . '</p>';
		$message .= '<p>' . __( '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.','acf') . '</p>';
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Instructions','acf'),
			'instructions'	=> '',
			'name'			=> 'notes',
			'type'			=> 'message',
			'message'		=> $message,
		));
*/
		
		
		// preview_size
		acf_render_field_setting( $field, array(
			'label'			=> __('Placement','acf'),
			'type'			=> 'select',
			'name'			=> 'placement',
			'choices' 		=> array(
				'top'			=>	__("Top aligned", 'acf'),
				'left'			=>	__("Left aligned", 'acf'),
			)
		));
		
		
		// endpoint
		acf_render_field_setting( $field, array(
			'label'			=> __('Endpoint','acf'),
			'instructions'	=> __('Define an endpoint for the previous tabs to stop. This will start a new group of tabs.', 'acf'),
			'name'			=> 'endpoint',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
				
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	function load_field( $field ) {
		
		// remove name to avoid caching issue
		$field['name'] = '';
		
		// remove instructions
		$field['instructions'] = '';
		
		// remove required to avoid JS issues
		$field['required'] = 0;
		
		// set value other than 'null' to avoid ACF loading / caching issue
		$field['value'] = false;
		
		// return
		return $field;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_tab' );

endif; // class_exists check

?>PK�[����,�,,includes/fields/class-acf-field-checkbox.phpnu�[���<?php

if( ! class_exists('acf_field_checkbox') ) :

class acf_field_checkbox extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'checkbox';
		$this->label = __("Checkbox",'acf');
		$this->category = 'choice';
		$this->defaults = array(
			'layout'			=> 'vertical',
			'choices'			=> array(),
			'default_value'		=> '',
			'allow_custom'		=> 0,
			'save_custom'		=> 0,
			'toggle'			=> 0,
			'return_format'		=> 'value'
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field (array) the $field being rendered
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field (array) the $field being edited
	*  @return	n/a
	*/
	
	function render_field( $field ) {
		
		// reset vars
		$this->_values = array();
		$this->_all_checked = true;
		
		
		// ensure array
		$field['value'] = acf_get_array($field['value']);
		$field['choices'] = acf_get_array($field['choices']);
		
		
		// hiden input
		acf_hidden_input( array('name' => $field['name']) );
		
		
		// vars
		$li = '';
		$ul = array( 
			'class' => 'acf-checkbox-list',
		);
		
		
		// append to class
		$ul['class'] .= ' ' . ($field['layout'] == 'horizontal' ? 'acf-hl' : 'acf-bl');
		$ul['class'] .= ' ' . $field['class'];
		
		
		// checkbox saves an array
		$field['name'] .= '[]';
		
		
		// choices
		if( !empty($field['choices']) ) {
			
			// choices
			$li .= $this->render_field_choices( $field );
			
			
			// toggle
			if( $field['toggle'] ) {
				$li = $this->render_field_toggle( $field ) . $li;
			}
			
		}
		
		
		// custom
		if( $field['allow_custom'] ) {
			$li .= $this->render_field_custom( $field );
		}
		
		
		// return
		echo '<ul ' . acf_esc_attr( $ul ) . '>' . "\n" . $li . '</ul>' . "\n";
		
	}
	
	
	/*
	*  render_field_choices
	*
	*  description
	*
	*  @type	function
	*  @date	15/7/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_choices( $field ) {
		
		// walk
		return $this->walk( $field['choices'], $field );
		
	}
	
	
	/*
	*  render_field_toggle
	*
	*  description
	*
	*  @type	function
	*  @date	15/7/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_toggle( $field ) {
		
		// vars
		$atts = array(
			'type'	=> 'checkbox',
			'class'	=> 'acf-checkbox-toggle',
			'label'	=> __("Toggle All", 'acf')
		);
		
		
		// custom label
		if( is_string($field['toggle']) ) {
			$atts['label'] = $field['toggle'];
		}
		
		
		// checked
		if( $this->_all_checked ) {
			$atts['checked'] = 'checked';
		}
		
		
		// return
		return '<li>' . acf_get_checkbox_input($atts) . '</li>' . "\n";
		
	}
	
	
	/*
	*  render_field_custom
	*
	*  description
	*
	*  @type	function
	*  @date	15/7/17
	*  @since	5.6.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_custom( $field ) {
		
		// vars
		$html = '';
		
		
		// loop
		foreach( $field['value'] as $value ) {
			
			// ignore if already eixsts
			if( isset($field['choices'][ $value ]) ) continue;
			
			
			// vars
			$esc_value = esc_attr($value);
			$text_input = array(
				'name'	=> $field['name'],
				'value'	=> $value,
			);
			
			
			// bail ealry if choice already exists
			if( in_array( $esc_value, $this->_values ) ) continue;
			
			
			// append
			$html .= '<li><input class="acf-checkbox-custom" type="checkbox" checked="checked" />' . acf_get_text_input($text_input) . '</li>' . "\n";
			
		}
		
		
		// append button
		$html .= '<li><a href="#" class="button acf-add-checkbox">' . esc_attr__('Add new choice', 'acf') . '</a></li>' . "\n";
		
		
		// return
		return $html;
		
	}
	
	
	function walk( $choices = array(), $args = array(), $depth = 0 ) {
		
		// bail ealry if no choices
		if( empty($choices) ) return '';
		
		
		// defaults
		$args = wp_parse_args($args, array(
			'id'		=> '',
			'type'		=> 'checkbox',
			'name'		=> '',
			'value'		=> array(),
			'disabled'	=> array(),
		));
		
		
		// vars
		$html = '';
		
		
		// sanitize values for 'selected' matching
		if( $depth == 0 ) {
			$args['value'] = array_map('esc_attr', $args['value']);
			$args['disabled'] = array_map('esc_attr', $args['disabled']);
		}
		
		
		// loop
		foreach( $choices as $value => $label ) {
			
			// open
			$html .= '<li>';
			
			
			// optgroup
			if( is_array($label) ){
				
				$html .= '<ul>' . "\n";
				$html .= $this->walk( $label, $args, $depth+1 );
				$html .= '</ul>';
			
			// option	
			} else {
				
				// vars
				$esc_value = esc_attr($value);
				$atts = array(
					'id'	=> $args['id'] . '-' . str_replace(' ', '-', $value),
					'type'	=> $args['type'],
					'name'	=> $args['name'],
					'value' => $value,
					'label' => $label,
				);
				
				
				// selected
				if( in_array( $esc_value, $args['value'] ) ) {
					$atts['checked'] = 'checked';
				} else {
					$this->_all_checked = false;
				}
				
				
				// disabled
				if( in_array( $esc_value, $args['disabled'] ) ) {
					$atts['disabled'] = 'disabled';
				}
				
				
				// store value added
				$this->_values[] = $esc_value;
				
				
				// append
				$html .= acf_get_checkbox_input($atts);
				
			}
			
			
			// close
			$html .= '</li>' . "\n";
			
		}
		
		
		// return
		return $html;
		
	}
	
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// encode choices (convert from array)
		$field['choices'] = acf_encode_choices($field['choices']);
		$field['default_value'] = acf_encode_choices($field['default_value'], false);
				
		
		// choices
		acf_render_field_setting( $field, array(
			'label'			=> __('Choices','acf'),
			'instructions'	=> __('Enter each choice on a new line.','acf') . '<br /><br />' . __('For more control, you may specify both a value and label like this:','acf'). '<br /><br />' . __('red : Red','acf'),
			'type'			=> 'textarea',
			'name'			=> 'choices',
		));	
		
		
		// other_choice
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Custom','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_custom',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'message'		=> __("Allow 'custom' values to be added", 'acf'),
		));
		
		
		// save_other_choice
		acf_render_field_setting( $field, array(
			'label'			=> __('Save Custom','acf'),
			'instructions'	=> '',
			'name'			=> 'save_custom',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'message'		=> __("Save 'custom' values to the field's choices", 'acf'),
			'conditions'	=> array(
				'field'		=> 'allow_custom',
				'operator'	=> '==',
				'value'		=> 1
			)
		));
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Enter each default value on a new line','acf'),
			'type'			=> 'textarea',
			'name'			=> 'default_value',
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal', 
			'choices'		=> array(
				'vertical'		=> __("Vertical",'acf'), 
				'horizontal'	=> __("Horizontal",'acf')
			)
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Toggle','acf'),
			'instructions'	=> __('Prepend an extra checkbox to toggle all choices','acf'),
			'name'			=> 'toggle',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> __('Specify the returned value on front end','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'value'			=> __('Value','acf'),
				'label'			=> __('Label','acf'),
				'array'			=> __('Both (Array)','acf')
			)
		));		
		
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the field group ID (post_type = acf)
	*
	*  @return	$field - the modified field
	*/

	function update_field( $field ) {
		
		return acf_get_field_type('select')->update_field( $field );
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if is empty
		if( empty($value) ) return $value;
		
		
		// select -> update_value()
		$value = acf_get_field_type('select')->update_value( $value, $post_id, $field );
		
		
		// save_other_choice
		if( $field['save_custom'] ) {
			
			// get raw $field (may have been changed via repeater field)
			// if field is local, it won't have an ID
			$selector = $field['ID'] ? $field['ID'] : $field['key'];
			$field = acf_get_field( $selector, true );
			
			
			// bail early if no ID (JSON only)
			if( !$field['ID'] ) return $value;
			
			
			// loop
			foreach( $value as $v ) {
				
				// ignore if already eixsts
				if( isset($field['choices'][ $v ]) ) continue;
				
				
				// unslash (fixes serialize single quote issue)
				$v = wp_unslash($v);
				
				
				// sanitize (remove tags)
				$v = sanitize_text_field($v);
				
				
				// append
				$field['choices'][ $v ] = $v;
				
			}
			
			
			// save
			acf_update_field( $field );
			
		}		
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		return acf_get_field_type('select')->translate_field( $field );
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// Bail early if is empty.
		if( acf_is_empty($value) ) {
			return array();
		}
		
		// Always convert to array of items.
		$value = acf_array($value);
		
		// Return.
		return acf_get_field_type('select')->format_value( $value, $post_id, $field );
	}
	
}


// initialize
acf_register_field_type( 'acf_field_checkbox' );

endif; // class_exists check

?>PK�[SIa�,�,+includes/fields/class-acf-field-wysiwyg.phpnu�[���<?php

if( ! class_exists('acf_field_wysiwyg') ) :

class acf_field_wysiwyg extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'wysiwyg';
		$this->label = __("Wysiwyg Editor",'acf');
		$this->category = 'content';
		$this->defaults = array(
			'tabs'			=> 'all',
			'toolbar'		=> 'full',
			'media_upload' 	=> 1,
			'default_value'	=> '',
			'delay'			=> 0
		);
    	
    	
    	// add acf_the_content filters
    	$this->add_filters();
    	
    	// actions
    	add_action('acf/enqueue_uploader', array($this, 'acf_enqueue_uploader'));
	}
	
	
	/*
	*  add_filters
	*
	*  This function will add filters to 'acf_the_content'
	*
	*  @type	function
	*  @date	20/09/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function add_filters() {
		
		// wp-includes/class-wp-embed.php
		if(	!empty($GLOBALS['wp_embed']) ) {
		
			add_filter( 'acf_the_content', array( $GLOBALS['wp_embed'], 'run_shortcode' ), 8 );
			add_filter( 'acf_the_content', array( $GLOBALS['wp_embed'], 'autoembed' ), 8 );
			
		}
		
		
		// wp-includes/default-filters.php
		add_filter( 'acf_the_content', 'capital_P_dangit', 11 );
		add_filter( 'acf_the_content', 'wptexturize' );
		add_filter( 'acf_the_content', 'convert_smilies', 20 );
		
		// Removed in 4.4
		if( acf_version_compare('wp', '<', '4.4') ) {
			add_filter( 'acf_the_content', 'convert_chars' );
		}
		
		add_filter( 'acf_the_content', 'wpautop' );
		add_filter( 'acf_the_content', 'shortcode_unautop' );
		
		
		// should only be for the_content (causes double image on attachment page)
		//add_filter( 'acf_the_content', 'prepend_attachment' ); 
		
		
		// Added in 4.4
		if( function_exists('wp_make_content_images_responsive') ) {
			add_filter( 'acf_the_content', 'wp_make_content_images_responsive' );
		}
		
		add_filter( 'acf_the_content', 'do_shortcode', 11);
		
	}
	
	
	/*
	*  get_toolbars
	*
	*  This function will return an array of toolbars for the WYSIWYG field
	*
	*  @type	function
	*  @date	18/04/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
   	function get_toolbars() {
		
		// vars
		$editor_id = 'acf_content';
		$toolbars = array();
		
		
		// mce buttons (Full)
		$mce_buttons = array( 'formatselect', 'bold', 'italic', 'bullist', 'numlist', 'blockquote', 'alignleft', 'aligncenter', 'alignright', 'link', 'wp_more', 'spellchecker', 'fullscreen', 'wp_adv' );
		$mce_buttons_2 = array( 'strikethrough', 'hr', 'forecolor', 'pastetext', 'removeformat', 'charmap', 'outdent', 'indent', 'undo', 'redo', 'wp_help' );
		
		// mce buttons (Basic)
		$teeny_mce_buttons = array('bold', 'italic', 'underline', 'blockquote', 'strikethrough', 'bullist', 'numlist', 'alignleft', 'aligncenter', 'alignright', 'undo', 'redo', 'link', 'fullscreen');
		
		
		// WP < 4.7	
		if( acf_version_compare('wp', '<', '4.7') ) {
		
			$mce_buttons = array( 'bold', 'italic', 'strikethrough', 'bullist', 'numlist', 'blockquote', 'hr', 'alignleft', 'aligncenter', 'alignright', 'link', 'unlink', 'wp_more', 'spellchecker', 'fullscreen', 'wp_adv' );
			$mce_buttons_2 = array( 'formatselect', 'underline', 'alignjustify', 'forecolor', 'pastetext', 'removeformat', 'charmap', 'outdent', 'indent', 'undo', 'redo', 'wp_help' );
		}
		
		
		// Full
   		$toolbars['Full'] = array(
   			1 => apply_filters('mce_buttons',	$mce_buttons,	$editor_id),
   			2 => apply_filters('mce_buttons_2', $mce_buttons_2,	$editor_id),
   			3 => apply_filters('mce_buttons_3', array(),		$editor_id),
   			4 => apply_filters('mce_buttons_4', array(),		$editor_id)
   		);
	   	
	   	
   		// Basic
   		$toolbars['Basic'] = array(
   			1 => apply_filters('teeny_mce_buttons', $teeny_mce_buttons, $editor_id)
   		);
   		
   		
   		// Filter for 3rd party
   		$toolbars = apply_filters( 'acf/fields/wysiwyg/toolbars', $toolbars );
   		
   		
   		// return
	   	return $toolbars;
	   	
   	}
   	
   	
   	/*
	*  acf_enqueue_uploader
	*
	*  Registers toolbars data for the WYSIWYG field.
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	void
	*  @return	void
	*/
	
	function acf_enqueue_uploader() {
		
		// vars
		$data = array();
		$toolbars = $this->get_toolbars();
		
		// loop
		if( $toolbars ) {
		foreach( $toolbars as $label => $rows ) {
			
			// vars
			$key = $label;
			$key = sanitize_title( $key );
			$key = str_replace('-', '_', $key);
			
			
			// append
			$data[ $key ] = array();
			
			if( $rows ) {
				foreach( $rows as $i => $row ) { 
					$data[ $key ][ $i ] = implode(',', $row);
				}
			}
		}}
		
		// localize
	   	acf_localize_data(array(
		   	'toolbars'	=> $data
	   	));
	}
   	
   	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// enqueue
		acf_enqueue_uploader();
		
		
		// vars
		$id = uniqid('acf-editor-');
		$default_editor = 'html';
		$show_tabs = true;
		$button = '';
		
		
		// get height
		$height = acf_get_user_setting('wysiwyg_height', 300);
		$height = max( $height, 300 ); // minimum height is 300
		
		
		// detect mode
		if( !user_can_richedit() ) {
			
			$show_tabs = false;
			
		} elseif( $field['tabs'] == 'visual' ) {
			
			// case: visual tab only
			$default_editor = 'tinymce';
			$show_tabs = false;
			
		} elseif( $field['tabs'] == 'text' ) {
			
			// case: text tab only
			$show_tabs = false;
			
		} elseif( wp_default_editor() == 'tinymce' ) {
			
			// case: both tabs
			$default_editor = 'tinymce';
			
		}
		
		
		// must be logged in tp upload
		if( !current_user_can('upload_files') ) {
			
			$field['media_upload'] = 0;
			
		}
		
		
		// mode
		$switch_class = ($default_editor === 'html') ? 'html-active' : 'tmce-active';
		
		
		// filter value for editor
		remove_filter( 'acf_the_editor_content', 'format_for_editor', 10, 2 );
		remove_filter( 'acf_the_editor_content', 'wp_htmledit_pre', 10, 1 );
		remove_filter( 'acf_the_editor_content', 'wp_richedit_pre', 10, 1 );
		
		
		// WP 4.3
		if( acf_version_compare('wp', '>=', '4.3') ) {
			
			add_filter( 'acf_the_editor_content', 'format_for_editor', 10, 2 );
			
			$button = 'data-wp-editor-id="' . $id . '"';
			
		// WP < 4.3
		} else {
			
			$function = ($default_editor === 'html') ? 'wp_htmledit_pre' : 'wp_richedit_pre';
			
			add_filter('acf_the_editor_content', $function, 10, 1);
			
			$button = 'onclick="switchEditors.switchto(this);"';
			
		}
		
		
		// filter
		$field['value'] = apply_filters( 'acf_the_editor_content', $field['value'], $default_editor );
		
		
		// attr
		$wrap = array(
			'id'			=> 'wp-' . $id . '-wrap',
			'class'			=> 'acf-editor-wrap wp-core-ui wp-editor-wrap ' . $switch_class,
			'data-toolbar'	=> $field['toolbar']
		);
		
		
		// delay
		if( $field['delay'] ) {
			$wrap['class'] .= ' delay';
		}
		
		
		// vars
		$textarea = acf_get_textarea_input(array(
			'id'	=> $id,
			'class'	=> 'wp-editor-area',
			'name'	=> $field['name'],
			'style'	=> $height ? "height:{$height}px;" : '',
			'value'	=> '%s'
		));
		
		?>
		<div <?php acf_esc_attr_e($wrap); ?>>
			<div id="wp-<?php echo $id; ?>-editor-tools" class="wp-editor-tools hide-if-no-js">
				<?php if( $field['media_upload'] ): ?>
				<div id="wp-<?php echo $id; ?>-media-buttons" class="wp-media-buttons">
					<?php do_action( 'media_buttons', $id ); ?>
				</div>
				<?php endif; ?>
				<?php if( user_can_richedit() && $show_tabs ): ?>
					<div class="wp-editor-tabs">
						<button id="<?php echo $id; ?>-tmce" class="wp-switch-editor switch-tmce" <?php echo $button; ?> type="button"><?php echo __('Visual', 'acf'); ?></button>
						<button id="<?php echo $id; ?>-html" class="wp-switch-editor switch-html" <?php echo $button; ?> type="button"><?php echo _x( 'Text', 'Name for the Text editor tab (formerly HTML)', 'acf' ); ?></button>
					</div>
				<?php endif; ?>
			</div>
			<div id="wp-<?php echo $id; ?>-editor-container" class="wp-editor-container">
				<?php if( $field['delay'] ): ?>
					<div class="acf-editor-toolbar"><?php _e('Click to initialize TinyMCE', 'acf'); ?></div>
				<?php endif; ?>
				<?php printf( $textarea, $field['value'] ); ?>
			</div>
		</div>
		<?php
				
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// vars
		$toolbars = $this->get_toolbars();
		$choices = array();
		
		if( !empty($toolbars) ) {
		
			foreach( $toolbars as $k => $v ) {
				
				$label = $k;
				$name = sanitize_title( $label );
				$name = str_replace('-', '_', $name);
				
				$choices[ $name ] = $label;
			}
		}
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'textarea',
			'name'			=> 'default_value',
		));
		
		
		// tabs
		acf_render_field_setting( $field, array(
			'label'			=> __('Tabs','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'tabs',
			'choices'		=> array(
				'all'			=>	__("Visual & Text",'acf'),
				'visual'		=>	__("Visual Only",'acf'),
				'text'			=>	__("Text Only",'acf'),
			)
		));
		
		
		// toolbar
		acf_render_field_setting( $field, array(
			'label'			=> __('Toolbar','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'toolbar',
			'choices'		=> $choices,
			'conditions'	=> array(
				'field'		=> 'tabs',
				'operator'	=> '!=',
				'value'		=> 'text'
			)
		));
		
		
		// media_upload
		acf_render_field_setting( $field, array(
			'label'			=> __('Show Media Upload Buttons?','acf'),
			'instructions'	=> '',
			'name'			=> 'media_upload',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// delay
		acf_render_field_setting( $field, array(
			'label'			=> __('Delay initialization?','acf'),
			'instructions'	=> __('TinyMCE will not be initialized until field is clicked','acf'),
			'name'			=> 'delay',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'conditions'	=> array(
				'field'		=> 'tabs',
				'operator'	=> '!=',
				'value'		=> 'text'
			)
		));

	}
		
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) {
			
			return $value;
		
		}
		
		
		// apply filters
		$value = apply_filters( 'acf_the_content', $value );
		
		
		// follow the_content function in /wp-includes/post-template.php
		$value = str_replace(']]>', ']]&gt;', $value);
		
	
		return $value;
	}
	
}


// initialize
acf_register_field_type( 'acf_field_wysiwyg' );

endif; // class_exists check

?>PK�[o%Ð?�?0includes/fields/class-acf-field-relationship.phpnu�[���<?php

if( ! class_exists('acf_field_relationship') ) :

class acf_field_relationship extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'relationship';
		$this->label = __("Relationship",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'post_type'			=> array(),
			'taxonomy'			=> array(),
			'min' 				=> 0,
			'max' 				=> 0,
			'filters'			=> array('search', 'post_type', 'taxonomy'),
			'elements' 			=> array(),
			'return_format'		=> 'object'
		);
		
		// extra
		add_action('wp_ajax_acf/fields/relationship/query',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/relationship/query',	array($this, 'ajax_query'));
    	
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// localize
		acf_localize_text(array(
			//'Minimum values reached ( {min} values )'	=> __('Minimum values reached ( {min} values )', 'acf'),
			'Maximum values reached ( {max} values )'	=> __('Maximum values reached ( {max} values )', 'acf'),
			'Loading'									=> __('Loading', 'acf'),
			'No matches found'							=> __('No matches found', 'acf'),
	   	));
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		acf_send_ajax_results($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $options = array() ) {
		
   		// defaults
   		$options = wp_parse_args($options, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 1,
			'post_type'		=> '',
			'taxonomy'		=> ''
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) return false;
		
		
		// vars
   		$results = array();
		$args = array();
		$s = false;
		$is_search = false;
		
		
   		// paged
   		$args['posts_per_page'] = 20;
   		$args['paged'] = intval($options['paged']);
   		
   		
   		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
			
			// update vars
			$args['s'] = $s;
			$is_search = true;
			
		}
		
		
		// post_type
		if( !empty($options['post_type']) ) {
			
			$args['post_type'] = acf_get_array( $options['post_type'] );
		
		} elseif( !empty($field['post_type']) ) {
		
			$args['post_type'] = acf_get_array( $field['post_type'] );
			
		} else {
			
			$args['post_type'] = acf_get_post_types();
			
		}
		
		
		// taxonomy
		if( !empty($options['taxonomy']) ) {
			
			// vars
			$term = acf_decode_taxonomy_term($options['taxonomy']);
			
			
			// tax query
			$args['tax_query'] = array();
			
			
			// append
			$args['tax_query'][] = array(
				'taxonomy'	=> $term['taxonomy'],
				'field'		=> 'slug',
				'terms'		=> $term['term'],
			);
			
			
		} elseif( !empty($field['taxonomy']) ) {
			
			// vars
			$terms = acf_decode_taxonomy_terms( $field['taxonomy'] );
			
			
			// append to $args
			$args['tax_query'] = array(
				'relation' => 'OR',
			);
			
			
			// now create the tax queries
			foreach( $terms as $k => $v ) {
			
				$args['tax_query'][] = array(
					'taxonomy'	=> $k,
					'field'		=> 'slug',
					'terms'		=> $v,
				);
				
			}
			
		}	
		
		
		// filters
		$args = apply_filters('acf/fields/relationship/query', $args, $field, $options['post_id']);
		$args = apply_filters('acf/fields/relationship/query/name=' . $field['name'], $args, $field, $options['post_id'] );
		$args = apply_filters('acf/fields/relationship/query/key=' . $field['key'], $args, $field, $options['post_id'] );
		
		
		// get posts grouped by post type
		$groups = acf_get_grouped_posts( $args );
		
		
		// bail early if no posts
		if( empty($groups) ) return false;
		
		
		// loop
		foreach( array_keys($groups) as $group_title ) {
			
			// vars
			$posts = acf_extract_var( $groups, $group_title );
			
			
			// data
			$data = array(
				'text'		=> $group_title,
				'children'	=> array()
			);
			
			
			// convert post objects to post titles
			foreach( array_keys($posts) as $post_id ) {
				
				$posts[ $post_id ] = $this->get_post_title( $posts[ $post_id ], $field, $options['post_id'] );
				
			}
			
			
			// order posts by search
			if( $is_search && empty($args['orderby']) ) {
				
				$posts = acf_order_by_search( $posts, $args['s'] );
				
			}
			
			
			// append to $data
			foreach( array_keys($posts) as $post_id ) {
				
				$data['children'][] = $this->get_post_result( $post_id, $posts[ $post_id ]);
				
			}
			
			
			// append to $results
			$results[] = $data;
			
		}
		
		
		// add as optgroup or results
		if( count($args['post_type']) == 1 ) {
			
			$results = $results[0]['children'];
			
		}
		
		
		// vars
		$response = array(
			'results'	=> $results,
			'limit'		=> $args['posts_per_page']
		);
		
		
		// return
		return $response;
			
	}
	
	
	/*
	*  get_post_result
	*
	*  This function will return an array containing id, text and maybe description data
	*
	*  @type	function
	*  @date	7/07/2016
	*  @since	5.4.0
	*
	*  @param	$id (mixed)
	*  @param	$text (string)
	*  @return	(array)
	*/
	
	function get_post_result( $id, $text ) {
		
		// vars
		$result = array(
			'id'	=> $id,
			'text'	=> $text
		);
		
		
		// return
		return $result;
			
	}
	
	
	/*
	*  get_post_title
	*
	*  This function returns the HTML for a result
	*
	*  @type	function
	*  @date	1/11/2013
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$field (array)
	*  @param	$post_id (int) the post_id to which this value is saved to
	*  @return	(string)
	*/
	
	function get_post_title( $post, $field, $post_id = 0, $is_search = 0 ) {
		
		// get post_id
		if( !$post_id ) $post_id = acf_get_form_data('post_id');
		
		
		// vars
		$title = acf_get_post_title( $post, $is_search );
		
		
		// featured_image
		if( acf_in_array('featured_image', $field['elements']) ) {
			
			// vars
			$class = 'thumbnail';
			$thumbnail = acf_get_post_thumbnail($post->ID, array(17, 17));
			
			
			// icon
			if( $thumbnail['type'] == 'icon' ) {
				
				$class .= ' -' . $thumbnail['type'];
				
			}
			
			
			// append
			$title = '<div class="' . $class . '">' . $thumbnail['html'] . '</div>' . $title;
			
		}
		
		
		// filters
		$title = apply_filters('acf/fields/relationship/result', $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/relationship/result/name=' . $field['_name'], $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/relationship/result/key=' . $field['key'], $title, $post, $field, $post_id);
		
		
		// return
		return $title;
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$post_type = acf_get_array( $field['post_type'] );
		$taxonomy = acf_get_array( $field['taxonomy'] );
		$filters = acf_get_array( $field['filters'] );
		
		// filters
		$filter_count = count($filters);
		$filter_post_type_choices = array();
		$filter_taxonomy_choices = array();
		
		// post_type filter
		if( in_array('post_type', $filters) ) {
			
			$filter_post_type_choices = array(
				''	=> __('Select post type', 'acf')
			) + acf_get_pretty_post_types( $post_type );
		}
		
		// taxonomy filter
		if( in_array('taxonomy', $filters) ) {
			
			$term_choices = array();
			$filter_taxonomy_choices = array(
				''	=> __('Select taxonomy', 'acf')
			);
			
			// check for specific taxonomy setting
			if( $taxonomy ) {
				$terms = acf_get_encoded_terms( $taxonomy );
				$term_choices = acf_get_choices_from_terms( $terms, 'slug' );
			
			// if no terms were specified, find all terms
			} else {
				
				// restrict taxonomies by the post_type selected
				$term_args = array();
				if( $post_type ) {
					$term_args['taxonomy'] = acf_get_taxonomies(array(
						'post_type'	=> $post_type
					));
				}
				
				// get terms
				$terms = acf_get_grouped_terms( $term_args );
				$term_choices = acf_get_choices_from_grouped_terms( $terms, 'slug' );
			}
			
			// append term choices
			$filter_taxonomy_choices = $filter_taxonomy_choices + $term_choices;
			
		}
		
		// div attributes
		$atts = array(
			'id'				=> $field['id'],
			'class'				=> "acf-relationship {$field['class']}",
			'data-min'			=> $field['min'],
			'data-max'			=> $field['max'],
			'data-s'			=> '',
			'data-paged'		=> 1,
			'data-post_type'	=> '',
			'data-taxonomy'		=> '',
		);
		
		?>
<div <?php acf_esc_attr_e($atts); ?>>
	
	<?php acf_hidden_input( array('name' => $field['name'], 'value' => '') ); ?>
	
	<?php 
	
	/* filters */	
	if( $filter_count ): ?>
	<div class="filters -f<?php echo esc_attr($filter_count); ?>">
		<?php 
	
		/* search */	
		if( in_array('search', $filters) ): ?>
		<div class="filter -search">
			<span>
				<?php acf_text_input( array('placeholder' => __("Search...",'acf'), 'data-filter' => 's') ); ?>
			</span>
		</div>
		<?php endif; 
		
		
		/* post_type */	
		if( in_array('post_type', $filters) ): ?>
		<div class="filter -post_type">
			<span>
				<?php acf_select_input( array('choices' => $filter_post_type_choices, 'data-filter' => 'post_type') ); ?>
			</span>
		</div>
		<?php endif; 
		
		
		/* post_type */	
		if( in_array('taxonomy', $filters) ): ?>
		<div class="filter -taxonomy">
			<span>
				<?php acf_select_input( array('choices' => $filter_taxonomy_choices, 'data-filter' => 'taxonomy') ); ?>
			</span>
		</div>
		<?php endif; ?>		
	</div>
	<?php endif; ?>
	
	<div class="selection">
		<div class="choices">
			<ul class="acf-bl list choices-list"></ul>
		</div>
		<div class="values">
			<ul class="acf-bl list values-list">
			<?php if( !empty($field['value']) ): 
				
				// get posts
				$posts = acf_get_posts(array(
					'post__in' => $field['value'],
					'post_type'	=> $field['post_type']
				));
				
				
				// loop
				foreach( $posts as $post ): ?>
					<li>
						<?php acf_hidden_input( array('name' => $field['name'].'[]', 'value' => $post->ID) ); ?>
						<span data-id="<?php echo esc_attr($post->ID); ?>" class="acf-rel-item">
							<?php echo $this->get_post_title( $post, $field ); ?>
							<a href="#" class="acf-icon -minus small dark" data-name="remove_item"></a>
						</span>
					</li>
				<?php endforeach; ?>
			<?php endif; ?>
			</ul>
		</div>
	</div>
</div>
		<?php
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// vars
		$field['min'] = empty($field['min']) ? '' : $field['min'];
		$field['max'] = empty($field['max']) ? '' : $field['max'];
		
		
		// post_type
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Post Type','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'post_type',
			'choices'		=> acf_get_pretty_post_types(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All post types",'acf'),
		));
		
		
		// taxonomy
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Taxonomy','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'taxonomy',
			'choices'		=> acf_get_taxonomy_terms(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All taxonomies",'acf'),
		));
		
		
		// filters
		acf_render_field_setting( $field, array(
			'label'			=> __('Filters','acf'),
			'instructions'	=> '',
			'type'			=> 'checkbox',
			'name'			=> 'filters',
			'choices'		=> array(
				'search'		=> __("Search",'acf'),
				'post_type'		=> __("Post Type",'acf'),
				'taxonomy'		=> __("Taxonomy",'acf'),
			),
		));
		
		
		// filters
		acf_render_field_setting( $field, array(
			'label'			=> __('Elements','acf'),
			'instructions'	=> __('Selected elements will be displayed in each result','acf'),
			'type'			=> 'checkbox',
			'name'			=> 'elements',
			'choices'		=> array(
				'featured_image'	=> __("Featured Image",'acf'),
			),
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum posts','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum posts','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max',
		));
		
		
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'choices'		=> array(
				'object'		=> __("Post Object",'acf'),
				'id'			=> __("Post ID",'acf'),
			),
			'layout'	=>	'horizontal',
		));
		
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) {
		
			return $value;
			
		}
		
		
		// force value to array
		$value = acf_get_array( $value );
		
		
		// convert to int
		$value = array_map('intval', $value);
		
		
		// load posts if needed
		if( $field['return_format'] == 'object' ) {
			
			// get posts
			$value = acf_get_posts(array(
				'post__in' => $value,
				'post_type'	=> $field['post_type']
			));
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// default
		if( empty($value) || !is_array($value) ) {
		
			$value = array();
			
		}
		
		
		// min
		if( count($value) < $field['min'] ) {
		
			$valid = _n( '%s requires at least %s selection', '%s requires at least %s selections', $field['min'], 'acf' );
			$valid = sprintf( $valid, $field['label'], $field['min'] );
			
		}
		
		
		// return		
		return $valid;
		
	}
		
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Format array of values.
		// - ensure each value is an id.
		// - Parse each id as string for SQL LIKE queries.
		if( acf_is_sequential_array($value) ) {
			$value = array_map('acf_idval', $value);
			$value = array_map('strval', $value);
		
		// Parse single value for id.
		} else {
			$value = acf_idval( $value );
		}
		
		// Return value.
		return $value;
	}
		
}


// initialize
acf_register_field_type( 'acf_field_relationship' );

endif; // class_exists check

?>PK�[�`~M__*includes/fields/class-acf-field-output.phpnu�[���<?php

if( ! class_exists('acf_field_output') ) :

class acf_field_output extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'output';
		$this->label = 'output';
		$this->public = false;
		$this->defaults = array(
			'html'	=> false
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field (array) the $field being rendered
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field (array) the $field being edited
	*  @return	n/a
	*/
	
	function render_field( $field ) {
		
		// bail early if no html
		if( !$field['html'] ) return;
		
		
		// html
		if( is_string($field['html']) && !function_exists($field['html']) ) {
			
			echo $field['html'];
		
		// function	
		} else {
			
			call_user_func_array($field['html'], array($field));
			
		}
		
	}
		
}


// initialize
acf_register_field_type( 'acf_field_output' );

endif; // class_exists check

?>PK�[�ʼn{I-I-/includes/fields/class-acf-field-post_object.phpnu�[���<?php

if( ! class_exists('acf_field_post_object') ) :

class acf_field_post_object extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_object';
		$this->label = __("Post Object",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'post_type'		=> array(),
			'taxonomy'		=> array(),
			'allow_null' 	=> 0,
			'multiple'		=> 0,
			'return_format'	=> 'object',
			'ui'			=> 1,
		);
		
		
		// extra
		add_action('wp_ajax_acf/fields/post_object/query',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/post_object/query',	array($this, 'ajax_query'));
		
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		acf_send_ajax_results($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $options = array() ) {
		
   		// defaults
   		$options = acf_parse_args($options, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 1
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) return false;
		
		
		// vars
   		$results = array();
		$args = array();
		$s = false;
		$is_search = false;
		
		
   		// paged
   		$args['posts_per_page'] = 20;
   		$args['paged'] = $options['paged'];
   		
   		
   		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
			
			// update vars
			$args['s'] = $s;
			$is_search = true;
			
		}
		
				
		// post_type
		if( !empty($field['post_type']) ) {
		
			$args['post_type'] = acf_get_array( $field['post_type'] );
			
		} else {
			
			$args['post_type'] = acf_get_post_types();
			
		}
		
		
		// taxonomy
		if( !empty($field['taxonomy']) ) {
			
			// vars
			$terms = acf_decode_taxonomy_terms( $field['taxonomy'] );
			
			
			// append to $args
			$args['tax_query'] = array();
			
			
			// now create the tax queries
			foreach( $terms as $k => $v ) {
			
				$args['tax_query'][] = array(
					'taxonomy'	=> $k,
					'field'		=> 'slug',
					'terms'		=> $v,
				);
				
			}
			
		}
		
		
		// filters
		$args = apply_filters('acf/fields/post_object/query', $args, $field, $options['post_id']);
		$args = apply_filters('acf/fields/post_object/query/name=' . $field['name'], $args, $field, $options['post_id'] );
		$args = apply_filters('acf/fields/post_object/query/key=' . $field['key'], $args, $field, $options['post_id'] );
		
		
		// get posts grouped by post type
		$groups = acf_get_grouped_posts( $args );
		
		
		// bail early if no posts
		if( empty($groups) ) return false;
		
		
		// loop
		foreach( array_keys($groups) as $group_title ) {
			
			// vars
			$posts = acf_extract_var( $groups, $group_title );
			
			
			// data
			$data = array(
				'text'		=> $group_title,
				'children'	=> array()
			);
			
			
			// convert post objects to post titles
			foreach( array_keys($posts) as $post_id ) {
				
				$posts[ $post_id ] = $this->get_post_title( $posts[ $post_id ], $field, $options['post_id'], $is_search );
				
			}
			
			
			// order posts by search
			if( $is_search && empty($args['orderby']) ) {
				
				$posts = acf_order_by_search( $posts, $args['s'] );
				
			}
			
			
			// append to $data
			foreach( array_keys($posts) as $post_id ) {
				
				$data['children'][] = $this->get_post_result( $post_id, $posts[ $post_id ]);
				
			}
			
			
			// append to $results
			$results[] = $data;
			
		}
		
		
		// optgroup or single
		$post_type = acf_get_array( $args['post_type'] );
		if( count($post_type) == 1 ) {
			$results = $results[0]['children'];
		}
		
		
		// vars
		$response = array(
			'results'	=> $results,
			'limit'		=> $args['posts_per_page']
		);
		
		
		// return
		return $response;
			
	}
	
	
	/*
	*  get_post_result
	*
	*  This function will return an array containing id, text and maybe description data
	*
	*  @type	function
	*  @date	7/07/2016
	*  @since	5.4.0
	*
	*  @param	$id (mixed)
	*  @param	$text (string)
	*  @return	(array)
	*/
	
	function get_post_result( $id, $text ) {
		
		// vars
		$result = array(
			'id'	=> $id,
			'text'	=> $text
		);
		
		
		// look for parent
		$search = '| ' . __('Parent', 'acf') . ':';
		$pos = strpos($text, $search);
		
		if( $pos !== false ) {
			
			$result['description'] = substr($text, $pos+2);
			$result['text'] = substr($text, 0, $pos);
			
		}
		
		
		// return
		return $result;
			
	}
	
	
	/*
	*  get_post_title
	*
	*  This function returns the HTML for a result
	*
	*  @type	function
	*  @date	1/11/2013
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$field (array)
	*  @param	$post_id (int) the post_id to which this value is saved to
	*  @return	(string)
	*/
	
	function get_post_title( $post, $field, $post_id = 0, $is_search = 0 ) {
		
		// get post_id
		if( !$post_id ) $post_id = acf_get_form_data('post_id');
		
		
		// vars
		$title = acf_get_post_title( $post, $is_search );
			
		
		// filters
		$title = apply_filters('acf/fields/post_object/result', $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/post_object/result/name=' . $field['_name'], $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/post_object/result/key=' . $field['key'], $title, $post, $field, $post_id);
		
		
		// return
		return $title;
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// Change Field into a select
		$field['type'] = 'select';
		$field['ui'] = 1;
		$field['ajax'] = 1;
		$field['choices'] = array();
		
		
		// load posts
		$posts = $this->get_posts( $field['value'], $field );
		
		if( $posts ) {
				
			foreach( array_keys($posts) as $i ) {
				
				// vars
				$post = acf_extract_var( $posts, $i );
				
				
				// append to choices
				$field['choices'][ $post->ID ] = $this->get_post_title( $post, $field );
				
			}
			
		}

		
		// render
		acf_render_field( $field );
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Post Type','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'post_type',
			'choices'		=> acf_get_pretty_post_types(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All post types",'acf'),
		));
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Taxonomy','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'taxonomy',
			'choices'		=> acf_get_taxonomy_terms(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All taxonomies",'acf'),
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// multiple
		acf_render_field_setting( $field, array(
			'label'			=> __('Select multiple values?','acf'),
			'instructions'	=> '',
			'name'			=> 'multiple',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'choices'		=> array(
				'object'		=> __("Post Object",'acf'),
				'id'			=> __("Post ID",'acf'),
			),
			'layout'	=>	'horizontal',
		));
				
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// ACF4 null
		if( $value === 'null' ) return false;
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// numeric
		$value = acf_get_numeric($value);
		
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// load posts if needed
		if( $field['return_format'] == 'object' ) {
			
			$value = $this->get_posts( $value, $field );
			
		}
		
		
		// convert back from array if neccessary
		if( !$field['multiple'] && is_array($value) ) {
		
			$value = current($value);
			
		}
		
		
		// return value
		return $value;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Format array of values.
		// - ensure each value is an id.
		// - Parse each id as string for SQL LIKE queries.
		if( acf_is_sequential_array($value) ) {
			$value = array_map('acf_idval', $value);
			$value = array_map('strval', $value);
		
		// Parse single value for id.
		} else {
			$value = acf_idval( $value );
		}
		
		// Return value.
		return $value;
	}
	
	
	/*
	*  get_posts
	*
	*  This function will return an array of posts for a given field value
	*
	*  @type	function
	*  @date	13/06/2014
	*  @since	5.0.0
	*
	*  @param	$value (array)
	*  @return	$value
	*/
	
	function get_posts( $value, $field ) {
		
		// numeric
		$value = acf_get_numeric($value);
		
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// get posts
		$posts = acf_get_posts(array(
			'post__in'	=> $value,
			'post_type'	=> $field['post_type']
		));
		
		
		// return
		return $posts;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_post_object' );

endif; // class_exists check

?>PK�[C�)\\0includes/fields/class-acf-field-button-group.phpnu�[���<?php

if( ! class_exists('acf_field_button_group') ) :

class acf_field_button_group extends acf_field {
	
	
	/**
	*  initialize()
	*
	*  This function will setup the field type data
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	 
	function initialize() {
		
		// vars
		$this->name = 'button_group';
		$this->label = __("Button Group",'acf');
		$this->category = 'choice';
		$this->defaults = array(
			'choices'			=> array(),
			'default_value'		=> '',
			'allow_null' 		=> 0,
			'return_format'		=> 'value',
			'layout'			=> 'horizontal',
		);
		
	}
	
	
	/**
	*  render_field()
	*
	*  Creates the field's input HTML
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	array $field The field settings array
	*  @return	n/a
	*/
	
	function render_field( $field ) {
		
		// vars
		$html = '';
		$selected = null;
		$buttons = array();
		$value = esc_attr( $field['value'] );
		
		
		// bail ealrly if no choices
		if( empty($field['choices']) ) return;
		
		
		// buttons
		foreach( $field['choices'] as $_value => $_label ) {
			
			// checked
			$checked = ( $value === esc_attr($_value) );
			if( $checked ) $selected = true;
			
			
			// append
			$buttons[] = array(
				'name'		=> $field['name'],
				'value'		=> $_value,
				'label'		=> $_label,
				'checked'	=> $checked
			);
							
		}
		
		
		// maybe select initial value
		if( !$field['allow_null'] && $selected === null ) {
			$buttons[0]['checked'] = true;
		}
		
		
		// div
		$div = array( 'class' => 'acf-button-group' );
		
		if( $field['layout'] == 'vertical' )	{ $div['class'] .= ' -vertical'; }
		if( $field['class'] )					{ $div['class'] .= ' ' . $field['class']; }
		if( $field['allow_null'] )				{ $div['data-allow_null'] = 1; }
		
		
		// hdden input
		$html .= acf_get_hidden_input( array('name' => $field['name']) );
			
			
		// open
		$html .= '<div ' . acf_esc_attr($div) . '>';
			
			// loop
			foreach( $buttons as $button ) {
				
				// checked
				if( $button['checked'] ) {
					$button['checked'] = 'checked';
				} else {
					unset($button['checked']);
				}
				
				
				// append
				$html .= acf_get_radio_input( $button );
				
			}
			
					
		// close
		$html .= '</div>';
		
		
		// return
		echo $html;
		
	}
	
	
	/**
	*  render_field_settings()
	*
	*  Creates the field's settings HTML
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	array $field The field settings array
	*  @return	n/a
	*/
	
	function render_field_settings( $field ) {
		
		// encode choices (convert from array)
		$field['choices'] = acf_encode_choices($field['choices']);
		
		
		// choices
		acf_render_field_setting( $field, array(
			'label'			=> __('Choices','acf'),
			'instructions'	=> __('Enter each choice on a new line.','acf') . '<br /><br />' . __('For more control, you may specify both a value and label like this:','acf'). '<br /><br />' . __('red : Red','acf'),
			'type'			=> 'textarea',
			'name'			=> 'choices',
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal', 
			'choices'		=> array(
				'horizontal'	=> __("Horizontal",'acf'),
				'vertical'		=> __("Vertical",'acf'), 
			)
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> __('Specify the returned value on front end','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'value'			=> __('Value','acf'),
				'label'			=> __('Label','acf'),
				'array'			=> __('Both (Array)','acf')
			)
		));
		
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	array $field The field array holding all the field options
	*  @return	$field
	*/

	function update_field( $field ) {
		
		return acf_get_field_type('radio')->update_field( $field );
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is appied to the $value after it is loaded from the db
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	mixed	$value		The value found in the database
	*  @param	mixed	$post_id	The post ID from which the value was loaded from
	*  @param	array	$field		The field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		return acf_get_field_type('radio')->load_value( $value, $post_id, $field );
		
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	array $field The field array holding all the field options
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		return acf_get_field_type('radio')->translate_field( $field );
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @date	18/9/17
	*  @since	5.6.3
	*
	*  @param	mixed	$value		The value found in the database
	*  @param	mixed	$post_id	The post ID from which the value was loaded from
	*  @param	array	$field		The field array holding all the field options
	*  @return	$value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		return acf_get_field_type('radio')->format_value( $value, $post_id, $field );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_button_group' );

endif; // class_exists check

?>PK�[1�����(includes/fields/class-acf-field-link.phpnu�[���<?php

if( ! class_exists('acf_field_link') ) :

class acf_field_link extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'link';
		$this->label = __("Link",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'return_format'	=> 'array',
		);
    	
	}
		
	
	/*
	*  get_link
	*
	*  description
	*
	*  @type	function
	*  @date	16/5/17
	*  @since	5.5.13
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function get_link( $value = '' ) {
		
		// vars
		$link = array(
			'title'		=> '',
			'url'		=> '',
			'target'	=> ''
		);
		
		
		// array (ACF 5.6.0)
		if( is_array($value) ) {
			
			$link = array_merge($link, $value);
		
		// post id (ACF < 5.6.0)
		} elseif( is_numeric($value) ) {
			
			$link['title'] = get_the_title( $value );
			$link['url'] = get_permalink( $value );
		
		// string (ACF < 5.6.0)
		} elseif( is_string($value) ) {
			
			$link['url'] = $value;
			
		}
		
		
		// return
		return $link;
		
	}
	

	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ){
		
		// vars
		$div = array(
			'id'	=> $field['id'],
			'class'	=> $field['class'] . ' acf-link',
		);
		
		
		// render scripts/styles
		acf_enqueue_uploader();
		
		
		// get link
		$link = $this->get_link( $field['value'] );
		
		
		// classes
		if( $link['url'] ) {
			$div['class'] .= ' -value';
		}
		
		if( $link['target'] === '_blank' ) {
			$div['class'] .= ' -external';
		}
		
		/*<textarea id="<?php echo esc_attr($field['id']); ?>-textarea"><?php
			echo esc_textarea('<a href="'.$link['url'].'" target="'.$link['target'].'">'.$link['title'].'</a>');
		?></textarea>*/
?>
<div <?php acf_esc_attr_e($div); ?>>
	
	<div class="acf-hidden">
		<a class="link-node" href="<?php echo esc_url($link['url']); ?>" target="<?php echo esc_attr($link['target']); ?>"><?php echo esc_html($link['title']); ?></a>
		<?php foreach( $link as $k => $v ): ?>
			<?php acf_hidden_input(array( 'class' => "input-$k", 'name' => $field['name'] . "[$k]", 'value' => $v )); ?>
		<?php endforeach; ?>
	</div>
	
	<a href="#" class="button" data-name="add" target=""><?php _e('Select Link', 'acf'); ?></a>
	
	<div class="link-wrap">
		<span class="link-title"><?php echo esc_html($link['title']); ?></span>
		<a class="link-url" href="<?php echo esc_url($link['url']); ?>" target="_blank"><?php echo esc_html($link['url']); ?></a>
		<i class="acf-icon -link-ext acf-js-tooltip" title="<?php _e('Opens in a new window/tab', 'acf'); ?>"></i><?php
		?><a class="acf-icon -pencil -clear acf-js-tooltip" data-name="edit" href="#" title="<?php _e('Edit', 'acf'); ?>"></a><?php
		?><a class="acf-icon -cancel -clear acf-js-tooltip" data-name="remove" href="#" title="<?php _e('Remove', 'acf'); ?>"></a>
	</div>
	
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> __('Specify the returned value on front end','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'array'			=> __("Link Array",'acf'),
				'url'			=> __("Link URL",'acf'),
			)
		));
						
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return $value;
		
		
		// get link
		$link = $this->get_link( $value );
		
		
		// format value
		if( $field['return_format'] == 'url' ) {
			
			return $link['url'];
			
		}
		
		
		// return link
		return $link;
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if not required
		if( !$field['required'] ) return $valid;
		
		
		// URL is required
		if( empty($value) || empty($value['url']) ) {
			
			return false;
			
		}
		
		
		// return
		return $valid;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Check if value is an empty array and convert to empty string.
		if( empty($value) || empty($value['url']) ) {
			$value = "";
		}
		
		// return
		return $value;
	}
}


// initialize
acf_register_field_type( 'acf_field_link' );

endif; // class_exists check

?>PK�[��#includes/fields/class-acf-field.phpnu�[���<?php

if( ! class_exists('acf_field') ) :

class acf_field {
	
	// vars
	var $name = '',
		$label = '',
		$category = 'basic',
		$defaults = array(),
		$l10n = array(),
		$public = true;
	
	
	/*
	*  __construct
	*
	*  This function will initialize the field type
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// initialize
		$this->initialize();
		
		
		// register info
		acf_register_field_type_info(array(
			'label'		=> $this->label,
			'name'		=> $this->name,
			'category'	=> $this->category,
			'public'	=> $this->public
		));
		
		
		// value
		$this->add_field_filter('acf/load_value',					array($this, 'load_value'), 10, 3);
		$this->add_field_filter('acf/update_value',					array($this, 'update_value'), 10, 3);
		$this->add_field_filter('acf/format_value',					array($this, 'format_value'), 10, 3);
		$this->add_field_filter('acf/validate_value',				array($this, 'validate_value'), 10, 4);
		$this->add_field_action('acf/delete_value',					array($this, 'delete_value'), 10, 3);
		
		
		// field
		$this->add_field_filter('acf/validate_field',				array($this, 'validate_field'), 10, 1);
		$this->add_field_filter('acf/load_field',					array($this, 'load_field'), 10, 1);
		$this->add_field_filter('acf/update_field',					array($this, 'update_field'), 10, 1);
		$this->add_field_filter('acf/duplicate_field',				array($this, 'duplicate_field'), 10, 1);
		$this->add_field_action('acf/delete_field',					array($this, 'delete_field'), 10, 1);
		$this->add_field_action('acf/render_field',					array($this, 'render_field'), 9, 1);
		$this->add_field_action('acf/render_field_settings',		array($this, 'render_field_settings'), 9, 1);
		$this->add_field_filter('acf/prepare_field',				array($this, 'prepare_field'), 10, 1);
		$this->add_field_filter('acf/translate_field',				array($this, 'translate_field'), 10, 1);
		
		
		// input actions
		$this->add_action("acf/input/admin_enqueue_scripts",		array($this, 'input_admin_enqueue_scripts'), 10, 0);
		$this->add_action("acf/input/admin_head",					array($this, 'input_admin_head'), 10, 0);
		$this->add_action("acf/input/form_data",					array($this, 'input_form_data'), 10, 1);
		$this->add_filter("acf/input/admin_l10n",					array($this, 'input_admin_l10n'), 10, 1);
		$this->add_action("acf/input/admin_footer",					array($this, 'input_admin_footer'), 10, 1);
		
		
		// field group actions
		$this->add_action("acf/field_group/admin_enqueue_scripts", 	array($this, 'field_group_admin_enqueue_scripts'), 10, 0);
		$this->add_action("acf/field_group/admin_head",				array($this, 'field_group_admin_head'), 10, 0);
		$this->add_action("acf/field_group/admin_footer",			array($this, 'field_group_admin_footer'), 10, 0);
		
	}
	
	
	/*
	*  initialize
	*
	*  This function will initialize the field type
	*
	*  @type	function
	*  @date	27/6/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		/* do nothing */
			
	}
	
	
	/*
	*  add_filter
	*
	*  This function checks if the function is_callable before adding the filter
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	$tag (string)
	*  @param	$function_to_add (string)
	*  @param	$priority (int)
	*  @param	$accepted_args (int)
	*  @return	n/a
	*/
	
	function add_filter( $tag = '', $function_to_add = '', $priority = 10, $accepted_args = 1 ) {
		
		// bail early if no callable
		if( !is_callable($function_to_add) ) return;
		
		
		// add
		add_filter( $tag, $function_to_add, $priority, $accepted_args );
		
	}
	
	
	/*
	*  add_field_filter
	*
	*  This function will add a field type specific filter
	*
	*  @type	function
	*  @date	29/09/2016
	*  @since	5.4.0
	*
	*  @param	$tag (string)
	*  @param	$function_to_add (string)
	*  @param	$priority (int)
	*  @param	$accepted_args (int)
	*  @return	n/a
	*/
	
	function add_field_filter( $tag = '', $function_to_add = '', $priority = 10, $accepted_args = 1 ) {
		
		// append
		$tag .= '/type=' . $this->name;
		
		
		// add
		$this->add_filter( $tag, $function_to_add, $priority, $accepted_args );
		
	}
	
	
	/*
	*  add_action
	*
	*  This function checks if the function is_callable before adding the action
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	$tag (string)
	*  @param	$function_to_add (string)
	*  @param	$priority (int)
	*  @param	$accepted_args (int)
	*  @return	n/a
	*/
	
	function add_action( $tag = '', $function_to_add = '', $priority = 10, $accepted_args = 1 ) {
		
		// bail early if no callable
		if( !is_callable($function_to_add) ) return;
		
		
		// add
		add_action( $tag, $function_to_add, $priority, $accepted_args );
		
	}
	
	
	/*
	*  add_field_action
	*
	*  This function will add a field type specific filter
	*
	*  @type	function
	*  @date	29/09/2016
	*  @since	5.4.0
	*
	*  @param	$tag (string)
	*  @param	$function_to_add (string)
	*  @param	$priority (int)
	*  @param	$accepted_args (int)
	*  @return	n/a
	*/
	
	function add_field_action( $tag = '', $function_to_add = '', $priority = 10, $accepted_args = 1 ) {
		
		// append
		$tag .= '/type=' . $this->name;
		
		
		// add
		$this->add_action( $tag, $function_to_add, $priority, $accepted_args );
		
	}
	
	
	/*
	*  validate_field
	*
	*  This function will append default settings to a field
	*
	*  @type	filter ("acf/validate_field/type={$this->name}")
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field (array)
	*  @return	$field (array)
	*/
	
	function validate_field( $field ) {
		
		// bail early if no defaults
		if( !is_array($this->defaults) ) return $field;
		
		
		// merge in defaults but keep order of $field keys
		foreach( $this->defaults as $k => $v ) {
			
			if( !isset($field[ $k ]) ) $field[ $k ] = $v;
			
		}
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  admin_l10n
	*
	*  This function will append l10n text translations to an array which is later passed to JS
	*
	*  @type	filter ("acf/input/admin_l10n")
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$l10n (array)
	*  @return	$l10n (array)
	*/
	
	function input_admin_l10n( $l10n ) {
		
		// bail early if no defaults
		if( empty($this->l10n) ) return $l10n;
		
		
		// append
		$l10n[ $this->name ] = $this->l10n;
		
		
		// return		
		return $l10n;
		
	}
	
}

endif; // class_exists check

?>PK�[�;�E5E5*includes/fields/class-acf-field-select.phpnu�[���<?php

if( ! class_exists('acf_field_select') ) :

class acf_field_select extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'select';
		$this->label = _x('Select', 'noun', 'acf');
		$this->category = 'choice';
		$this->defaults = array(
			'multiple' 		=> 0,
			'allow_null' 	=> 0,
			'choices'		=> array(),
			'default_value'	=> '',
			'ui'			=> 0,
			'ajax'			=> 0,
			'placeholder'	=> '',
			'return_format'	=> 'value'
		);
		
		
		// ajax
		add_action('wp_ajax_acf/fields/select/query',				array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/select/query',		array($this, 'ajax_query'));
    	
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// bail ealry if no enqueue
	   	if( !acf_get_setting('enqueue_select2') ) return;
	   	
	   	
		// globals
		global $wp_scripts, $wp_styles;
		
		
		// vars
		$min = defined('SCRIPT_DEBUG') && SCRIPT_DEBUG ? '' : '.min';
		$major = acf_get_setting('select2_version');
		$version = '';
		$script = '';
		$style = '';
		
		
		// attempt to find 3rd party Select2 version
		// - avoid including v3 CSS when v4 JS is already enququed
		if( isset($wp_scripts->registered['select2']) ) {
			
			$major = (int) $wp_scripts->registered['select2']->ver;
		
		}
		
		
		// v4
		if( $major == 4 ) {
			
			$version = '4.0';
			$script = acf_get_url("assets/inc/select2/4/select2.full{$min}.js");
			$style = acf_get_url("assets/inc/select2/4/select2{$min}.css");
		
		// v3
		} else {
			
			$version = '3.5.2';
			$script = acf_get_url("assets/inc/select2/3/select2{$min}.js");
			$style = acf_get_url("assets/inc/select2/3/select2.css");
			
		}
		
		
		// enqueue
		wp_enqueue_script('select2', $script, array('jquery'), $version );
		wp_enqueue_style('select2', $style, '', $version );
		
		
		// localize
		acf_localize_data(array(
		   	'select2L10n'	=> array(
				'matches_1'				=> _x('One result is available, press enter to select it.',	'Select2 JS matches_1',	'acf'),
				'matches_n'				=> _x('%d results are available, use up and down arrow keys to navigate.',	'Select2 JS matches_n',	'acf'),
				'matches_0'				=> _x('No matches found',	'Select2 JS matches_0',	'acf'),
				'input_too_short_1'		=> _x('Please enter 1 or more characters', 'Select2 JS input_too_short_1', 'acf' ),
				'input_too_short_n'		=> _x('Please enter %d or more characters', 'Select2 JS input_too_short_n', 'acf' ),
				'input_too_long_1'		=> _x('Please delete 1 character', 'Select2 JS input_too_long_1', 'acf' ),
				'input_too_long_n'		=> _x('Please delete %d characters', 'Select2 JS input_too_long_n', 'acf' ),
				'selection_too_long_1'	=> _x('You can only select 1 item', 'Select2 JS selection_too_long_1', 'acf' ),
				'selection_too_long_n'	=> _x('You can only select %d items', 'Select2 JS selection_too_long_n', 'acf' ),
				'load_more'				=> _x('Loading more results&hellip;', 'Select2 JS load_more', 'acf' ),
				'searching'				=> _x('Searching&hellip;', 'Select2 JS searching', 'acf' ),
				'load_fail'           	=> _x('Loading failed', 'Select2 JS load_fail', 'acf' ),
			)
	   	));
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		acf_send_ajax_results($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $options = array() ) {
		
   		// defaults
   		$options = acf_parse_args($options, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 1
		));
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) return false;
		
		
		// get choices
		$choices = acf_get_array($field['choices']);
		if( empty($field['choices']) ) return false;
		
		
		// vars
   		$results = array();
   		$s = null;
   		
   		
   		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = strval( $options['s'] );
			$s = wp_unslash( $s );
			
		}
		
		
		// loop 
		foreach( $field['choices'] as $k => $v ) {
			
			// ensure $v is a string
			$v = strval( $v );
			
			
			// if searching, but doesn't exist
			if( is_string($s) && stripos($v, $s) === false ) continue;
			
			
			// append
			$results[] = array(
				'id'	=> $k,
				'text'	=> $v
			);
			
		}
		
		
		// vars
		$response = array(
			'results'	=> $results
		);
		
		
		// return
		return $response;
			
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// convert
		$value = acf_get_array($field['value']);
		$choices = acf_get_array($field['choices']);
		
		
		// placeholder
		if( empty($field['placeholder']) ) {
			$field['placeholder'] = _x('Select', 'verb', 'acf');
		}
		
		
		// add empty value (allows '' to be selected)
		if( empty($value) ) {
			$value = array('');
		}
		
		
		// prepend empty choice
		// - only for single selects
		// - have tried array_merge but this causes keys to re-index if is numeric (post ID's)
		if( $field['allow_null'] && !$field['multiple'] ) {
			$choices = array( '' => "- {$field['placeholder']} -" ) + $choices;
		}
				
		
		// clean up choices if using ajax
		if( $field['ui'] && $field['ajax'] ) {
			$minimal = array();
			foreach( $value as $key ) {
				if( isset($choices[ $key ]) ) {
					$minimal[ $key ] = $choices[ $key ];
				}
			}
			$choices = $minimal;
		}
		
		
		// vars
		$select = array(
			'id'				=> $field['id'],
			'class'				=> $field['class'],
			'name'				=> $field['name'],
			'data-ui'			=> $field['ui'],
			'data-ajax'			=> $field['ajax'],
			'data-multiple'		=> $field['multiple'],
			'data-placeholder'	=> $field['placeholder'],
			'data-allow_null'	=> $field['allow_null']
		);
		
		
		// multiple
		if( $field['multiple'] ) {
			
			$select['multiple'] = 'multiple';
			$select['size'] = 5;
			$select['name'] .= '[]';
			
			// Reduce size to single line if UI.
			if( $field['ui'] ) {
				$select['size'] = 1;
			}
		}
		
		
		// special atts
		if( !empty($field['readonly']) ) $select['readonly'] = 'readonly';
		if( !empty($field['disabled']) ) $select['disabled'] = 'disabled';
		if( !empty($field['ajax_action']) ) $select['data-ajax_action'] = $field['ajax_action'];
		
		
		// hidden input is needed to allow validation to see <select> element with no selected value
		if( $field['multiple'] || $field['ui'] ) {
			acf_hidden_input(array(
				'id'	=> $field['id'] . '-input',
				'name'	=> $field['name']
			));
		}
		
		
		// append
		$select['value'] = $value;
		$select['choices'] = $choices;
		
		
		// render
		acf_select_input( $select );
		
	}
		
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// encode choices (convert from array)
		$field['choices'] = acf_encode_choices($field['choices']);
		$field['default_value'] = acf_encode_choices($field['default_value'], false);
		
		
		// choices
		acf_render_field_setting( $field, array(
			'label'			=> __('Choices','acf'),
			'instructions'	=> __('Enter each choice on a new line.','acf') . '<br /><br />' . __('For more control, you may specify both a value and label like this:','acf'). '<br /><br />' . __('red : Red','acf'),
			'name'			=> 'choices',
			'type'			=> 'textarea',
		));	
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Enter each default value on a new line','acf'),
			'name'			=> 'default_value',
			'type'			=> 'textarea',
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// multiple
		acf_render_field_setting( $field, array(
			'label'			=> __('Select multiple values?','acf'),
			'instructions'	=> '',
			'name'			=> 'multiple',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// ui
		acf_render_field_setting( $field, array(
			'label'			=> __('Stylised UI','acf'),
			'instructions'	=> '',
			'name'			=> 'ui',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
				
		
		// ajax
		acf_render_field_setting( $field, array(
			'label'			=> __('Use AJAX to lazy load choices?','acf'),
			'instructions'	=> '',
			'name'			=> 'ajax',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'conditions'	=> array(
				'field'		=> 'ui',
				'operator'	=> '==',
				'value'		=> 1
			)
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> __('Specify the value returned','acf'),
			'type'			=> 'select',
			'name'			=> 'return_format',
			'choices'		=> array(
				'value'			=> __('Value','acf'),
				'label'			=> __('Label','acf'),
				'array'			=> __('Both (Array)','acf')
			)
		));
			
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// ACF4 null
		if( $value === 'null' ) return false;
		
		
		// return
		return $value;
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the field group ID (post_type = acf)
	*
	*  @return	$field - the modified field
	*/

	function update_field( $field ) {
		
		// decode choices (convert to array)
		$field['choices'] = acf_decode_choices($field['choices']);
		$field['default_value'] = acf_decode_choices($field['default_value'], true);
		
		
		// return
		return $field;
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Format array of values.
		// - Parse each value as string for SQL LIKE queries.
		if( is_array($value) ) {
			$value = array_map('strval', $value);
		}
		
		// return
		return $value;
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		// translate
		$field['choices'] = acf_translate( $field['choices'] );
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// array
		if( acf_is_array($value) ) {
			
			foreach( $value as $i => $v ) {
				
				$value[ $i ] = $this->format_value_single( $v, $post_id, $field );
				
			}
			
		} else {
			
			$value = $this->format_value_single( $value, $post_id, $field );
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	function format_value_single( $value, $post_id, $field ) {
		
		// bail ealry if is empty
		if( acf_is_empty($value) ) return $value;
		
		
		// vars
		$label = acf_maybe_get($field['choices'], $value, $value);
		
		
		// value
		if( $field['return_format'] == 'value' ) {
			
			// do nothing
		
		// label	
		} elseif( $field['return_format'] == 'label' ) {
			
			$value = $label;
		
		// array	
		} elseif( $field['return_format'] == 'array' ) {
			
			$value = array(
				'value'	=> $value,
				'label'	=> $label
			);
			
		}
		
		
		// return
		return $value;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_select' );

endif; // class_exists check

?>PK�[	���!'!')includes/fields/class-acf-field-radio.phpnu�[���<?php

if( ! class_exists('acf_field_radio') ) :

class acf_field_radio extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'radio';
		$this->label = __("Radio Button",'acf');
		$this->category = 'choice';
		$this->defaults = array(
			'layout'			=> 'vertical',
			'choices'			=> array(),
			'default_value'		=> '',
			'other_choice'		=> 0,
			'save_other_choice'	=> 0,
			'allow_null' 		=> 0,
			'return_format'		=> 'value'
		);
		
	}
	
		
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field (array) the $field being rendered
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field (array) the $field being edited
	*  @return	n/a
	*/
	
	function render_field( $field ) {

		// vars
		$i = 0;
		$e = '';
		$ul = array( 
			'class'				=> 'acf-radio-list',
			'data-allow_null'	=> $field['allow_null'],
			'data-other_choice'	=> $field['other_choice']
		);
		
		
		// append to class
		$ul['class'] .= ' ' . ($field['layout'] == 'horizontal' ? 'acf-hl' : 'acf-bl');
		$ul['class'] .= ' ' . $field['class'];
		
		
		// select value
		$checked = '';
		$value = strval($field['value']);
		
		
		// selected choice
		if( isset($field['choices'][ $value ]) ) {
			
			$checked = $value;
			
		// custom choice
		} elseif( $field['other_choice'] && $value !== '' ) {
			
			$checked = 'other';
			
		// allow null	
		} elseif( $field['allow_null'] ) {
			
			// do nothing
			
		// select first input by default	
		} else {
			
			$checked = key($field['choices']);
			
		}
		
		
		// ensure $checked is a string (could be an int)
		$checked = strval($checked); 
		
				
		// other choice
		if( $field['other_choice'] ) {
			
			// vars
			$input = array(
				'type'		=> 'text',
				'name'		=> $field['name'],
				'value'		=> '',
				'disabled'	=> 'disabled',
				'class'		=> 'acf-disabled'
			);
			
			
			// select other choice if value is not a valid choice
			if( $checked === 'other' ) {
				
				unset($input['disabled']);
				$input['value'] = $field['value'];
				
			}
			
			
			// allow custom 'other' choice to be defined
			if( !isset($field['choices']['other']) ) {
				
				$field['choices']['other'] = '';
				
			}
			
			
			// append other choice
			$field['choices']['other'] .= '</label> <input type="text" ' . acf_esc_attr($input) . ' /><label>';
		
		}
		
		
		// bail early if no choices
		if( empty($field['choices']) ) return;
		
		
		// hiden input
		$e .= acf_get_hidden_input( array('name' => $field['name']) );
		
		
		// open
		$e .= '<ul ' . acf_esc_attr($ul) . '>';
		
		
		// foreach choices
		foreach( $field['choices'] as $value => $label ) {
			
			// ensure value is a string
			$value = strval($value);
			$class = '';
			
			
			// increase counter
			$i++;
			
			
			// vars
			$atts = array(
				'type'	=> 'radio',
				'id'	=> $field['id'], 
				'name'	=> $field['name'],
				'value'	=> $value
			);
			
			
			// checked
			if( $value === $checked ) {
				
				$atts['checked'] = 'checked';
				$class = ' class="selected"';
				
			}
			
			
			// deisabled
			if( isset($field['disabled']) && acf_in_array($value, $field['disabled']) ) {
			
				$atts['disabled'] = 'disabled';
				
			}
			
			
			// id (use crounter for each input)
			if( $i > 1 ) {
			
				$atts['id'] .= '-' . $value;
				
			}
			
			
			// append
			$e .= '<li><label' . $class . '><input ' . acf_esc_attr( $atts ) . '/>' . $label . '</label></li>';
			
		}
		
		
		// close
		$e .= '</ul>';
		
		
		// return
		echo $e;
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// encode choices (convert from array)
		$field['choices'] = acf_encode_choices($field['choices']);
		
		
		// choices
		acf_render_field_setting( $field, array(
			'label'			=> __('Choices','acf'),
			'instructions'	=> __('Enter each choice on a new line.','acf') . '<br /><br />' . __('For more control, you may specify both a value and label like this:','acf'). '<br /><br />' . __('red : Red','acf'),
			'type'			=> 'textarea',
			'name'			=> 'choices',
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// other_choice
		acf_render_field_setting( $field, array(
			'label'			=> __('Other','acf'),
			'instructions'	=> '',
			'name'			=> 'other_choice',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'message'		=> __("Add 'other' choice to allow for custom values", 'acf'),
		));
		
		
		// save_other_choice
		acf_render_field_setting( $field, array(
			'label'			=> __('Save Other','acf'),
			'instructions'	=> '',
			'name'			=> 'save_other_choice',
			'type'			=> 'true_false',
			'ui'			=> 1,
			'message'		=> __("Save 'other' values to the field's choices", 'acf'),
			'conditions'	=> array(
				'field'		=> 'other_choice',
				'operator'	=> '==',
				'value'		=> 1
			)
		));
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> '',
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal', 
			'choices'		=> array(
				'vertical'		=> __("Vertical",'acf'), 
				'horizontal'	=> __("Horizontal",'acf')
			)
		));
		
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Value','acf'),
			'instructions'	=> __('Specify the returned value on front end','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'value'			=> __('Value','acf'),
				'label'			=> __('Label','acf'),
				'array'			=> __('Both (Array)','acf')
			)
		));
		
	}
	
	
	/*
	*  update_field()
	*
	*  This filter is appied to the $field before it is saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the field group ID (post_type = acf)
	*
	*  @return	$field - the modified field
	*/

	function update_field( $field ) {
		
		// decode choices (convert to array)
		$field['choices'] = acf_decode_choices($field['choices']);
		
		
		// return
		return $field;
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*  @todo	Fix bug where $field was found via json and has no ID
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if no value (allow 0 to be saved)
		if( !$value && !is_numeric($value) ) return $value;
		
		
		// save_other_choice
		if( $field['save_other_choice'] ) {
			
			// value isn't in choices yet
			if( !isset($field['choices'][ $value ]) ) {
				
				// get raw $field (may have been changed via repeater field)
				// if field is local, it won't have an ID
				$selector = $field['ID'] ? $field['ID'] : $field['key'];
				$field = acf_get_field( $selector, true );
				
				
				// bail early if no ID (JSON only)
				if( !$field['ID'] ) return $value;
				
				
				// unslash (fixes serialize single quote issue)
				$value = wp_unslash($value);
				
				
				// sanitize (remove tags)
				$value = sanitize_text_field($value);
				
				
				// update $field
				$field['choices'][ $value ] = $value;
				
				
				// save
				acf_update_field( $field );
				
			}
			
		}		
		
		
		// return
		return $value;
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is appied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	5.2.9
	*  @date	23/01/13
	*
	*  @param	$value - the value found in the database
	*  @param	$post_id - the $post_id from which the value was loaded from
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the value to be saved in te database
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// must be single value
		if( is_array($value) ) {
			
			$value = array_pop($value);
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		return acf_get_field_type('select')->translate_field( $field );
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		return acf_get_field_type('select')->format_value( $value, $post_id, $field );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_radio' );

endif; // class_exists check

?>PK�[5K23��*includes/fields/class-acf-field-number.phpnu�[���<?php

if( ! class_exists('acf_field_number') ) :

class acf_field_number extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'number';
		$this->label = __("Number",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'min'			=> '',
			'max'			=> '',
			'step'			=> '',
			'placeholder'	=> '',
			'prepend'		=> '',
			'append'		=> ''
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array();
		$keys = array( 'type', 'id', 'class', 'name', 'value', 'min', 'max', 'step', 'placeholder', 'pattern' );
		$keys2 = array( 'readonly', 'disabled', 'required' );
		$html = '';
		
		
		// step
		if( !$field['step'] ) {
			$field['step'] = 'any';
		}
		
		
		// prepend
		if( $field['prepend'] !== '' ) {
		
			$field['class'] .= ' acf-is-prepended';
			$html .= '<div class="acf-input-prepend">' . acf_esc_html($field['prepend']) . '</div>';
			
		}
		
		
		// append
		if( $field['append'] !== '' ) {
		
			$field['class'] .= ' acf-is-appended';
			$html .= '<div class="acf-input-append">' . acf_esc_html($field['append']) . '</div>';
			
		}
		
		
		// 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 );
		
		
		// render
		$html .= '<div class="acf-input-wrap">' . acf_get_text_input( $atts ) . '</div>';
		
		
		// return
		echo $html;
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
		
		// prepend
		acf_render_field_setting( $field, array(
			'label'			=> __('Prepend','acf'),
			'instructions'	=> __('Appears before the input','acf'),
			'type'			=> 'text',
			'name'			=> 'prepend',
		));
		
		
		// append
		acf_render_field_setting( $field, array(
			'label'			=> __('Append','acf'),
			'instructions'	=> __('Appears after the input','acf'),
			'type'			=> 'text',
			'name'			=> 'append',
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum Value','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum Value','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max',
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Step Size','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'step',
		));
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// remove ','
		if( acf_str_exists(',', $value) ) {
			
			$value = str_replace(',', '', $value);
			
		}
				
		
		// if value is not numeric...
		if( !is_numeric($value) ) {
			
			// allow blank to be saved
			if( !empty($value) ) {
				
				$valid = __('Value must be a number', 'acf');
				
			}
			
			
			// return early
			return $valid;
			
		}
		
		
		// convert
		$value = floatval($value);
		
		
		// min
		if( is_numeric($field['min']) && $value < floatval($field['min'])) {
			
			$valid = sprintf(__('Value must be equal to or higher than %d', 'acf'), $field['min'] );
			
		}
		
		
		// max
		if( is_numeric($field['max']) && $value > floatval($field['max']) ) {
			
			$valid = sprintf(__('Value must be equal to or lower than %d', 'acf'), $field['max'] );
			
		}
		
		
		// return		
		return $valid;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// no formatting needed for empty value
		if( empty($value) ) {
			
			return $value;
			
		}
		
		
		// remove ','
		if( acf_str_exists(',', $value) ) {
			
			$value = str_replace(',', '', $value);
			
		}
		
		
		// return
		return $value;
		
	}
	
	
}


// initialize
acf_register_field_type( 'acf_field_number' );

endif; // class_exists check

?>PK�[f���.includes/fields/class-acf-field-true_false.phpnu�[���<?php

if( ! class_exists('acf_field_true_false') ) :

class acf_field_true_false extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'true_false';
		$this->label = __('True / False','acf');
		$this->category = 'choice';
		$this->defaults = array(
			'default_value'	=> 0,
			'message'		=> '',
			'ui'			=> 0,
			'ui_on_text'	=> '',
			'ui_off_text'	=> '',
		);
  
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$input = array(
			'type'		=> 'checkbox',
			'id'		=> $field['id'],
			'name'		=> $field['name'],
			'value'		=> '1',
			'class'		=> $field['class'],
			'autocomplete'	=> 'off'
		);
		
		$hidden = array(
			'name' 		=> $field['name'],
			'value'		=> 0
		);
		
		$active = $field['value'] ? true : false;
		$switch = '';
		
		
		// checked
		if( $active ) $input['checked'] = 'checked';
		
		
		// ui
		if( $field['ui'] ) {
			
			// vars
			if( $field['ui_on_text'] === '' ) $field['ui_on_text'] = __('Yes', 'acf');
			if( $field['ui_off_text'] === '' ) $field['ui_off_text'] = __('No', 'acf');
			
			
			// update input
			$input['class'] .= ' acf-switch-input';
			//$input['style'] = 'display:none;';
			
			$switch .= '<div class="acf-switch' . ($active ? ' -on' : '') . '">';
				$switch .= '<span class="acf-switch-on">'.$field['ui_on_text'].'</span>';
				$switch .= '<span class="acf-switch-off">'.$field['ui_off_text'].'</span>';
				$switch .= '<div class="acf-switch-slider"></div>';
			$switch .= '</div>';
			
		}
		
?>
<div class="acf-true-false">
	<?php acf_hidden_input($hidden); ?>
	<label>
		<input <?php echo acf_esc_attr($input); ?>/>
		<?php if( $switch ) echo acf_esc_html($switch); ?>
		<?php if( $field['message'] ): ?><span class="message"><?php echo acf_esc_html($field['message']); ?></span><?php endif; ?>
	</label>
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// message
		acf_render_field_setting( $field, array(
			'label'			=> __('Message','acf'),
			'instructions'	=> __('Displays text alongside the checkbox','acf'),
			'type'			=> 'text',
			'name'			=> 'message',
		));
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> '',
			'type'			=> 'true_false',
			'name'			=> 'default_value',
		));
		
		
		// ui
		acf_render_field_setting( $field, array(
			'label'			=> __('Stylised UI','acf'),
			'instructions'	=> '',
			'type'			=> 'true_false',
			'name'			=> 'ui',
			'ui'			=> 1,
			'class'			=> 'acf-field-object-true-false-ui'
		));
		
		
		// on_text
		acf_render_field_setting( $field, array(
			'label'			=> __('On Text','acf'),
			'instructions'	=> __('Text shown when active','acf'),
			'type'			=> 'text',
			'name'			=> 'ui_on_text',
			'placeholder'	=> __('Yes', 'acf'),
			'conditions'	=> array(
				'field'		=> 'ui',
				'operator'	=> '==',
				'value'		=> 1
			)
		));
		
		
		// on_text
		acf_render_field_setting( $field, array(
			'label'			=> __('Off Text','acf'),
			'instructions'	=> __('Text shown when inactive','acf'),
			'type'			=> 'text',
			'name'			=> 'ui_off_text',
			'placeholder'	=> __('No', 'acf'),
			'conditions'	=> array(
				'field'		=> 'ui',
				'operator'	=> '==',
				'value'		=> 1
			)
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		return empty($value) ? false : true;
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if not required
		if( ! $field['required'] ) {
			
			return $valid;
			
		}
		
		
		// value may be '0'
		if( !$value ) {
			
			return false;
			
		}
		
		
		// return
		return $valid;
				
	}
	
	
	/*
	*  translate_field
	*
	*  This function will translate field settings
	*
	*  @type	function
	*  @date	8/03/2016
	*  @since	5.3.2
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function translate_field( $field ) {
		
		// translate
		$field['message'] = acf_translate( $field['message'] );
		$field['ui_on_text'] = acf_translate( $field['ui_on_text'] );
		$field['ui_off_text'] = acf_translate( $field['ui_off_text'] );
		
		
		// return
		return $field;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_true_false' );

endif; // class_exists check

?>PK�[\���/�/-includes/fields/class-acf-field-page_link.phpnu�[���<?php

if( ! class_exists('acf_field_page_link') ) :

class acf_field_page_link extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'page_link';
		$this->label = __("Page Link",'acf');
		$this->category = 'relational';
		$this->defaults = array(
			'post_type'			=> array(),
			'taxonomy'			=> array(),
			'allow_null' 		=> 0,
			'multiple'			=> 0,
			'allow_archives'	=> 1
		);
		
		
		// extra
		add_action('wp_ajax_acf/fields/page_link/query',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/page_link/query',		array($this, 'ajax_query'));
    	
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// defaults
   		$options = acf_parse_args($_POST, array(
			'post_id'		=> 0,
			's'				=> '',
			'field_key'		=> '',
			'paged'			=> 1
		));
		
		
   		// vars
   		$results = array();
   		$args = array();
   		$s = false;
   		$is_search = false;
   		
		
		// paged
   		$args['posts_per_page'] = 20;
   		$args['paged'] = $options['paged'];
   		
   		
   		// search
		if( $options['s'] !== '' ) {
			
			// strip slashes (search may be integer)
			$s = wp_unslash( strval($options['s']) );
			
			
			// update vars
			$args['s'] = $s;
			$is_search = true;
			
		}
		
		
		// load field
		$field = acf_get_field( $options['field_key'] );
		if( !$field ) die();
		
		
		// update $args
		if( !empty($field['post_type']) ) {
		
			$args['post_type'] = acf_get_array( $field['post_type'] );
			
		} else {
			
			$args['post_type'] = acf_get_post_types();
			
		}
		
		// create tax queries
		if( !empty($field['taxonomy']) ) {
			
			// append to $args
			$args['tax_query'] = array();
			
			
			// decode terms
			$taxonomies = acf_decode_taxonomy_terms( $field['taxonomy'] );
			
			
			// now create the tax queries
			foreach( $taxonomies as $taxonomy => $terms ) {
			
				$args['tax_query'][] = array(
					'taxonomy'	=> $taxonomy,
					'field'		=> 'slug',
					'terms'		=> $terms,
				);
				
			}
		}
		
		
		// filters
		$args = apply_filters('acf/fields/page_link/query', $args, $field, $options['post_id']);
		$args = apply_filters('acf/fields/page_link/query/name=' . $field['name'], $args, $field, $options['post_id'] );
		$args = apply_filters('acf/fields/page_link/query/key=' . $field['key'], $args, $field, $options['post_id'] );
		
		
		// add archives to $results
		if( $field['allow_archives'] && $args['paged'] == 1 ) {
			
			$archives = array();
			$archives[] = array(
				'id'	=> home_url(),
				'text'	=> home_url()
			);
			
			foreach( $args['post_type'] as $post_type ) {
				
				// vars
				$archive_link = get_post_type_archive_link( $post_type );
				
				
				// bail ealry if no link
				if( !$archive_link ) continue;
				
				
				// bail early if no search match
				if( $is_search && stripos($archive_link, $s) === false ) continue;
				
				
				// append
				$archives[] = array(
					'id'	=> $archive_link,
					'text'	=> $archive_link
				);
				
			}
			
			
			// append
			$results[] = array(
				'text'		=> __('Archives', 'acf'),
				'children'	=> $archives
			);
			
		}
		
		
		// get posts grouped by post type
		$groups = acf_get_grouped_posts( $args );
		
		
		// loop
		if( !empty($groups) ) {
			
			foreach( array_keys($groups) as $group_title ) {
				
				// vars
				$posts = acf_extract_var( $groups, $group_title );
				
				
				// data
				$data = array(
					'text'		=> $group_title,
					'children'	=> array()
				);
				
				
				// convert post objects to post titles
				foreach( array_keys($posts) as $post_id ) {
					
					$posts[ $post_id ] = $this->get_post_title( $posts[ $post_id ], $field, $options['post_id'], $is_search );
					
				}
				
				
				// order posts by search
				if( $is_search && empty($args['orderby']) ) {
					
					$posts = acf_order_by_search( $posts, $args['s'] );
					
				}
				
				
				// append to $data
				foreach( array_keys($posts) as $post_id ) {
					
					$data['children'][] = $this->get_post_result( $post_id, $posts[ $post_id ]);
					
				}
				
				
				// append to $results
				$results[] = $data;
				
			}
			
		}
		
		
		// return
		acf_send_ajax_results(array(
			'results'	=> $results,
			'limit'		=> $args['posts_per_page']
		));
		
	}
	
	
	/*
	*  get_post_result
	*
	*  This function will return an array containing id, text and maybe description data
	*
	*  @type	function
	*  @date	7/07/2016
	*  @since	5.4.0
	*
	*  @param	$id (mixed)
	*  @param	$text (string)
	*  @return	(array)
	*/
	
	function get_post_result( $id, $text ) {
		
		// vars
		$result = array(
			'id'	=> $id,
			'text'	=> $text
		);
		
		
		// look for parent
		$search = '| ' . __('Parent', 'acf') . ':';
		$pos = strpos($text, $search);
		
		if( $pos !== false ) {
			
			$result['description'] = substr($text, $pos+2);
			$result['text'] = substr($text, 0, $pos);
			
		}
		
		
		// return
		return $result;
			
	}
	
	
	/*
	*  get_post_title
	*
	*  This function returns the HTML for a result
	*
	*  @type	function
	*  @date	1/11/2013
	*  @since	5.0.0
	*
	*  @param	$post (object)
	*  @param	$field (array)
	*  @param	$post_id (int) the post_id to which this value is saved to
	*  @return	(string)
	*/
	
	function get_post_title( $post, $field, $post_id = 0, $is_search = 0 ) {
		
		// get post_id
		if( !$post_id ) $post_id = acf_get_form_data('post_id');
		
		
		// vars
		$title = acf_get_post_title( $post, $is_search );
			
		
		// filters
		$title = apply_filters('acf/fields/page_link/result', $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/page_link/result/name=' . $field['_name'], $title, $post, $field, $post_id);
		$title = apply_filters('acf/fields/page_link/result/key=' . $field['key'], $title, $post, $field, $post_id);
		
		
		// return
		return $title;
		
	}
	
	
	/*
	*  get_posts
	*
	*  This function will return an array of posts for a given field value
	*
	*  @type	function
	*  @date	13/06/2014
	*  @since	5.0.0
	*
	*  @param	$value (array)
	*  @return	$value
	*/
	
	function get_posts( $value, $field ) {
		
		// force value to array
		$value = acf_get_array( $value );
		
		
		// get selected post ID's
		$post__in = array();
		
		foreach( $value as $k => $v ) {
			
			if( is_numeric($v) ) {
				
				// append to $post__in
				$post__in[] = (int) $v;
				
			}
			
		}
		
		
		// bail early if no posts
		if( empty($post__in) ) {
			
			return $value;
			
		}
		
		
		// get posts
		$posts = acf_get_posts(array(
			'post__in' => $post__in,
			'post_type'	=> $field['post_type']
		));
		
		
		// override value with post
		$return = array();
		
		
		// append to $return
		foreach( $value as $k => $v ) {
			
			if( is_numeric($v) ) {
				
				// extract first post
				$post = array_shift( $posts );
				
				
				// append
				if( $post ) {
					
					$return[] = $post;
					
				}
				
			} else {
				
				$return[] = $v;
				
			}
			
		}
		
		
		// return
		return $return;
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ){
		
		// Change Field into a select
		$field['type'] = 'select';
		$field['ui'] = 1;
		$field['ajax'] = 1;
		$field['choices'] = array();
		
		
		// populate choices if value exists
		if( !empty($field['value']) ) {
			
			// get posts
			$posts = $this->get_posts( $field['value'], $field );
			
			
			// set choices
			if( !empty($posts) ) {
				
				foreach( array_keys($posts) as $i ) {
					
					// vars
					$post = acf_extract_var( $posts, $i );
					
					
					if( is_object($post) ) {
						
						// append to choices
						$field['choices'][ $post->ID ] = $this->get_post_title( $post, $field );
					
					} else {
						
						// append to choices
						$field['choices'][ $post ] = $post;
												
					}
					
				}
				
			}
			
		}
		
		
		// render
		acf_render_field( $field );
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// post_type
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Post Type','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'post_type',
			'choices'		=> acf_get_pretty_post_types(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All post types",'acf'),
		));
		
		
		// taxonomy
		acf_render_field_setting( $field, array(
			'label'			=> __('Filter by Taxonomy','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'taxonomy',
			'choices'		=> acf_get_taxonomy_terms(),
			'multiple'		=> 1,
			'ui'			=> 1,
			'allow_null'	=> 1,
			'placeholder'	=> __("All taxonomies",'acf'),
		));
		
		
		// allow_null
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Null?','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_null',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// allow_archives
		acf_render_field_setting( $field, array(
			'label'			=> __('Allow Archives URLs','acf'),
			'instructions'	=> '',
			'name'			=> 'allow_archives',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// multiple
		acf_render_field_setting( $field, array(
			'label'			=> __('Select multiple values?','acf'),
			'instructions'	=> '',
			'name'			=> 'multiple',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
				
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// ACF4 null
		if( $value === 'null' ) {
		
			return false;
			
		}
		
		
		// bail early if no value
		if( empty($value) ) {
			
			return $value;
		
		}
		
		
		// get posts
		$value = $this->get_posts( $value, $field );
		
		
		// set choices
		foreach( array_keys($value) as $i ) {
			
			// vars
			$post = acf_extract_var( $value, $i );
			
			
			// convert $post to permalink
			if( is_object($post) ) {
				
				$post = get_permalink( $post );
			
			}
			
			
			// append back to $value
			$value[ $i ] = $post;
			
		}
		
			
		// convert back from array if neccessary
		if( !$field['multiple'] ) {
		
			$value = array_shift($value);
			
		}
		
		
		// return value
		return $value;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$post_id - the $post_id of which the value will be saved
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// Bail early if no value.
		if( empty($value) ) {
			return $value;
		}
		
		// Format array of values.
		// - ensure each value is an id.
		// - Parse each id as string for SQL LIKE queries.
		if( acf_is_sequential_array($value) ) {
			$value = array_map('acf_maybe_idval', $value);
			$value = array_map('strval', $value);
		
		// Parse single value for id.
		} else {
			$value = acf_maybe_idval( $value );
		}
		
		// Return value.
		return $value;
	}
	
}


// initialize
acf_register_field_type( 'acf_field_page_link' );

endif; // class_exists check

?>PK�[���NAA/includes/fields/class-acf-field-date_picker.phpnu�[���<?php

if( ! class_exists('acf_field_date_picker') ) :

class acf_field_date_picker extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'date_picker';
		$this->label = __("Date Picker",'acf');
		$this->category = 'jquery';
		$this->defaults = array(
			'display_format'	=> 'd/m/Y',
			'return_format'		=> 'd/m/Y',
			'first_day'			=> 1
		);
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// bail ealry if no enqueue
	   	if( !acf_get_setting('enqueue_datepicker') ) {
		   	return;
	   	}
	   	
	   	// localize
	   	global $wp_locale;
	   	acf_localize_data(array(
		   	'datePickerL10n'	=> array(
				'closeText'			=> _x('Done',	'Date Picker JS closeText',		'acf'),
				'currentText'		=> _x('Today',	'Date Picker JS currentText',	'acf'),
				'nextText'			=> _x('Next',	'Date Picker JS nextText',		'acf'),
				'prevText'			=> _x('Prev',	'Date Picker JS prevText',		'acf'),
				'weekHeader'		=> _x('Wk',		'Date Picker JS weekHeader',	'acf'),
				'monthNames'        => array_values( $wp_locale->month ),
				'monthNamesShort'   => array_values( $wp_locale->month_abbrev ),
				'dayNames'          => array_values( $wp_locale->weekday ),
				'dayNamesMin'       => array_values( $wp_locale->weekday_initial ),
				'dayNamesShort'     => array_values( $wp_locale->weekday_abbrev )
			)
	   	));
	   	
		// script
		wp_enqueue_script('jquery-ui-datepicker');
		
		// style
		wp_enqueue_style('acf-datepicker', acf_get_url('assets/inc/datepicker/jquery-ui.min.css'), array(), '1.11.4' );
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$hidden_value = '';
		$display_value = '';
		
		// format value
		if( $field['value'] ) {
			$hidden_value = acf_format_date( $field['value'], 'Ymd' );
			$display_value = acf_format_date( $field['value'], $field['display_format'] );
		}
		
		// elements
		$div = array(
			'class'					=> 'acf-date-picker acf-input-wrap',
			'data-date_format'		=> acf_convert_date_to_js($field['display_format']),
			'data-first_day'		=> $field['first_day'],
		);
		$hidden_input = array(
			'id'					=> $field['id'],
			'name'					=> $field['name'],
			'value'					=> $hidden_value,
		);
		$text_input = array(
			'class' 				=> 'input',
			'value'					=> $display_value,
		);
		
		// special attributes
		foreach( array( 'readonly', 'disabled' ) as $k ) {
			if( !empty($field[ $k ]) ) {
				$text_input[ $k ] = $k;
			}
		}
		
		// save_format - compatibility with ACF < 5.0.0
		if( !empty($field['save_format']) ) {
			
			// add custom JS save format
			$div['data-save_format'] = $field['save_format'];
			
			// revert hidden input value to raw DB value
			$hidden_input['value'] = $field['value'];
			
			// remove formatted value (will do this via JS)
			$text_input['value'] = '';
		}
		
		// html
		?>
		<div <?php acf_esc_attr_e( $div ); ?>>
			<?php acf_hidden_input( $hidden_input ); ?>
			<?php acf_text_input( $text_input ); ?>
		</div>
		<?php
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// global
		global $wp_locale;
		
		
		// vars
		$d_m_Y = date_i18n('d/m/Y');
		$m_d_Y = date_i18n('m/d/Y');
		$F_j_Y = date_i18n('F j, Y');
		$Ymd = date_i18n('Ymd');
		
		
		// display_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Display Format','acf'),
			'instructions'	=> __('The format displayed when editing a post','acf'),
			'type'			=> 'radio',
			'name'			=> 'display_format',
			'other_choice'	=> 1,
			'choices'		=> array(
				'd/m/Y'			=> '<span>' . $d_m_Y . '</span><code>d/m/Y</code>',
				'm/d/Y'			=> '<span>' . $m_d_Y . '</span><code>m/d/Y</code>',
				'F j, Y'		=> '<span>' . $F_j_Y . '</span><code>F j, Y</code>',
				'other'			=> '<span>' . __('Custom:','acf') . '</span>'
			)
		));
				
		
		// save_format - compatibility with ACF < 5.0.0
		if( !empty($field['save_format']) ) {
			
			// save_format
			acf_render_field_setting( $field, array(
				'label'			=> __('Save Format','acf'),
				'instructions'	=> __('The format used when saving a value','acf'),
				'type'			=> 'text',
				'name'			=> 'save_format',
				//'readonly'		=> 1 // this setting was not readonly in v4
			));
			
		} else {
			
			// return_format
			acf_render_field_setting( $field, array(
				'label'			=> __('Return Format','acf'),
				'instructions'	=> __('The format returned via template functions','acf'),
				'type'			=> 'radio',
				'name'			=> 'return_format',
				'other_choice'	=> 1,
				'choices'		=> array(
					'd/m/Y'			=> '<span>' . $d_m_Y . '</span><code>d/m/Y</code>',
					'm/d/Y'			=> '<span>' . $m_d_Y . '</span><code>m/d/Y</code>',
					'F j, Y'		=> '<span>' . $F_j_Y . '</span><code>F j, Y</code>',
					'Ymd'			=> '<span>' . $Ymd . '</span><code>Ymd</code>',
					'other'			=> '<span>' . __('Custom:','acf') . '</span>'
				)
			));
			
		}
		
		
		// first_day
		acf_render_field_setting( $field, array(
			'label'			=> __('Week Starts On','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'first_day',
			'choices'		=> array_values( $wp_locale->weekday )
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// save_format - compatibility with ACF < 5.0.0
		if( !empty($field['save_format']) ) {
			
			return $value;
			
		}
		
		
		// return
		return acf_format_date( $value, $field['return_format'] );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_date_picker' );

endif; // class_exists check

?>PK�[�#8G
G
-includes/fields/class-acf-field-accordion.phpnu�[���<?php

if( ! class_exists('acf_field__accordion') ) :

class acf_field__accordion extends acf_field {
	
	
	/**
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @date	30/10/17
	*  @since	5.6.3
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'accordion';
		$this->label = __("Accordion",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'open'			=> 0,
			'multi_expand'	=> 0,
			'endpoint'		=> 0
		);
		
	}
	
	
	/**
	*  render_field
	*
	*  Create the HTML interface for your field
	*
	*  @date	30/10/17
	*  @since	5.6.3
	*
	*  @param	array $field
	*  @return	n/a
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array(
			'class'				=> 'acf-fields',
			'data-open'			=> $field['open'],
			'data-multi_expand'	=> $field['multi_expand'],
			'data-endpoint'		=> $field['endpoint']
		);
		
		?>
		<div <?php acf_esc_attr_e($atts); ?>></div>
		<?php
		
	}
	
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
/*
		// message
		$message = '';
		$message .= '<p>' . __( 'Accordions help you organize fields into panels that open and close.', 'acf') . '</p>';
		$message .= '<p>' . __( 'All fields following this accordion (or until another accordion is defined) will be grouped together.','acf') . '</p>';
		
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Instructions','acf'),
			'instructions'	=> '',
			'name'			=> 'notes',
			'type'			=> 'message',
			'message'		=> $message,
		));
*/
		
		// active
		acf_render_field_setting( $field, array(
			'label'			=> __('Open','acf'),
			'instructions'	=> __('Display this accordion as open on page load.','acf'),
			'name'			=> 'open',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// multi_expand
		acf_render_field_setting( $field, array(
			'label'			=> __('Multi-expand','acf'),
			'instructions'	=> __('Allow this accordion to open without closing others.','acf'),
			'name'			=> 'multi_expand',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
		
		
		// endpoint
		acf_render_field_setting( $field, array(
			'label'			=> __('Endpoint','acf'),
			'instructions'	=> __('Define an endpoint for the previous accordion to stop. This accordion will not be visible.','acf'),
			'name'			=> 'endpoint',
			'type'			=> 'true_false',
			'ui'			=> 1,
		));
					
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// remove name to avoid caching issue
		$field['name'] = '';
		
		// remove required to avoid JS issues
		$field['required'] = 0;
		
		// set value other than 'null' to avoid ACF loading / caching issue
		$field['value'] = false;
		
		// return
		return $field;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field__accordion' );

endif; // class_exists check

?>PK�[Zv��77)includes/fields/class-acf-field-range.phpnu�[���<?php

if( ! class_exists('acf_field_range') ) :

class acf_field_range extends acf_field_number {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'range';
		$this->label = __("Range",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'min'			=> '',
			'max'			=> '',
			'step'			=> '',
			'prepend'		=> '',
			'append'		=> ''
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array();
		$keys = array( 'type', 'id', 'class', 'name', 'value', 'min', 'max', 'step' );
		$keys2 = array( 'readonly', 'disabled', 'required' );
		$html = '';
		
		// step
		if( !$field['step'] ) {
			$field['step'] = 1;
		}
		
		// min / max
		if( !$field['min'] ) {
			$field['min'] = 0;
		}
		if( !$field['max'] ) {
			$field['max'] = 100;
		}
		
		// 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 .= '<div class="acf-range-wrap">';
			
			// prepend
			if( $field['prepend'] !== '' ) {
				$html .= '<div class="acf-prepend">' . acf_esc_html($field['prepend']) . '</div>';
			}
			
			// range
			$html .= acf_get_text_input( $atts );
			
			// calculate input width based on character length (+1 char if using decimals)
			$len = strlen( (string) $field['max'] );
			if( $atts['step'] < 1 ) $len++;
			
			// input
			$html .= acf_get_text_input(array(
				'type'	=> '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 .= '<div class="acf-append">' . acf_esc_html($field['append']) . '</div>';
			}
		
		// close
		$html .= '</div>';
		
		// return
		echo $html;
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'number',
			'name'			=> 'default_value',
		));
		
		
		// min
		acf_render_field_setting( $field, array(
			'label'			=> __('Minimum Value','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'min',
			'placeholder'	=> '0'
		));
		
		
		// max
		acf_render_field_setting( $field, array(
			'label'			=> __('Maximum Value','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'max',
			'placeholder'	=> '100'
		));
		
		
		// step
		acf_render_field_setting( $field, array(
			'label'			=> __('Step Size','acf'),
			'instructions'	=> '',
			'type'			=> 'number',
			'name'			=> 'step',
			'placeholder'	=> '1'
		));
		
		
		// prepend
		acf_render_field_setting( $field, array(
			'label'			=> __('Prepend','acf'),
			'instructions'	=> __('Appears before the input','acf'),
			'type'			=> 'text',
			'name'			=> 'prepend',
		));
		
		
		// append
		acf_render_field_setting( $field, array(
			'label'			=> __('Append','acf'),
			'instructions'	=> __('Appears after the input','acf'),
			'type'			=> 'text',
			'name'			=> 'append',
		));
		
	}
	
	
}


// initialize
acf_register_field_type( 'acf_field_range' );

endif; // class_exists check

?>PK�[W�S�22)includes/fields/class-acf-field-group.phpnu�[���<?php

if( ! class_exists('acf_field__group') ) :

class acf_field__group extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'group';
		$this->label = __("Group",'acf');
		$this->category = 'layout';
		$this->defaults = array(
			'sub_fields'	=> array(),
			'layout'		=> 'block'
		);
		$this->have_rows = 'single';
		
		
		// field filters
		$this->add_field_filter('acf/prepare_field_for_export', array($this, 'prepare_field_for_export'));
		$this->add_field_filter('acf/prepare_field_for_import', array($this, 'prepare_field_for_import'));
		
	}
		
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// vars
		$sub_fields = acf_get_fields( $field );
		
		
		// append
		if( $sub_fields ) {
			
			$field['sub_fields'] = $sub_fields;
			
		}
				
		
		// return
		return $field;
		
	}
	
	
	/*
	*  load_value()
	*
	*  This filter is applied to the $value after it is loaded from the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value found in the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*  @return	$value
	*/
	
	function load_value( $value, $post_id, $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $value;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		
		// load sub fields
		$value = array();
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// load
			$value[ $sub_field['key'] ] = acf_get_value( $post_id, $sub_field );
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return false;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		
		// loop 
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// extract value
			$sub_value = acf_extract_var( $value, $sub_field['key'] );
			
			
			// format value
			$sub_value = acf_format_value( $sub_value, $post_id, $sub_field );
			
			
			// append to $row
			$value[ $sub_field['_name'] ] = $sub_value;
			
		}
		
		
		// return
		return $value;
		
	}
	
	
	/*
	*  update_value()
	*
	*  This filter is appied to the $value before it is updated in the db
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value - the value which will be saved in the database
	*  @param	$field - the field array holding all the field options
	*  @param	$post_id - the $post_id of which the value will be saved
	*
	*  @return	$value - the modified value
	*/
	
	function update_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( !acf_is_array($value) ) return null;
		
		
		// bail ealry if no sub fields
		if( empty($field['sub_fields']) ) return null;
		
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// vars
			$v = false;
			
			
			// key (backend)
			if( isset($value[ $sub_field['key'] ]) ) {
				
				$v = $value[ $sub_field['key'] ];
			
			// name (frontend)
			} elseif( isset($value[ $sub_field['_name'] ]) ) {
				
				$v = $value[ $sub_field['_name'] ];
			
			// empty
			} else {
				
				// input is not set (hidden by conditioanl logic)
				continue;
				
			}
			
			
			// update value
			acf_update_value( $v, $post_id, $sub_field );
			
		}
		
		
		// return
		return '';
		
	}
	
	
	/*
	*  prepare_field_for_db
	*
	*  This function will modify sub fields ready for update / load
	*
	*  @type	function
	*  @date	4/11/16
	*  @since	5.5.0
	*
	*  @param	$field (array)
	*  @return	$field
	*/
	
	function prepare_field_for_db( $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $field;
		
		
		// loop
		foreach( $field['sub_fields'] as &$sub_field ) {
			
			// prefix name
			$sub_field['name'] = $field['name'] . '_' . $sub_field['_name'];
			
		}
		
		
		// return
		return $field;

	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return;
		
		
		// load values
		foreach( $field['sub_fields'] as &$sub_field ) {
			
			// add value
			if( isset($field['value'][ $sub_field['key'] ]) ) {
				
				// this is a normal value
				$sub_field['value'] = $field['value'][ $sub_field['key'] ];
				
			} elseif( isset($sub_field['default_value']) ) {
				
				// no value, but this sub field has a default value
				$sub_field['value'] = $sub_field['default_value'];
				
			}
			
			
			// update prefix to allow for nested values
			$sub_field['prefix'] = $field['name'];
			
			
			// restore required
			if( $field['required'] ) $sub_field['required'] = 0;
		
		}
		
		
		// render
		if( $field['layout'] == 'table' ) {
			
			$this->render_field_table( $field );
			
		} else {
			
			$this->render_field_block( $field );
			
		}
		
	}
	
	
	/*
	*  render_field_block
	*
	*  description
	*
	*  @type	function
	*  @date	12/07/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_block( $field ) {
		
		// vars
		$label_placement = ($field['layout'] == 'block') ? 'top' : 'left';
		
		
		// html
		echo '<div class="acf-fields -' . $label_placement . ' -border">';
			
		foreach( $field['sub_fields'] as $sub_field ) {
			
			acf_render_field_wrap( $sub_field );
			
		}
		
		echo '</div>';
		
	}
	
	
	/*
	*  render_field_table
	*
	*  description
	*
	*  @type	function
	*  @date	12/07/2016
	*  @since	5.4.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function render_field_table( $field ) {
		
?>
<table class="acf-table">
	<thead>
		<tr>
		<?php foreach( $field['sub_fields'] as $sub_field ): 
			
			// prepare field (allow sub fields to be removed)
			$sub_field = acf_prepare_field($sub_field);
			
			
			// bail ealry if no field
			if( !$sub_field ) continue;
			
			
			// vars
			$atts = array();
			$atts['class'] = 'acf-th';
			$atts['data-name'] = $sub_field['_name'];
			$atts['data-type'] = $sub_field['type'];
			$atts['data-key'] = $sub_field['key'];
			
			
			// Add custom width
			if( $sub_field['wrapper']['width'] ) {
			
				$atts['data-width'] = $sub_field['wrapper']['width'];
				$atts['style'] = 'width: ' . $sub_field['wrapper']['width'] . '%;';
				
			}
			
				
			?>
			<th <?php acf_esc_attr_e( $atts ); ?>>
				<?php acf_render_field_label( $sub_field ); ?>
				<?php acf_render_field_instructions( $sub_field ); ?>
			</th>
		<?php endforeach; ?>
		</tr>
	</thead>
	<tbody>
		<tr class="acf-row">
		<?php 
		
		foreach( $field['sub_fields'] as $sub_field ) {
			
			acf_render_field_wrap( $sub_field, 'td' );
			
		}
				
		?>
		</tr>
	</tbody>
</table>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// vars
		$args = array(
			'fields'	=> $field['sub_fields'],
			'parent'	=> $field['ID']
		);
		
		
		?><tr class="acf-field acf-field-setting-sub_fields" data-setting="group" data-name="sub_fields">
			<td class="acf-label">
				<label><?php _e("Sub Fields",'acf'); ?></label>	
			</td>
			<td class="acf-input">
				<?php 
				
				acf_get_view('field-group-fields', $args);
				
				?>
			</td>
		</tr>
		<?php
			
			
		// layout
		acf_render_field_setting( $field, array(
			'label'			=> __('Layout','acf'),
			'instructions'	=> __('Specify the style used to render the selected fields', 'acf'),
			'type'			=> 'radio',
			'name'			=> 'layout',
			'layout'		=> 'horizontal',
			'choices'		=> array(
				'block'			=> __('Block','acf'),
				'table'			=> __('Table','acf'),
				'row'			=> __('Row','acf')
			)
		));
		
	}
	
	
	/*
	*  validate_value
	*
	*  description
	*
	*  @type	function
	*  @date	11/02/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function validate_value( $valid, $value, $field, $input ){
		
		// bail early if no $value
		if( empty($value) ) return $valid;
		
		
		// bail early if no sub fields
		if( empty($field['sub_fields']) ) return $valid;
		
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			
			// get sub field
			$k = $sub_field['key'];
			
			
			// bail early if value not set (conditional logic?)
			if( !isset($value[ $k ]) ) continue;
			
			
			// required
			if( $field['required'] ) {
				$sub_field['required'] = 1;
			}
			
			
			// validate
			acf_validate_value( $value[ $k ], $sub_field, "{$input}[{$k}]" );
			
		}
		
		
		// return
		return $valid;
		
	}
	
	
	/*
	*  duplicate_field()
	*
	*  This filter is appied to the $field before it is duplicated and saved to the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the modified field
	*/

	function duplicate_field( $field ) {
		
		// get sub fields
		$sub_fields = acf_extract_var( $field, 'sub_fields' );
		
		
		// save field to get ID
		$field = acf_update_field( $field );
		
		
		// duplicate sub fields
		acf_duplicate_fields( $sub_fields, $field['ID'] );
		
						
		// return		
		return $field;
		
	}
	
	/**
	 * prepare_field_for_export
	 *
	 * Prepares the field for export.
	 *
	 * @date	11/03/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field settings.
	 * @return	array
	 */
	function prepare_field_for_export( $field ) {
		
		// Check for sub fields.
		if( !empty($field['sub_fields']) ) {
			$field['sub_fields'] = acf_prepare_fields_for_export( $field['sub_fields'] );
		}
		return $field;
	}
	
	/**
	 * prepare_field_for_import
	 *
	 * Returns a flat array of fields containing all sub fields ready for import.
	 *
	 * @date	11/03/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field settings.
	 * @return	array
	 */
	function prepare_field_for_import( $field ) {
		
		// Check for sub fields.
		if( !empty($field['sub_fields']) ) {
			$sub_fields = acf_extract_var( $field, 'sub_fields' );
			
			// Modify sub fields.
			foreach( $sub_fields as $i => $sub_field ) {
				$sub_fields[ $i ]['parent'] = $field['key'];
				$sub_fields[ $i ]['menu_order'] = $i;
			}
			
			// Return array of [field, sub_1, sub_2, ...].
			return array_merge( array($field), $sub_fields );
			
		}
		return $field;
	}
	
	
	/*
	*  delete_value
	*
	*  Called when deleting this field's value.
	*
	*  @date	1/07/2015
	*  @since	5.2.3
	*
	*  @param	mixed $post_id The post ID being saved
	*  @param	string $meta_key The field name as seen by the DB
	*  @param	array $field The field settings
	*  @return	void
	*/
	
	function delete_value( $post_id, $meta_key, $field ) {
		
		// bail ealry if no sub fields
		if( empty($field['sub_fields']) ) return null;
		
		// modify names
		$field = $this->prepare_field_for_db( $field );
		
		// loop
		foreach( $field['sub_fields'] as $sub_field ) {
			acf_delete_value( $post_id, $sub_field );
		}
	}
	
	/**
	*  delete_field
	*
	*  Called when deleting a field of this type.
	*
	*  @date	8/11/18
	*  @since	5.8.0
	*
	*  @param	arra $field The field settings.
	*  @return	void
	*/
	function delete_field( $field ) {
		
		// loop over sub fields and delete them
		if( $field['sub_fields'] ) {
			foreach( $field['sub_fields'] as $sub_field ) {
				acf_delete_field( $sub_field['ID'] );
			}
		}
	}
	
}


// initialize
acf_register_field_type( 'acf_field__group' );

endif; // class_exists check

?>PK�[X:2�]]/includes/fields/class-acf-field-time_picker.phpnu�[���<?php

if( ! class_exists('acf_field_time_picker') ) :

class acf_field_time_picker extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'time_picker';
		$this->label = __("Time Picker",'acf');
		$this->category = 'jquery';
		$this->defaults = array(
			'display_format'		=> 'g:i a',
			'return_format'			=> 'g:i a'
		);
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// format value
		$display_value = '';
		
		if( $field['value'] ) {
			$display_value = acf_format_date( $field['value'], $field['display_format'] );
		}
		
		
		// vars
		$div = array(
			'class'					=> 'acf-time-picker acf-input-wrap',
			'data-time_format'		=> acf_convert_time_to_js($field['display_format'])
		);
		$hidden_input = array(
			'id'					=> $field['id'],
			'class' 				=> 'input-alt',
			'type'					=> 'hidden',
			'name'					=> $field['name'],
			'value'					=> $field['value'],
		);
		$text_input = array(
			'class' 				=> 'input',
			'type'					=> 'text',
			'value'					=> $display_value,
		);
		
		
		// html
		?>
		<div <?php acf_esc_attr_e( $div ); ?>>
			<?php acf_hidden_input( $hidden_input ); ?>
			<?php acf_text_input( $text_input ); ?>
		</div>
		<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// vars
		$g_i_a = date('g:i a');
		$H_i_s = date('H:i:s');
		
		
		// display_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Display Format','acf'),
			'instructions'	=> __('The format displayed when editing a post','acf'),
			'type'			=> 'radio',
			'name'			=> 'display_format',
			'other_choice'	=> 1,
			'choices'		=> array(
				'g:i a'	=> '<span>' . $g_i_a . '</span><code>g:i a</code>',
				'H:i:s'	=> '<span>' . $H_i_s . '</span><code>H:i:s</code>',
				'other'	=> '<span>' . __('Custom:','acf') . '</span>'
			)
		));
				
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> __('The format returned via template functions','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'other_choice'	=> 1,
			'choices'		=> array(
				'g:i a'	=> '<span>' . $g_i_a . '</span><code>g:i a</code>',
				'H:i:s'	=> '<span>' . $H_i_s . '</span><code>H:i:s</code>',
				'other'	=> '<span>' . __('Custom:','acf') . '</span>'
			)
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		return acf_format_date( $value, $field['return_format'] );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_time_picker' );

endif; // class_exists check

?>PK�[kLԎww-includes/fields/class-acf-field-separator.phpnu�[���<?php

if( ! class_exists('acf_field_separator') ) :

class acf_field_separator extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'separator';
		$this->label = __("Separator",'acf');
		$this->category = 'layout';
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		/* do nothing */
		
	}
	
	
	/*
	*  load_field()
	*
	*  This filter is appied to the $field after it is loaded from the database
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field - the field array holding all the field options
	*
	*  @return	$field - the field array holding all the field options
	*/
	
	function load_field( $field ) {
		
		// remove name to avoid caching issue
		$field['name'] = '';
		
		
		// remove required to avoid JS issues
		$field['required'] = 0;
		
		
		// set value other than 'null' to avoid ACF loading / caching issue
		$field['value'] = false;
		
		
		// return
		return $field;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_separator' );

endif; // class_exists check

?>PK�[�*'�77)includes/fields/class-acf-field-email.phpnu�[���<?php

if( ! class_exists('acf_field_email') ) :

class acf_field_email extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'email';
		$this->label = __("Email",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'placeholder'	=> '',
			'prepend'		=> '',
			'append'		=> ''
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$atts = array();
		$keys = array( 'type', 'id', 'class', 'name', 'value', 'placeholder', 'pattern' );
		$keys2 = array( 'readonly', 'disabled', 'required', 'multiple' );
		$html = '';
		
		
		// prepend
		if( $field['prepend'] !== '' ) {
		
			$field['class'] .= ' acf-is-prepended';
			$html .= '<div class="acf-input-prepend">' . acf_esc_html($field['prepend']) . '</div>';
			
		}
		
		
		// append
		if( $field['append'] !== '' ) {
		
			$field['class'] .= ' acf-is-appended';
			$html .= '<div class="acf-input-append">' . acf_esc_html($field['append']) . '</div>';
			
		}
		
		
		// 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 );
		
		
		// render
		$html .= '<div class="acf-input-wrap">' . acf_get_text_input( $atts ) . '</div>';
		
		
		// return
		echo $html;
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
		
		// prepend
		acf_render_field_setting( $field, array(
			'label'			=> __('Prepend','acf'),
			'instructions'	=> __('Appears before the input','acf'),
			'type'			=> 'text',
			'name'			=> 'prepend',
		));
		
		
		// append
		acf_render_field_setting( $field, array(
			'label'			=> __('Append','acf'),
			'instructions'	=> __('Appears after the input','acf'),
			'type'			=> 'text',
			'name'			=> 'append',
		));

	}	
	
}


// initialize
acf_register_field_type( 'acf_field_email' );

endif; // class_exists check

?>PK�[o6]��*includes/fields/class-acf-field-oembed.phpnu�[���<?php

if( ! class_exists('acf_field_oembed') ) :

class acf_field_oembed extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'oembed';
		$this->label = __("oEmbed",'acf');
		$this->category = 'content';
		$this->defaults = array(
			'width'		=> '',
			'height'	=> '',
		);
		$this->width = 640;
		$this->height = 390;
		
		
		// extra
		add_action('wp_ajax_acf/fields/oembed/search',			array($this, 'ajax_query'));
		add_action('wp_ajax_nopriv_acf/fields/oembed/search',	array($this, 'ajax_query'));
    	
	}
	
	
	/*
	*  prepare_field
	*
	*  This function will prepare the field for input
	*
	*  @type	function
	*  @date	14/2/17
	*  @since	5.5.8
	*
	*  @param	$field (array)
	*  @return	(int)
	*/
	
	function prepare_field( $field ) {
		
		// defaults
		if( !$field['width'] ) $field['width'] = $this->width;
		if( !$field['height'] ) $field['height'] = $this->height;
		
		
		// return
		return $field;
		
	}
	
	
	/*
	*  wp_oembed_get
	*
	*  description
	*
	*  @type	function
	*  @date	24/01/2014
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function wp_oembed_get( $url = '', $width = 0, $height = 0 ) {
		
		// vars
		$embed = '';
		$res = array(
			'width'		=> $width,
			'height'	=> $height
		);
		
		
		// get emebed
		$embed = @wp_oembed_get( $url, $res );
		
		
		// try shortcode
		if( !$embed ) {
			
			 // global
			global $wp_embed;
			
			
			// get emebed
			$embed = $wp_embed->shortcode($res, $url);
		
		}
				
		
		// return
		return $embed;
	}
	
	
	/*
	*  ajax_query
	*
	*  description
	*
	*  @type	function
	*  @date	24/10/13
	*  @since	5.0.0
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function ajax_query() {
		
		// validate
		if( !acf_verify_ajax() ) die();
		
		
		// get choices
		$response = $this->get_ajax_query( $_POST );
		
		
		// return
		wp_send_json($response);
			
	}
	
	
	/*
	*  get_ajax_query
	*
	*  This function will return an array of data formatted for use in a select2 AJAX response
	*
	*  @type	function
	*  @date	15/10/2014
	*  @since	5.0.9
	*
	*  @param	$options (array)
	*  @return	(array)
	*/
	
	function get_ajax_query( $args = array() ) {
		
   		// defaults
   		$args = acf_parse_args($args, array(
			's'				=> '',
			'field_key'		=> '',
		));
		
		
		// load field
		$field = acf_get_field( $args['field_key'] );
		if( !$field ) return false;
		
		
		// prepare field to correct width and height
		$field = $this->prepare_field($field);
		
		
		// vars
		$response = array(
			'url'	=> $args['s'],
			'html'	=> $this->wp_oembed_get($args['s'], $field['width'], $field['height'])
		);
		
		
		// return
		return $response;
			
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// atts
		$atts = array(
			'class' => 'acf-oembed',
		);
		
		// <strong><?php _e("Error.", 'acf'); </strong> _e("No embed found for the given URL.", 'acf');
		
		// value
		if( $field['value'] ) $atts['class'] .= ' has-value';
		
?>
<div <?php acf_esc_attr_e($atts) ?>>
	
	<?php acf_hidden_input(array( 'class' => 'input-value', 'name' => $field['name'], 'value' => $field['value'] )); ?>
	
	<div class="title">
		<?php acf_text_input(array( 'class' => 'input-search', 'value' => $field['value'], 'placeholder' => __("Enter URL", 'acf'), 'autocomplete' => 'off'  )); ?>
		<div class="acf-actions -hover">
			<a data-name="clear-button" href="#" class="acf-icon -cancel grey"></a>
		</div>
	</div>
	
	<div class="canvas">
		<div class="canvas-media">
			<?php if( $field['value'] ) {
				echo $this->wp_oembed_get($field['value'], $field['width'], $field['height']);
			} ?>
		</div>
		<i class="acf-icon -picture hide-if-value"></i>
	</div>
	
</div>
<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
		// width
		acf_render_field_setting( $field, array(
			'label'			=> __('Embed Size','acf'),
			'type'			=> 'text',
			'name'			=> 'width',
			'prepend'		=> __('Width', 'acf'),
			'append'		=> 'px',
			'placeholder'	=> $this->width
		));
		
		
		// height
		acf_render_field_setting( $field, array(
			'label'			=> __('Embed Size','acf'),
			'type'			=> 'text',
			'name'			=> 'height',
			'prepend'		=> __('Height', 'acf'),
			'append'		=> 'px',
			'placeholder'	=> $this->height,
			'_append' 		=> 'width'
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		// bail early if no value
		if( empty($value) ) return $value;
		
		
		// prepare field to correct width and height
		$field = $this->prepare_field($field);
		
		
		// get oembed
		$value = $this->wp_oembed_get($value, $field['width'], $field['height']);
		
		
		// return
		return $value;
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_oembed' );

endif; // class_exists check

?>PK�[��l4includes/fields/class-acf-field-date_time_picker.phpnu�[���<?php

if( ! class_exists('acf_field_date_and_time_picker') ) :

class acf_field_date_and_time_picker extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'date_time_picker';
		$this->label = __("Date Time Picker",'acf');
		$this->category = 'jquery';
		$this->defaults = array(
			'display_format'	=> 'd/m/Y g:i a',
			'return_format'		=> 'd/m/Y g:i a',
			'first_day'			=> 1
		);
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// bail ealry if no enqueue
	   	if( !acf_get_setting('enqueue_datetimepicker') ) return;
	   	
	   	
		// vars
		$version = '1.6.1';
		
		
		// script
		wp_enqueue_script('acf-timepicker', acf_get_url('assets/inc/timepicker/jquery-ui-timepicker-addon.min.js'), array('jquery-ui-datepicker'), $version);
		
		
		// style
		wp_enqueue_style('acf-timepicker', acf_get_url('assets/inc/timepicker/jquery-ui-timepicker-addon.min.css'), '', $version);
		
		// localize
		acf_localize_data(array(
		   	'dateTimePickerL10n'	=> array(
				'timeOnlyTitle'		=> _x('Choose Time',	'Date Time Picker JS timeOnlyTitle',	'acf'),
		        'timeText'       	=> _x('Time',			'Date Time Picker JS timeText', 		'acf'),
		        'hourText'        	=> _x('Hour',			'Date Time Picker JS hourText', 		'acf'),
		        'minuteText'  		=> _x('Minute',			'Date Time Picker JS minuteText', 		'acf'),
		        'secondText'		=> _x('Second',			'Date Time Picker JS secondText', 		'acf'),
		        'millisecText'		=> _x('Millisecond',	'Date Time Picker JS millisecText', 	'acf'),
		        'microsecText'		=> _x('Microsecond',	'Date Time Picker JS microsecText', 	'acf'),
		        'timezoneText'		=> _x('Time Zone',		'Date Time Picker JS timezoneText', 	'acf'),
		        'currentText'		=> _x('Now',			'Date Time Picker JS currentText', 		'acf'),
		        'closeText'			=> _x('Done',			'Date Time Picker JS closeText', 		'acf'),
		        'selectText'		=> _x('Select',			'Date Time Picker JS selectText', 		'acf'),
		        'amNames'			=> array(
			        					_x('AM',			'Date Time Picker JS amText', 			'acf'),
										_x('A',				'Date Time Picker JS amTextShort', 		'acf'),
									),
		        'pmNames'			=> array(
			        					_x('PM',			'Date Time Picker JS pmText', 			'acf'),
										_x('P',				'Date Time Picker JS pmTextShort', 		'acf'),
									)
			)
	   	));
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// format value
		$hidden_value = '';
		$display_value = '';
		
		if( $field['value'] ) {
			
			$hidden_value = acf_format_date( $field['value'], 'Y-m-d H:i:s' );
			$display_value = acf_format_date( $field['value'], $field['display_format'] );
			
		}
		
		
		// convert display_format to date and time
		// the letter 'm' is used for date and minute in JS, so this must be done here in PHP
		$formats = acf_split_date_time($field['display_format']);
		
		
		// vars
		$div = array(
			'class'					=> 'acf-date-time-picker acf-input-wrap',
			'data-date_format'		=> acf_convert_date_to_js($formats['date']),
			'data-time_format'		=> acf_convert_time_to_js($formats['time']),
			'data-first_day'		=> $field['first_day'],
		);
		
		$hidden_input = array(
			'id'					=> $field['id'],
			'class' 				=> 'input-alt',
			'name'					=> $field['name'],
			'value'					=> $hidden_value,
		);
		
		$text_input = array(
			'class' 				=> 'input',
			'value'					=> $display_value,
		);
		
		
		// html
		?>
		<div <?php acf_esc_attr_e( $div ); ?>>
			<?php acf_hidden_input( $hidden_input ); ?>
			<?php acf_text_input( $text_input ); ?>
		</div>
		<?php
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// global
		global $wp_locale;
		
		
		// vars
		$d_m_Y = date_i18n('d/m/Y g:i a');
		$m_d_Y = date_i18n('m/d/Y g:i a');
		$F_j_Y = date_i18n('F j, Y g:i a');
		$Ymd = date_i18n('Y-m-d H:i:s');
		
		
		// display_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Display Format','acf'),
			'instructions'	=> __('The format displayed when editing a post','acf'),
			'type'			=> 'radio',
			'name'			=> 'display_format',
			'other_choice'	=> 1,
			'choices'		=> array(
				'd/m/Y g:i a'	=> '<span>' . $d_m_Y . '</span><code>d/m/Y g:i a</code>',
				'm/d/Y g:i a'	=> '<span>' . $m_d_Y . '</span><code>m/d/Y g:i a</code>',
				'F j, Y g:i a'	=> '<span>' . $F_j_Y . '</span><code>F j, Y g:i a</code>',
				'Y-m-d H:i:s'	=> '<span>' . $Ymd . '</span><code>Y-m-d H:i:s</code>',
				'other'			=> '<span>' . __('Custom:','acf') . '</span>'
			)
		));
				
		
		// return_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Return Format','acf'),
			'instructions'	=> __('The format returned via template functions','acf'),
			'type'			=> 'radio',
			'name'			=> 'return_format',
			'other_choice'	=> 1,
			'choices'		=> array(
				'd/m/Y g:i a'	=> '<span>' . $d_m_Y . '</span><code>d/m/Y g:i a</code>',
				'm/d/Y g:i a'	=> '<span>' . $m_d_Y . '</span><code>m/d/Y g:i a</code>',
				'F j, Y g:i a'	=> '<span>' . $F_j_Y . '</span><code>F j, Y g:i a</code>',
				'Y-m-d H:i:s'	=> '<span>' . $Ymd . '</span><code>Y-m-d H:i:s</code>',
				'other'			=> '<span>' . __('Custom:','acf') . '</span>'
			)
		));
				
		
		// first_day
		acf_render_field_setting( $field, array(
			'label'			=> __('Week Starts On','acf'),
			'instructions'	=> '',
			'type'			=> 'select',
			'name'			=> 'first_day',
			'choices'		=> array_values( $wp_locale->weekday )
		));
		
	}
	
	
	/*
	*  format_value()
	*
	*  This filter is appied to the $value after it is loaded from the db and before it is returned to the template
	*
	*  @type	filter
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$value (mixed) the value which was loaded from the database
	*  @param	$post_id (mixed) the $post_id from which the value was loaded
	*  @param	$field (array) the field array holding all the field options
	*
	*  @return	$value (mixed) the modified value
	*/
	
	function format_value( $value, $post_id, $field ) {
		
		return acf_format_date( $value, $field['return_format'] );
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_date_and_time_picker' );

endif; // class_exists check

?>PK�[�ѷ�(includes/fields/class-acf-field-text.phpnu�[���<?php

if( ! class_exists('acf_field_text') ) :

class acf_field_text extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'text';
		$this->label = __("Text",'acf');
		$this->defaults = array(
			'default_value'	=> '',
			'maxlength'		=> '',
			'placeholder'	=> '',
			'prepend'		=> '',
			'append'		=> ''
		);
		
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		$html = '';
		
		// Prepend text.
		if( $field['prepend'] !== '' ) {
			$field['class'] .= ' acf-is-prepended';
			$html .= '<div class="acf-input-prepend">' . acf_esc_html($field['prepend']) . '</div>';
		}
		
		// Append text.
		if( $field['append'] !== '' ) {
			$field['class'] .= ' acf-is-appended';
			$html .= '<div class="acf-input-append">' . acf_esc_html($field['append']) . '</div>';
		}
		
		// Input.
		$input_attrs = array();
		foreach( array( 'type', 'id', 'class', 'name', 'value', 'placeholder', 'maxlength', 'pattern', 'readonly', 'disabled', 'required' ) as $k ) {
			if( isset($field[ $k ]) ) {
				$input_attrs[ $k ] = $field[ $k ];
			}
		}
		$html .= '<div class="acf-input-wrap">' . acf_get_text_input( acf_filter_attrs($input_attrs) ) . '</div>';
		
		// Display.
		echo $html;
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @param	$field	- an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field_settings( $field ) {
		
		// default_value
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> __('Appears when creating a new post','acf'),
			'type'			=> 'text',
			'name'			=> 'default_value',
		));
		
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
		
		// prepend
		acf_render_field_setting( $field, array(
			'label'			=> __('Prepend','acf'),
			'instructions'	=> __('Appears before the input','acf'),
			'type'			=> 'text',
			'name'			=> 'prepend',
		));
		
		
		// append
		acf_render_field_setting( $field, array(
			'label'			=> __('Append','acf'),
			'instructions'	=> __('Appears after the input','acf'),
			'type'			=> 'text',
			'name'			=> 'append',
		));
		
		
		// maxlength
		acf_render_field_setting( $field, array(
			'label'			=> __('Character Limit','acf'),
			'instructions'	=> __('Leave blank for no limit','acf'),
			'type'			=> 'number',
			'name'			=> 'maxlength',
		));
		
	}
	
	/**
	 * validate_value
	 *
	 * Validates a field's value.
	 *
	 * @date	29/1/19
	 * @since	5.7.11
	 *
	 * @param	(bool|string) Whether the value is vaid or not.
	 * @param	mixed $value The field value.
	 * @param	array $field The field array.
	 * @param	string $input The HTML input name.
	 * @return	(bool|string)
	 */
	function validate_value( $valid, $value, $field, $input ){
		
		// Check maxlength
		if( $field['maxlength'] && mb_strlen(wp_unslash($value)) > $field['maxlength'] ) {
			return sprintf( __('Value must not exceed %d characters', 'acf'), $field['maxlength'] );
		}
		
		// Return.
		return $valid;
	}
}


// initialize
acf_register_field_type( 'acf_field_text' );

endif; // class_exists check

?>PK�[_'_�0includes/fields/class-acf-field-color_picker.phpnu�[���<?php

if( ! class_exists('acf_field_color_picker') ) :

class acf_field_color_picker extends acf_field {
	
	
	/*
	*  __construct
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'color_picker';
		$this->label = __("Color Picker",'acf');
		$this->category = 'jquery';
		$this->defaults = array(
			'default_value'	=> '',
		);
		
	}
	
	
	/*
	*  input_admin_enqueue_scripts
	*
	*  description
	*
	*  @type	function
	*  @date	16/12/2015
	*  @since	5.3.2
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function input_admin_enqueue_scripts() {
		
		// globals
		global $wp_scripts;
		
		
		// register if not already (on front end)
		// http://wordpress.stackexchange.com/questions/82718/how-do-i-implement-the-wordpress-iris-picker-into-my-plugin-on-the-front-end
		if( !isset($wp_scripts->registered['iris']) ) {
			
			// styles
			wp_register_style('wp-color-picker', admin_url('css/color-picker.css'), array(), '', true);
			
			
			// scripts
			wp_register_script('iris', admin_url('js/iris.min.js'), array('jquery-ui-draggable', 'jquery-ui-slider', 'jquery-touch-punch'), '1.0.7', true);
			wp_register_script('wp-color-picker', admin_url('js/color-picker.min.js'), array('iris'), '', true);
			
			
			// localize
		    wp_localize_script('wp-color-picker', 'wpColorPickerL10n', array(
		        'clear'			=> __('Clear', 'acf' ),
		        'defaultString'	=> __('Default', 'acf' ),
		        'pick'			=> __('Select Color', 'acf' ),
		        'current'		=> __('Current Color', 'acf' )
		    )); 
			
		}
		
		
		// enqueue
		wp_enqueue_style('wp-color-picker');
	    wp_enqueue_script('wp-color-picker');
	    
	    			
	}
	
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		// vars
		$text_input = acf_get_sub_array( $field, array('id', 'class', 'name', 'value') );
		$hidden_input = acf_get_sub_array( $field, array('name', 'value') );
		
		
		// html
		?>
		<div class="acf-color-picker">
			<?php acf_hidden_input( $hidden_input ); ?>
			<?php acf_text_input( $text_input ); ?>
		</div>
		<?php
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// display_format
		acf_render_field_setting( $field, array(
			'label'			=> __('Default Value','acf'),
			'instructions'	=> '',
			'type'			=> 'text',
			'name'			=> 'default_value',
			'placeholder'	=> '#FFFFFF'
		));
		
	}
	
}


// initialize
acf_register_field_type( 'acf_field_color_picker' );

endif; // class_exists check

?>PK�[�HE*pp,includes/fields/class-acf-field-password.phpnu�[���<?php

if( ! class_exists('acf_field_password') ) :

class acf_field_password extends acf_field {
	
	
	/*
	*  initialize
	*
	*  This function will setup the field type data
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'password';
		$this->label = __("Password",'acf');
		$this->defaults = array(
			'placeholder'	=> '',
			'prepend'		=> '',
			'append'		=> '',
		);
		
	}
		
	
	/*
	*  render_field()
	*
	*  Create the HTML interface for your field
	*
	*  @param	$field - an array holding all the field's data
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*/
	
	function render_field( $field ) {
		
		acf_get_field_type('text')->render_field( $field );
		
	}
	
	
	/*
	*  render_field_settings()
	*
	*  Create extra options for your field. This is rendered when editing a field.
	*  The value of $field['name'] can be used (like bellow) to save extra data to the $field
	*
	*  @type	action
	*  @since	3.6
	*  @date	23/01/13
	*
	*  @param	$field	- an array holding all the field's data
	*/
	
	function render_field_settings( $field ) {
		
		// placeholder
		acf_render_field_setting( $field, array(
			'label'			=> __('Placeholder Text','acf'),
			'instructions'	=> __('Appears within the input','acf'),
			'type'			=> 'text',
			'name'			=> 'placeholder',
		));
		
		
		// prepend
		acf_render_field_setting( $field, array(
			'label'			=> __('Prepend','acf'),
			'instructions'	=> __('Appears before the input','acf'),
			'type'			=> 'text',
			'name'			=> 'prepend',
		));
		
		
		// append
		acf_render_field_setting( $field, array(
			'label'			=> __('Append','acf'),
			'instructions'	=> __('Appears after the input','acf'),
			'type'			=> 'text',
			'name'			=> 'append',
		));
	}
	
}


// initialize
acf_register_field_type( 'acf_field_password' );

endif; // class_exists check

?>PK�[�	bU66!includes/acf-helper-functions.phpnu�[���<?php 

/*
 * acf_is_empty
 *
 * Returns true if the value provided is considered "empty". Allows numbers such as 0.
 *
 * @date	6/7/16
 * @since	5.4.0
 *
 * @param	mixed $var The value to check.
 * @return	bool
 */
function acf_is_empty( $var ) {
	return ( !$var && !is_numeric($var) );
}

/**
 * acf_not_empty
 *
 * Returns true if the value provided is considered "not empty". Allows numbers such as 0.
 *
 * @date	15/7/19
 * @since	5.8.1
 *
 * @param	mixed $var The value to check.
 * @return	bool
 */
function acf_not_empty( $var ) {
	return ( $var || is_numeric($var) );
}

/**
 * acf_uniqid
 *
 * Returns a unique numeric based id.
 *
 * @date	9/1/19
 * @since	5.7.10
 *
 * @param	string $prefix The id prefix. Defaults to 'acf'.
 * @return	string
 */
function acf_uniqid( $prefix = 'acf' ) {
	
	// Instantiate global counter.
	global $acf_uniqid;
	if( !isset($acf_uniqid) ) {
		$acf_uniqid = 1;
	}
	
	// Return id.
	return $prefix . '-' . $acf_uniqid++;
}

/**
 * acf_merge_attributes
 *
 * Merges together two arrays but with extra functionality to append class names.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $array1 An array of attributes.
 * @param	array $array2 An array of attributes.
 * @return	array
 */
function acf_merge_attributes( $array1, $array2 ) {
	
	// Merge together attributes.
	$array3 = array_merge( $array1, $array2 );
	
	// Append together special attributes.
	foreach( array('class', 'style') as $key ) {
		if( isset($array1[$key]) && isset($array2[$key]) ) {
			$array3[$key] = trim($array1[$key]) . ' ' . trim($array2[$key]);
		}
	}
	
	// Return.
	return $array3;
}

/**
 * acf_cache_key
 *
 * Returns a filtered cache key.
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	string $key The cache key.
 * @return	string
 */
function acf_cache_key( $key = '' ) {
	
	/**
	 * Filters the cache key.
	 *
	 * @date	25/1/19
	 * @since	5.7.11
	 *
	 * @param	string $key The cache key.
	 * @param	string $original_key The original cache key.
	 */
	return apply_filters( "acf/get_cache_key", $key, $key );
}

/**
 * acf_request_args
 *
 * Returns an array of $_REQUEST values using the provided defaults.
 *
 * @date	28/2/19
 * @since	5.7.13
 *
 * @param	array $args An array of args.
 * @return	array
 */
function acf_request_args( $args = array() ) {
	foreach( $args as $k => $v ) {
		$args[ $k ] = isset($_REQUEST[ $k ]) ? $_REQUEST[ $k ] : $args[ $k ];
	}
	return $args;
}

// Register store.
acf_register_store( 'filters' );

/**
 * acf_enable_filter
 *
 * Enables a filter with the given name.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	string name The modifer name.
 * @return	void
 */
function acf_enable_filter( $name = '' ) {
	acf_get_store( 'filters' )->set( $name, true );
}

/**
 * acf_disable_filter
 *
 * Disables a filter with the given name.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	string name The modifer name.
 * @return	void
 */
function acf_disable_filter( $name = '' ) {
	acf_get_store( 'filters' )->set( $name, false );
}

/**
 * acf_is_filter_enabled
 *
 * Returns the state of a filter for the given name.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	string name The modifer name.
 * @return	array
 */
function acf_is_filter_enabled( $name = '' ) {
	return acf_get_store( 'filters' )->get( $name );
}

/**
 * acf_get_filters
 *
 * Returns an array of filters in their current state.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	void
 * @return	array
 */
function acf_get_filters() {
	return acf_get_store( 'filters' )->get();
}

/**
 * acf_set_filters
 *
 * Sets an array of filter states.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	array $filters An Array of modifers
 * @return	array
 */
function acf_set_filters( $filters = array() ) {
	acf_get_store( 'filters' )->set( $filters );
}

/**
 * acf_disable_filters
 *
 * Disables all filters and returns the previous state.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	void
 * @return	array
 */
function acf_disable_filters() {
	
	// Get state.
	$prev_state = acf_get_filters();
	
	// Set all modifers as false.
	acf_set_filters( array_map('__return_false', $prev_state) );
	
	// Return prev state.
	return $prev_state;
}

/**
 * acf_enable_filters
 *
 * Enables all or an array of specific filters and returns the previous state.
 *
 * @date	14/7/16
 * @since	5.4.0
 *
 * @param	array $filters An Array of modifers
 * @return	array
 */
function acf_enable_filters( $filters = array() ) {
	
	// Get state.
	$prev_state = acf_get_filters();
	
	// Allow specific filters to be enabled.
	if( $filters ) {
		acf_set_filters( $filters );
		
	// Set all modifers as true.	
	} else {
		acf_set_filters( array_map('__return_true', $prev_state) );
	}
	
	// Return prev state.
	return $prev_state;
}

/**
 * acf_idval
 *
 * Parses the provided value for an ID.
 *
 * @date	29/3/19
 * @since	5.7.14
 *
 * @param	mixed $value A value to parse.
 * @return	int
 */
function acf_idval( $value ) {
	
	// Check if value is numeric.
	if( is_numeric($value) ) {
		return (int) $value;
	
	// Check if value is array.	
	} elseif( is_array($value) ) {
		return (int) isset($value['ID']) ? $value['ID'] : 0;
	
	// Check if value is object.	
	} elseif( is_object($value) ) {
		return (int) isset($value->ID) ? $value->ID : 0;
	}
	
	// Return default.
	return 0;
}

/**
 * acf_maybe_idval
 *
 * Checks value for potential id value.
 *
 * @date	6/4/19
 * @since	5.7.14
 *
 * @param	mixed $value A value to parse.
 * @return	mixed
 */
function acf_maybe_idval( $value ) {
	if( $id = acf_idval( $value ) ) {
		return $id;
	}
	return $value;
}

/**
 * acf_numval
 *
 * Casts the provided value as eiter an int or float using a simple hack.
 *
 * @date	11/4/19
 * @since	5.7.14
 *
 * @param	mixed $value A value to parse.
 * @return	(int|float)
 */
function acf_numval( $value ) {
	return ( intval($value) == floatval($value) ) ? intval($value) : floatval($value);
}

/**
 * acf_idify
 *
 * Returns an id attribute friendly string.
 *
 * @date	24/12/17
 * @since	5.6.5
 *
 * @param	string $str The string to convert.
 * @return	string
 */
function acf_idify( $str = '' ) {
	return str_replace(array('][', '[', ']'), array('-', '-', ''), strtolower($str));
}

/**
 * acf_slugify
 *
 * Returns a slug friendly string.
 *
 * @date	24/12/17
 * @since	5.6.5
 *
 * @param	string $str The string to convert.
 * @param	string $glue The glue between each slug piece.
 * @return	string
 */
function acf_slugify( $str = '', $glue = '-' ) {
	return str_replace(array('_', '-', '/', ' '), $glue, strtolower($str));
}

/**
 * acf_punctify
 *
 * Returns a string with correct full stop puctuation.
 *
 * @date	12/7/19
 * @since	5.8.2
 *
 * @param	string $str The string to format.
 * @return	string
 */
function acf_punctify( $str = '' ) {
	return trim($str, '.') . '.';
}

/**
 * acf_did
 *
 * Returns true if ACF already did an event.
 *
 * @date	30/8/19
 * @since	5.8.1
 *
 * @param	string $name The name of the event.
 * @return	bool
 */
function acf_did( $name ) {
	
	// Return true if already did the event (preventing event).
	if( acf_get_data("acf_did_$name") ) {
		return true;
	
	// Otherwise, update store and return false (alowing event).
	} else {
		acf_set_data("acf_did_$name", true);
		return false;
	}
}PK�[D�e�)�)includes/acf-meta-functions.phpnu�[���<?php 

/**
 * acf_decode_post_id
 *
 * Returns an array containing the object type and id for the given post_id string.
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	(int|string) $post_id The post id.
 * @return	array()
 */
function acf_decode_post_id( $post_id = 0 ) {
	
	// Default data
	$data = array(
		'type'	=> 'post',
		'id'	=> 0
	);
	
	// Check if is numeric.
	if( is_numeric($post_id) ) {
		$data['id'] = (int) $post_id;
	
	// Check if is string.
	} elseif( is_string($post_id) ) {
		
		// Determine "{$type}_{$id}" from string.
		$bits = explode( '_', $post_id );
		$id = array_pop( $bits );
		$type = implode( '_', $bits );
		
		// Check if is meta type.
		if( function_exists("get_{$type}_meta") && is_numeric($id) ) {
			$data['type'] = $type;
			$data['id'] = (int) $id;
		
		// Check if is taxonomy name.
		} elseif( taxonomy_exists($type) && is_numeric($id) ) {
			$data['type'] = 'term';
			$data['id'] = (int) $id;
			
		// Otherwise, default to option.
		} else {
			$data['type'] = 'option';
			$data['id'] = $post_id;
		}
	}
	
	/**
	 * Filters the $data array after it has been decoded.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $data The type and id array.
	 */
	return apply_filters( "acf/decode_post_id", $data, $post_id );
}

/**
 * acf_get_meta
 *
 * Returns an array of "ACF only" meta for the given post_id.
 *
 * @date	9/10/18
 * @since	5.8.0
 *
 * @param	mixed $post_id The post_id for this data.
 * @return	array
 */
function acf_get_meta( $post_id = 0 ) {
	
	// Allow filter to short-circuit load_value logic.
	$null = apply_filters( "acf/pre_load_meta", null, $post_id );
    if( $null !== null ) {
	    return ( $null === '__return_null' ) ? null : $null;
    }
    
	// Decode $post_id for $type and $id.
	extract( acf_decode_post_id($post_id) );
	
	// Use get_$type_meta() function when possible.
	if( function_exists("get_{$type}_meta") ) {
		$allmeta = call_user_func("get_{$type}_meta", $id, '');
	
	// Default to wp_options.
	} else {
		$allmeta = acf_get_option_meta( $id );
	}
	
	// Loop over meta and check that a reference exists for each value.
	$meta = array();
	if( $allmeta ) {
		foreach( $allmeta as $key => $value ) {
			
			// If a reference exists for this value, add it to the meta array.
			if( isset($allmeta["_$key"]) ) {
				$meta[ $key ] = $allmeta[ $key ][0];
				$meta[ "_$key" ] = $allmeta[ "_$key" ][0];
			}
		}
	}
	
	// Unserialized results (get_metadata does not unserialize if $key is empty).
	$meta = array_map('maybe_unserialize', $meta);
	
	/**
	 * Filters the $meta array after it has been loaded.
	 *
	 * @date	25/1/19
	 * @since	5.7.11
	 *
	 * @param	array $meta The arary of loaded meta.
	 * @param	string $post_id The $post_id for this meta.
	 */
	return apply_filters( "acf/load_meta", $meta, $post_id );
}


/**
 * acf_get_option_meta
 *
 * Returns an array of meta for the given wp_option name prefix in the same format as get_post_meta().
 *
 * @date	9/10/18
 * @since	5.8.0
 *
 * @param	string $prefix The wp_option name prefix.
 * @return	array
 */
function acf_get_option_meta( $prefix = '' ) {
	
	// Globals.
	global $wpdb;
	
	// Vars.
	$meta = array();
	$search = "{$prefix}_%";
	$_search = "_{$prefix}_%";
	
	// Escape underscores for LIKE.
	$search = str_replace('_', '\_', $search);
	$_search = str_replace('_', '\_', $_search);
	
	// Query database for results.
	$rows = $wpdb->get_results($wpdb->prepare(
		"SELECT * 
		FROM $wpdb->options 
		WHERE option_name LIKE %s 
		OR option_name LIKE %s",
		$search,
		$_search 
	), ARRAY_A);
	
	// Loop over results and append meta (removing the $prefix from the option name).
	$len = strlen("{$prefix}_");
	foreach( $rows as $row ) {
		$meta[ substr($row['option_name'], $len) ][] = $row['option_value'];
	}
	
	// Return results.
	return $meta;
}

/**
 * acf_get_metadata
 *
 * Retrieves specific metadata from the database.
 *
 * @date	16/10/2015
 * @since	5.2.3
 *
 * @param	(int|string) $post_id The post id.
 * @param	string $name The meta name.
 * @param	bool $hidden If the meta is hidden (starts with an underscore).
 * @return	mixed
 */
function acf_get_metadata( $post_id = 0, $name = '', $hidden = false ) {
	
	// Allow filter to short-circuit logic.
	$null = apply_filters( "acf/pre_load_metadata", null, $post_id, $name, $hidden );
    if( $null !== null ) {
	    return ( $null === '__return_null' ) ? null : $null;
    }
    
	// Decode $post_id for $type and $id.
	extract( acf_decode_post_id($post_id) );
	
	// Hidden meta uses an underscore prefix.
	$prefix = $hidden ? '_' : '';
	
	// Bail early if no $id (possible during new acf_form).
	if( !$id ) {
		return null;
	}
	
	// Check option.
	if( $type === 'option' ) {
		return get_option( "{$prefix}{$id}_{$name}", null );
		
	// Check meta.
	} else {
		$meta = get_metadata( $type, $id, "{$prefix}{$name}", false );
		return isset($meta[0]) ? $meta[0] : null;
	}
}

/**
 * acf_update_metadata
 *
 * Updates metadata in the database.
 *
 * @date	16/10/2015
 * @since	5.2.3
 *
 * @param	(int|string) $post_id The post id.
 * @param	string $name The meta name.
 * @param	mixed $value The meta value.
 * @param	bool $hidden If the meta is hidden (starts with an underscore).
 * @return	(int|bool) Meta ID if the key didn't exist, true on successful update, false on failure.
 */
function acf_update_metadata( $post_id = 0, $name = '', $value = '', $hidden = false ) {
	
	// Allow filter to short-circuit logic.
	$pre = apply_filters( "acf/pre_update_metadata", null, $post_id, $name, $value, $hidden );
    if( $pre !== null ) {
	    return $pre;
    }
    
	// Decode $post_id for $type and $id.
	extract( acf_decode_post_id($post_id) );
	
	// Hidden meta uses an underscore prefix.
	$prefix = $hidden ? '_' : '';
	
	// Bail early if no $id (possible during new acf_form).
	if( !$id ) {
		return false;
	}
	
	// Update option.
	if( $type === 'option' ) {
		
		// Unslash value to match update_metadata() functionality.
		$value = wp_unslash( $value );
		$autoload = (bool) acf_get_setting('autoload');
		return update_option( "{$prefix}{$id}_{$name}", $value, $autoload );
		
	// Update meta.
	} else {
		return update_metadata( $type, $id, "{$prefix}{$name}", $value );
	}
}

/**
 * acf_delete_metadata
 *
 * Deletes metadata from the database.
 *
 * @date	16/10/2015
 * @since	5.2.3
 *
 * @param	(int|string) $post_id The post id.
 * @param	string $name The meta name.
 * @param	bool $hidden If the meta is hidden (starts with an underscore).
 * @return	bool
 */
function acf_delete_metadata( $post_id = 0, $name = '', $hidden = false ) {
	
	// Allow filter to short-circuit logic.
	$pre = apply_filters( "acf/pre_delete_metadata", null, $post_id, $name, $hidden );
    if( $pre !== null ) {
	    return $pre;
    }
    
	// Decode $post_id for $type and $id.
	extract( acf_decode_post_id($post_id) );
	
	// Hidden meta uses an underscore prefix.
	$prefix = $hidden ? '_' : '';
	
	// Bail early if no $id (possible during new acf_form).
	if( !$id ) {
		return false;
	}
	
	// Update option.
	if( $type === 'option' ) {
		$autoload = (bool) acf_get_setting('autoload');
		return delete_option( "{$prefix}{$id}_{$name}" );
		
	// Update meta.
	} else {
		return delete_metadata( $type, $id, "{$prefix}{$name}" );
	}
}

/**
 * acf_copy_postmeta
 *
 * Copies meta from one post to another. Useful for saving and restoring revisions.
 *
 * @date	25/06/2016
 * @since	5.3.8
 *
 * @param	(int|string) $from_post_id The post id to copy from.
 * @param	(int|string) $to_post_id The post id to paste to.
 * @return	void
 */
function acf_copy_metadata( $from_post_id = 0, $to_post_id = 0 ) {
	
	// Get all postmeta.
	$meta = acf_get_meta( $from_post_id );
	
	// Check meta.
	if( $meta ) {
		
		// Slash data. WP expects all data to be slashed and will unslash it (fixes '\' character issues).
		$meta = wp_slash( $meta );
		
		// Loop over meta.
		foreach( $meta as $name => $value ) {
			acf_update_metadata( $to_post_id, $name, $value );	
		}
	}
}

/**
 * acf_copy_postmeta
 *
 * Copies meta from one post to another. Useful for saving and restoring revisions.
 *
 * @date	25/06/2016
 * @since	5.3.8
 * @deprecated 5.7.11
 *
 * @param	int $from_post_id The post id to copy from.
 * @param	int $to_post_id The post id to paste to.
 * @return	void
 */
function acf_copy_postmeta( $from_post_id = 0, $to_post_id = 0 ) {
	return acf_copy_metadata( $from_post_id, $to_post_id );
}

/**
 * acf_get_meta_field
 *
 * Returns a field using the provided $id and $post_id parameters.
 * Looks for a reference to help loading the correct field via name.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	string $key The meta name (field name).
 * @param	(int|string) $post_id The post_id where this field's value is saved.
 * @return	(array|false) The field array.
 */
function acf_get_meta_field( $key = 0, $post_id = 0 ) {
	
	// Try reference.
	$field_key = acf_get_reference( $key, $post_id );
	
	if( $field_key ) {
		$field = acf_get_field( $field_key );
		if( $field ) {
			$field['name'] = $key;
			return $field;
		}
	}
	
	// Return false.
	return false;
}

/**
 * acf_get_metaref
 *
 * Retrieves reference metadata from the database.
 *
 * @date	16/10/2015
 * @since	5.2.3
 *
 * @param	(int|string) $post_id The post id.
 * @param	string type The reference type (fields|groups).
 * @param	string $name An optional specific name
 * @return	mixed
 */
function acf_get_metaref( $post_id = 0, $type = 'fields', $name = '' ) {
	
	// Load existing meta.
	$meta = acf_get_metadata( $post_id, "_acf_$type" );
	
	// Handle no meta.
	if( !$meta ) {
		return $name ? '' : array();
	}
	
	// Return specific reference.
	if( $name ) {
		return isset($meta[ $name ]) ? $meta[ $name ] : '';
	
	// Or return all references.
	} else {
		return $meta;
	}
}

/**
 * acf_update_metaref
 *
 * Updates reference metadata in the database.
 *
 * @date	16/10/2015
 * @since	5.2.3
 *
 * @param	(int|string) $post_id The post id.
 * @param	string type The reference type (fields|groups).
 * @param	array $references An array of references.
 * @return	(int|bool) Meta ID if the key didn't exist, true on successful update, false on failure.
 */
function acf_update_metaref( $post_id = 0, $type = 'fields', $references = array() ) {
	
	// Get current references.
	$current = acf_get_metaref( $post_id, $type );
	
	// Merge in new references.
	$references = array_merge( $current, $references );
	
	// Simplify groups
	if( $type === 'groups' ) {
		$references = array_values($references);
	}
	
	// Remove duplicate references.
	$references = array_unique($references);
	
	// Update metadata.
	return acf_update_metadata( $post_id, "_acf_$type", $references );
} 
PK�[j'���includes/third-party.phpnu�[���<?php

/*
*  ACF 3rd Party Compatibility Class
*
*  All the logic for 3rd party functionality
*
*  @class 		acf_third_party
*  @package		ACF
*  @subpackage	Core
*/

if( ! class_exists('acf_third_party') ) :

class acf_third_party {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		// Tabify Edit Screen - http://wordpress.org/extend/plugins/tabify-edit-screen/
		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/
		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);
		}
		
		// Dark Mode
		if( class_exists('Dark_Mode') ) {
			add_action('doing_dark_mode', array($this, 'doing_dark_mode'));
		}
	}
	
	
	/**
	*  acf_get_post_types
	*
	*  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.
	*
	*  @date	24/2/18
	*  @since	5.6.9
	*
	*  @param	array $post_types
	*  @param	array $args
	*  @return	array
	*/
	
	function ee_get_post_types( $post_types, $args ) {
		
		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;
	}
	
	
	/*
	*  tabify_posttypes
	*
	*  This function removes ACF post types from the tabify edit screen (post type selection sidebar)
	*
	*  @type	function
	*  @date	9/10/12
	*  @since	3.5.1
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function tabify_posttypes( $posttypes ) {
		
		// unset
		unset( $posttypes['acf-field-group'] );
		unset( $posttypes['acf-field'] );
		
		
		// return
		return $posttypes;
	}
	
	
	/*
	*  tabify_add_meta_boxes
	*
	*  This function creates dummy metaboxes on the tabify edit screen page
	*
	*  @type	function
	*  @date	9/10/12
	*  @since	3.5.1
	*
	*  @param	$post_type (string)
	*  @return	n/a
	*/
	
	function tabify_add_meta_boxes( $post_type ) {
		
		// get field groups
		$field_groups = acf_get_field_groups();
		
		
		if( !empty($field_groups) ) {
			
			foreach( $field_groups as $field_group ) {
				
				// vars
				$id = "acf-{$field_group['key']}";
				$title = 'ACF: ' . $field_group['title'];

				
				
				// add meta box
				add_meta_box( $id, $title, '__return_true', $post_type );
				
			}
			
		}
		
	}
	
	
	/*
	*  pts_allowed_pages
	*
	*  This filter will prevent PTS from running on the field group page!
	*
	*  @type	function
	*  @date	25/09/2014
	*  @since	5.0.0
	*
	*  @param	$pages (array)
	*  @return	$pages
	*/
	
	function pts_allowed_pages( $pages ) {
		
		// vars
		$post_type = '';
		
		
		// check $_GET becuase it is too early to use functions / global vars
		if( !empty($_GET['post_type']) ) {
			
			$post_type = $_GET['post_type'];
			
		} elseif( !empty($_GET['post']) ) {
			
			$post_type = get_post_type( $_GET['post'] );
			
		}
				
		
		// check post type
		if( $post_type == 'acf-field-group' ) {
			
			$pages = array();
			
		}
		
		
		// return
		return $pages;
		
	}
	
	/**
	*  doing_dark_mode
	*
	*  Runs during 'admin_enqueue_scripts' if dark mode is enabled
	*
	*  @date	13/8/18
	*  @since	5.7.3
	*
	*  @param	void
	*  @return	void
	*/
	
	function doing_dark_mode() {
		wp_enqueue_style('acf-dark', acf_get_url('assets/css/acf-dark.css'), array(), ACF_VERSION );
	}
	
}

new acf_third_party();

endif;

?>PK�[�E��includes/deprecated.phpnu�[���<?php 

// Register deprecated filters ( $deprecated, $version, $replacement ).
acf_add_deprecated_filter( 'acf/settings/export_textdomain',	'5.3.3', 'acf/settings/l10n_textdomain' );
acf_add_deprecated_filter( 'acf/settings/export_translate',		'5.3.3', 'acf/settings/l10n_field' );
acf_add_deprecated_filter( 'acf/settings/export_translate',		'5.3.3', 'acf/settings/l10n_field_group' );
acf_add_deprecated_filter( 'acf/settings/dir',					'5.6.8', 'acf/settings/url' );
acf_add_deprecated_filter( 'acf/get_valid_field',				'5.5.6', 'acf/validate_field' );
acf_add_deprecated_filter( 'acf/get_valid_field_group',			'5.5.6', 'acf/validate_field_group' );
acf_add_deprecated_filter( 'acf/get_valid_post_id',				'5.5.6', 'acf/validate_post_id' );
acf_add_deprecated_filter( 'acf/get_field_reference',			'5.6.5', 'acf/load_reference' );
acf_add_deprecated_filter( 'acf/get_field_group',				'5.7.11', 'acf/load_field_group' );
acf_add_deprecated_filter( 'acf/get_field_groups',				'5.7.11', 'acf/load_field_groups' );
acf_add_deprecated_filter( 'acf/get_fields',					'5.7.11', 'acf/load_fields' );

// Register variations for deprecated filters.
acf_add_filter_variations( 'acf/get_valid_field', array('type'), 0 );

/**
 * acf_render_field_wrap_label
 *
 * Renders the field's label.
 *
 * @date	19/9/17
 * @since	5.6.3
 * @deprecated 5.6.5
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_render_field_wrap_label( $field ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.7.11', 'acf_render_field_label()' );
	
	// Render.
	acf_render_field_label( $field );
}

/**
 * acf_render_field_wrap_description
 *
 * Renders the field's instructions.
 *
 * @date	19/9/17
 * @since	5.6.3
 * @deprecated 5.6.5
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_render_field_wrap_description( $field ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.7.11', 'acf_render_field_instructions()' );
	
	// Render.
	acf_render_field_instructions( $field );
}

/*
 * acf_get_fields_by_id
 *
 * Returns and array of fields for the given $parent_id.
 *
 * @date	27/02/2014
 * @since	5.0.0.
 * @deprecated	5.7.11
 *
 * @param	int $parent_id The parent ID.
 * @return	array
 */
function acf_get_fields_by_id( $parent_id = 0 ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.7.11', 'acf_get_fields()' );
	
	// Return fields.
	return acf_get_fields(array( 'ID' => $parent_id, 'key' => "group_$parent_id" ));
}

/**
 * acf_update_option
 *
 * A wrapper for the WP update_option but provides logic for a 'no' autoload
 *
 * @date	4/01/2014
 * @since	5.0.0
 * @deprecated	5.7.11
 *
 * @param	string $option The option name.
 * @param	string $value The option value.
 * @param	string $autoload An optional autoload value.
 * @return	bool
 */
function acf_update_option( $option = '', $value = '', $autoload = null ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.7.11', 'update_option()' );
	
	// Update.
	if( $autoload === null ) {
		$autoload = (bool) acf_get_setting('autoload');
	}
	return update_option( $option, $value, $autoload );
}

/**
 * acf_get_field_reference
 *
 * Finds the field key for a given field name and post_id.
 *
 * @date	26/1/18
 * @since	5.6.5
 * @deprecated	5.6.8
 *
 * @param	string	$field_name	The name of the field. eg 'sub_heading'
 * @param	mixed	$post_id	The post_id of which the value is saved against
 * @return	string	$reference	The field key
 */
function acf_get_field_reference( $field_name, $post_id ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.6.8', 'acf_get_reference()' );
	
	// Return reference.
	return acf_get_reference( $field_name, $post_id );
}

/**
 * acf_get_dir
 *
 * Returns the plugin url to a specified file.
 *
 * @date	28/09/13
 * @since	5.0.0
 * @deprecated	5.6.8
 *
 * @param	string $filename The specified file.
 * @return	string
 */
function acf_get_dir( $filename = '' ) {
	
	// Warning.
	_deprecated_function( __FUNCTION__, '5.6.8', 'acf_get_url()' );
	
	// Return.
	return acf_get_url( $filename );
}
PK�[�M��includes/locations.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_locations') ) :

class acf_locations {
	
	
	/** @var array Contains an array of location rule instances */
	var $locations = array();
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function __construct() {
		
		/* do nothing */
		
	}
	
	
	/*
	*  register_location
	*
	*  This function will store a location rule class
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$instance (object)
	*  @return	n/a
	*/
	
	function register_location( $class ) {
		
		$instance = new $class();
		$this->locations[ $instance->name ] = $instance;
		
	}
	
	
	/*
	*  get_rule
	*
	*  This function will return a location rule class
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	$name (string)
	*  @return	(mixed)
	*/
	
	function get_location( $name ) {
		
		return isset( $this->locations[$name] ) ? $this->locations[$name] : null;
		
	}
	
		
	/*
	*  get_rules
	*
	*  This function will return a grouped array of location rules (category => name => label)
	*
	*  @type	function
	*  @date	6/07/2016
	*  @since	5.4.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function get_locations() {
		
		// vars
		$groups = array();
		$l10n = array(
			'post'		=> __('Post', 'acf'),
			'page'		=> __('Page', 'acf'),
			'user'		=> __('User', 'acf'),
			'forms'		=> __('Forms', 'acf'),
		);
		
			
		// loop
		foreach( $this->locations as $location ) {
			
			// bail ealry if not public
			if( !$location->public ) continue;
			
			
			// translate
			$cat = $location->category;
			$cat = isset( $l10n[$cat] ) ? $l10n[$cat] : $cat;
			
			
			// append
			$groups[ $cat ][ $location->name ] = $location->label;
			
		}
		
		
		// filter
		$groups = apply_filters('acf/location/rule_types', $groups);
		
		
		// return
		return $groups;
		
	}
	
}

// initialize
acf()->locations = new acf_locations();

endif; // class_exists check


/*
*  acf_register_location_rule
*
*  alias of acf()->locations->register_location()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_register_location_rule( $class ) {
	
	return acf()->locations->register_location( $class );
	
}


/*
*  acf_get_location_rule
*
*  alias of acf()->locations->get_location()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_location_rule( $name ) {
	
	return acf()->locations->get_location( $name );
	
}


/*
*  acf_get_location_rule_types
*
*  alias of acf()->locations->get_locations()
*
*  @type	function
*  @date	31/5/17
*  @since	5.6.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_get_location_rule_types() {
	
	return acf()->locations->get_locations();
	
}


/**
*  acf_validate_location_rule
*
*  Returns a valid location rule array.
*
*  @date	28/8/18
*  @since	5.7.4
*
*  @param	$rule array The rule array.
*  @return	array
*/

function acf_validate_location_rule( $rule = false ) {
	
	// defaults
	$rule = wp_parse_args( $rule, array(
		'id'		=> '',
		'group'		=> '',
		'param'		=> '',
		'operator'	=> '==',
		'value'		=> '',
	));
	
	// filter
	$rule = apply_filters( "acf/location/validate_rule/type={$rule['param']}", $rule );
	$rule = apply_filters( "acf/location/validate_rule", $rule);
	
	// return
	return $rule;
}

/*
*  acf_get_location_rule_operators
*
*  This function will return the operators for a given rule
*
*  @type	function
*  @date	30/5/17
*  @since	5.6.0
*
*  @param	$rule (array)
*  @return	(array)
*/

function acf_get_location_rule_operators( $rule ) {
	
	// vars
	$operators = array(
		'=='	=> __("is equal to",'acf'),
		'!='	=> __("is not equal to",'acf'),
	);
	
	
	// filter
	$operators = apply_filters( "acf/location/rule_operators/type={$rule['param']}", $operators, $rule );
	$operators = apply_filters( "acf/location/rule_operators/{$rule['param']}", $operators, $rule );
	$operators = apply_filters( "acf/location/rule_operators", $operators, $rule );
	
	
	// return
	return $operators;
	
}


/*
*  acf_get_location_rule_values
*
*  This function will return the values for a given rule 
*
*  @type	function
*  @date	30/5/17
*  @since	5.6.0
*
*  @param	$rule (array)
*  @return	(array)
*/

function acf_get_location_rule_values( $rule ) {
	
	// vars
	$values = array();
	
	
	// filter
	$values = apply_filters( "acf/location/rule_values/type={$rule['param']}", $values, $rule );
	$values = apply_filters( "acf/location/rule_values/{$rule['param']}", $values, $rule );
	$values = apply_filters( "acf/location/rule_values", $values, $rule );
	
	
	// return
	return $values;
	
}


/*
*  acf_match_location_rule
*
*  This function will match a given rule to the $screen
*
*  @type	function
*  @date	30/5/17
*  @since	5.6.0
*
*  @param	$rule (array)
*  @param	$screen (array)
*  @return	(boolean)
*/

function acf_match_location_rule( $rule, $screen, $field_group ) {
	
	// vars
	$result = false;
	
	
	// filter
	$result = apply_filters( "acf/location/match_rule/type={$rule['param']}", $result, $rule, $screen, $field_group );
	$result = apply_filters( "acf/location/match_rule", $result, $rule, $screen, $field_group );
	$result = apply_filters( "acf/location/rule_match/{$rule['param']}", $result, $rule, $screen, $field_group );
	$result = apply_filters( "acf/location/rule_match", $result, $rule, $screen, $field_group );
	
	
	// return
	return $result;
	
}


/*
*  acf_get_location_screen
*
*  This function will return a valid location screen array
*
*  @type	function
*  @date	30/5/17
*  @since	5.6.0
*
*  @param	$screen (array)
*  @param	$field_group (array)
*  @return	(array)
*/

function acf_get_location_screen( $screen = array(), $field_group = false ) {
	
	// vars
	$screen = wp_parse_args($screen, array(
		'lang'	=> acf_get_setting('current_language'),
		'ajax'	=> false
	));
	
	
	// filter for 3rd party customization
	$screen = apply_filters('acf/location/screen', $screen, $field_group);
	
	
	// return
	return $screen;
	
}

/**
*  acf_get_valid_location_rule
*
*  Deprecated in 5.7.4. Use acf_validate_location_rule() instead.
*
*  @date	30/5/17
*  @since	5.6.0
*
*  @param	$rule array The rule array.
*  @return	array
*/

function acf_get_valid_location_rule( $rule ) {
	return acf_validate_location_rule( $rule );
}

?>PK�[ɀ|�//includes/compatibility.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Compatibility') ) :

class ACF_Compatibility {
	
	/**
	*  __construct
	*
	*  Sets up the class functionality.
	*
	*  @date	30/04/2014
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	function __construct() {
		
		// actions
		add_filter('acf/validate_field',						array($this, 'validate_field'), 20, 1);
		add_filter('acf/validate_field/type=textarea',			array($this, 'validate_textarea_field'), 20, 1);
		add_filter('acf/validate_field/type=relationship',		array($this, 'validate_relationship_field'), 20, 1);
		add_filter('acf/validate_field/type=post_object',		array($this, 'validate_relationship_field'), 20, 1);
		add_filter('acf/validate_field/type=page_link',			array($this, 'validate_relationship_field'), 20, 1);
		add_filter('acf/validate_field/type=image',				array($this, 'validate_image_field'), 20, 1);
		add_filter('acf/validate_field/type=file',				array($this, 'validate_image_field'), 20, 1);
		add_filter('acf/validate_field/type=wysiwyg',			array($this, 'validate_wysiwyg_field'), 20, 1);
		add_filter('acf/validate_field/type=date_picker',		array($this, 'validate_date_picker_field'), 20, 1);
		add_filter('acf/validate_field/type=taxonomy',			array($this, 'validate_taxonomy_field'), 20, 1);
		add_filter('acf/validate_field/type=date_time_picker',	array($this, 'validate_date_time_picker_field'), 20, 1);
		add_filter('acf/validate_field/type=user',				array($this, 'validate_user_field'), 20, 1);
		add_filter('acf/validate_field_group',					array($this, 'validate_field_group'), 20, 1);
		
		// Modify field wrapper attributes
		add_filter('acf/field_wrapper_attributes',				array($this, 'field_wrapper_attributes'), 20, 2);
		
		// location
		add_filter('acf/location/validate_rule/type=post_taxonomy', array($this, 'validate_post_taxonomy_location_rule'), 20, 1);
		add_filter('acf/location/validate_rule/type=post_category', array($this, 'validate_post_taxonomy_location_rule'), 20, 1);
		
		// Update settings
		add_action('acf/init', array($this, 'init'));
	}
	
	/**
	 * init
	 *
	 * Adds compatibility for deprecated settings.
	 *
	 * @date	10/6/19
	 * @since	5.8.1
	 *
	 * @param	void
	 * @return	void
	 */
	function init() {
		
		// Update "show_admin" setting based on defined constant.
		if( defined('ACF_LITE') && ACF_LITE ) {
			acf_update_setting( 'show_admin', false );
		}
	}
	
	/**
	 * field_wrapper_attributes
	 *
	 * Adds compatibility with deprecated field wrap attributes.
	 *
	 * @date	21/1/19
	 * @since	5.7.10
	 *
	 * @param	array $wrapper The wrapper attributes array.
	 * @param	array $field The field array.
	 */
	function field_wrapper_attributes( $wrapper, $field ) {
		
		// Check compatibility setting.
		if( acf_get_compatibility('field_wrapper_class') ) {
			$wrapper['class'] .= " field_type-{$field['type']}";
			if( $field['key'] ) {
				$wrapper['class'] .= " field_key-{$field['key']}";
			}
		}
		
		// Return wrapper.
		return $wrapper;
	}
	
	/**
	*  validate_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_field( $field ) {
		
		// conditional logic data structure changed to groups in version 5.0.0
		// convert previous data (status, rules, allorany) into groups
		if( isset($field['conditional_logic']['status']) ) {
			
			// check status
			if( $field['conditional_logic']['status'] ) {
				$field['conditional_logic'] = acf_convert_rules_to_groups($field['conditional_logic']['rules'], $field['conditional_logic']['allorany']);
			} else {
				$field['conditional_logic'] = 0;
			}
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_textarea_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_textarea_field( $field ) {
		
		// formatting has been removed
		$formatting = acf_extract_var( $field, 'formatting' );
		if( $formatting === 'br' ) {
			$field['new_lines'] = 'br';
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_relationship_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_relationship_field( $field ) {
		
		// remove 'all' from post_type
		if( acf_in_array('all', $field['post_type']) ) {
			$field['post_type'] = array();
		}
		
		// remove 'all' from taxonomy
		if( acf_in_array('all', $field['taxonomy']) ) {
			$field['taxonomy'] = array();
		}
		
		// result_elements is now elements
		if( isset($field['result_elements']) ) {
			$field['elements'] = acf_extract_var( $field, 'result_elements' );
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_image_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_image_field( $field ) {
		
		// save_format is now return_format
		if( isset($field['save_format']) ) {
			$field['return_format'] = acf_extract_var( $field, 'save_format' );
		}
		
		// object is now array
		if( $field['return_format'] == 'object' ) {
			$field['return_format'] = 'array';
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_wysiwyg_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_wysiwyg_field( $field ) {
		
		// media_upload is now numeric
		if( $field['media_upload'] === 'yes' ) {
			$field['media_upload'] = 1;
		} elseif( $field['media_upload'] === 'no' ) {
			$field['media_upload'] = 0;
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_date_picker_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_date_picker_field( $field ) {
		
		// date_format has changed to display_format
		if( isset($field['date_format']) ) {
			
			// extract vars
			$date_format = $field['date_format'];
			$display_format = $field['display_format'];
			
			// convert from js to php
			$display_format = acf_convert_date_to_php( $display_format );
			
			// append settings
			$field['display_format'] = $display_format;
			$field['save_format'] = $date_format;
			
			// clean up
			unset($field['date_format']);
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_taxonomy_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.2.7
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_taxonomy_field( $field ) {
		
		// load_save_terms deprecated in favour of separate save_terms
		if( isset($field['load_save_terms']) ) {
			$field['save_terms'] = acf_extract_var( $field, 'load_save_terms' );
		}
		
		// return
		return $field;
	}
	
	/**
	*  validate_date_time_picker_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.2.7
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_date_time_picker_field( $field ) {
		
		// 3rd party date time picker
		// https://github.com/soderlind/acf-field-date-time-picker
		if( !empty($field['time_format']) ) {
			
			// extract vars
			$time_format = acf_extract_var( $field, 'time_format' );
			$date_format = acf_extract_var( $field, 'date_format' );
			$get_as_timestamp = acf_extract_var( $field, 'get_as_timestamp' );
			
			// convert from js to php
			$time_format = acf_convert_time_to_php( $time_format );
			$date_format = acf_convert_date_to_php( $date_format );
			
			// append settings
			$field['return_format'] = $date_format . ' ' . $time_format;
			$field['display_format'] = $date_format . ' ' . $time_format;
			
			// timestamp
			if( $get_as_timestamp === 'true' ) {
				$field['return_format'] = 'U';
			}
		}

		// return
		return $field;
	}
	
	/**
	*  validate_user_field
	*
	*  Adds compatibility with deprecated settings
	*
	*  @date	23/04/2014
	*  @since	5.2.7
	*
	*  @param	array $field The field array.
	*  @return	array $field
	*/
	function validate_user_field( $field ) {
		
		// remove 'all' from roles
		if( acf_in_array('all', $field['role']) ) {
			$field['role'] = '';
		}
		
		// field_type removed in favour of multiple
		if( isset($field['field_type']) ) {
			
			// extract vars
			$field_type = acf_extract_var( $field, 'field_type' );
			
			// multiple
			if( $field_type === 'multi_select' ) {
				$field['multiple'] = true;
			}
		}
		
		// return
		return $field;
	}
	
	/*
	*  validate_field_group
	*
	*  This function will provide compatibility with ACF4 field groups
	*
	*  @type	function
	*  @date	23/04/2014
	*  @since	5.0.0
	*
	*  @param	$field_group (array)
	*  @return	$field_group
	*/
	function validate_field_group( $field_group ) {
		
		// vars
		$version = 5;
		
		// field group key was added in version 5.0.0
		// detect ACF4 data and generate key
		if( !$field_group['key'] ) {
			$version = 4;
			$field_group['key'] = isset($field_group['id']) ? "group_{$field_group['id']}" : uniqid('group_');
		}
		
		// prior to version 5.0.0, settings were saved in an 'options' array
		// extract and merge options into the field group
		if( isset($field_group['options']) ) {
			$options = acf_extract_var($field_group, 'options');
			$field_group = array_merge($field_group, $options);
		}
		
		// location data structure changed to groups in version 4.1.0
		// convert previous data (rules, allorany) into groups
		if( isset($field_group['location']['rules']) ) {
			$field_group['location'] = acf_convert_rules_to_groups($field_group['location']['rules'], $field_group['location']['allorany']);
		}
		
		// some location rule names have changed in version 5.0.0
		// loop over location data and modify rules
		$replace = array(
	 		'taxonomy'		=> 'post_taxonomy',
	 		'ef_media'		=> 'attachment',
	 		'ef_taxonomy'	=> 'taxonomy',
	 		'ef_user'		=> 'user_role',
	 		'user_type'		=> 'current_user_role' // 5.2.0
	 	);
	 	
	 	// only replace 'taxonomy' rule if is an ACF4 field group
	 	if( $version > 4 ) {
		 	unset($replace['taxonomy']);
	 	}
	 	
	 	// loop over location groups
		if( $field_group['location'] ) {
		foreach( $field_group['location'] as $i => $group ) {
			
			// loop over group rules
			if( $group ) {
			foreach( $group as $j => $rule ) {
				
				// migrate param
				if( isset($replace[ $rule['param'] ]) ) {
					$field_group['location'][ $i ][ $j ]['param'] = $replace[ $rule['param'] ];
				}
			}}
		}}
		
		// change layout to style (v5.0.0)
		if( isset($field_group['layout']) ) {
			$field_group['style'] = acf_extract_var($field_group, 'layout');
		}
		
		// change no_box to seamless (v5.0.0)
		if( $field_group['style'] === 'no_box' ) {
			$field_group['style'] = 'seamless';
		}
		
		//return
		return $field_group;
	}
	
	/**
	*  validate_post_taxonomy_location_rule
	*
	*  description
	*
	*  @date	27/8/18
	*  @since	5.7.4
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	function validate_post_taxonomy_location_rule( $rule ) {
		
		// previous versions of ACF (v4.4.12) saved value as term_id
		// convert term_id into "taxonomy:slug" string
		if( is_numeric($rule['value']) ) {
			$term = acf_get_term( $rule['value'] );
			if( $term ) {
				$rule['value'] = acf_encode_term($term);
			}
		}
		
		// return
		return $rule;
	}
	
}

acf_new_instance('ACF_Compatibility');

endif; // class_exists check

/*
 * acf_get_compatibility
 *
 * Returns true if compatibility is enabled for the given component.
 *
 * @date	20/1/15
 * @since	5.1.5
 *
 * @param	string $name The name of the component to check.
 * @return	bool
 */
function acf_get_compatibility( $name ) {
	return apply_filters( "acf/compatibility/{$name}", false );
}PK�[T�/�e#e# includes/acf-input-functions.phpnu�[���<?php 

/**
 * acf_filter_attrs
 *
 * Filters out empty attrs from the provided array.
 *
 * @date	11/6/19
 * @since	5.8.1
 *
 * @param	array $attrs The array of attrs.
 * @return	array
 */
function acf_filter_attrs( $attrs ) {
	
	// Filter out empty attrs but allow "0" values.
	$filtered = array_filter( $attrs, 'acf_not_empty' );
	
	// Correct specific attributes (required="required").
	foreach( array('required', 'readonly', 'disabled', 'multiple') as $key ) {
		unset($filtered[ $key ]);
		if( !empty($attrs[ $key ]) ) {
			$filtered[ $key ] = $key;
		}
	}
	return $filtered;
}

/**
 * acf_esc_attrs
 *
 * Generated valid HTML from an array of attrs.
 *
 * @date	11/6/19
 * @since	5.8.1
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_esc_attrs( $attrs ) {
	$html = '';
	
	// Loop over attrs and validate data types.
	foreach( $attrs as $k => $v ) {
		
		// String (but don't trim value).
		if( is_string($v) && ($k !== 'value') ) {
			$v = trim($v);
			
		// Boolean	
		} elseif( is_bool($v) ) {
			$v = $v ? 1 : 0;
			
		// Object
		} elseif( is_array($v) || is_object($v) ) {
			$v = json_encode($v);
		}
		
		// Generate HTML.
		$html .= sprintf( ' %s="%s"', esc_attr($k), esc_attr($v) );
	}
	
	// Return trimmed.
	return trim( $html );
}

/**
 * acf_esc_html
 *
 * Encodes <script> tags for safe HTML output.
 *
 * @date	12/6/19
 * @since	5.8.1
 *
 * @param	string $string
 * @return	string
 */
function acf_esc_html( $string = '' ) {
	$string = strval($string);
	
	// Encode "<script" tags to invalidate DOM elements.
	if( strpos($string, '<script') !== false ) {
		$string = str_replace('<script', htmlspecialchars('<script'), $string);
		$string = str_replace('</script', htmlspecialchars('</script'), $string);
	}
	return $string;
}

/**
 * acf_html_input
 *
 * Returns the HTML of an input.
 *
 * @date	13/6/19
 * @since	5.8.1
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
//function acf_html_input( $attrs = array() ) {
//	return sprintf( '<input %s/>', acf_esc_attrs($attrs) );
//}

/**
 * acf_hidden_input
 *
 * Renders the HTML of a hidden input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_hidden_input( $attrs = array() ) {
	echo acf_get_hidden_input( $attrs );
}

/**
 * acf_get_hidden_input
 *
 * Returns the HTML of a hidden input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_hidden_input( $attrs = array() ) {
	return sprintf( '<input type="hidden" %s/>', acf_esc_attrs($attrs) );
}

/**
 * acf_text_input
 *
 * Renders the HTML of a text input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_text_input( $attrs = array() ) {
	echo acf_get_text_input( $attrs );
}

/**
 * acf_get_text_input
 *
 * Returns the HTML of a text input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_text_input( $attrs = array() ) {
	$attrs = wp_parse_args($attrs, array(
		'type' => 'text'
	));
	return sprintf( '<input %s/>', acf_esc_attrs($attrs) );
}

/**
 * acf_file_input
 *
 * Renders the HTML of a file input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_file_input( $attrs = array() ) {
	echo acf_get_file_input( $attrs );
}

/**
 * acf_get_file_input
 *
 * Returns the HTML of a file input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_file_input( $attrs = array() ) {
	return sprintf( '<input type="file" %s/>', acf_esc_attrs($attrs) );
}

/**
 * acf_textarea_input
 *
 * Renders the HTML of a textarea input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_textarea_input( $attrs = array() ) {
	echo acf_get_textarea_input( $attrs );
}

/**
 * acf_get_textarea_input
 *
 * Returns the HTML of a textarea input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_textarea_input( $attrs = array() ) {
	$value = '';
	if( isset($attrs['value']) ) {
		$value = $attrs['value'];
		unset( $attrs['value'] );
	}
	return sprintf( '<textarea %s>%s</textarea>', acf_esc_attrs($attrs), esc_textarea($value) );
}

/**
 * acf_checkbox_input
 *
 * Renders the HTML of a checkbox input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_checkbox_input( $attrs = array() ) {
	echo acf_get_checkbox_input( $attrs );
}

/**
 * acf_get_checkbox_input
 *
 * Returns the HTML of a checkbox input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_checkbox_input( $attrs = array() ) {
	
	// Allow radio or checkbox type.
	$attrs = wp_parse_args($attrs, array(
		'type' => 'checkbox'
	));
	
	// Get label.
	$label = '';
	if( isset($attrs['label']) ) {
		$label= $attrs['label'];
		unset( $attrs['label'] );
	}
	
	// Render.
	$checked = isset($attrs['checked']);
	return '<label' . ($checked ? ' class="selected"' : '') . '><input ' . acf_esc_attr($attrs) . '/> ' . acf_esc_html($label) . '</label>';
}

/**
 * acf_radio_input
 *
 * Renders the HTML of a radio input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_radio_input( $attrs = array() ) {
	echo acf_get_radio_input( $attrs );
}

/**
 * acf_get_radio_input
 *
 * Returns the HTML of a radio input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_radio_input( $attrs = array() ) {
	$attrs['type'] = 'radio';
	return acf_get_checkbox_input( $attrs );
}

/**
 * acf_select_input
 *
 * Renders the HTML of a select input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_select_input( $attrs = array() ) {
	echo acf_get_select_input( $attrs );
}

/**
 * acf_select_input
 *
 * Returns the HTML of a select input.
 *
 * @date	3/02/2014
 * @since	5.0.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_get_select_input( $attrs = array() ) {
	$value = (array) acf_extract_var( $attrs, 'value' );
	$choices = (array) acf_extract_var( $attrs, 'choices' );
	return sprintf(
		'<select %s>%s</select>',
		acf_esc_attrs($attrs),
		acf_walk_select_input($choices, $value)
	);
}

/**
 * acf_walk_select_input
 *
 * Returns the HTML of a select input's choices.
 *
 * @date	27/6/17
 * @since	5.6.0
 *
 * @param	array $choices The choices to walk through.
 * @param	array $values The selected choices.
 * @param	array $depth The current walk depth.
 * @return	string
 */
function acf_walk_select_input( $choices = array(), $values = array(), $depth = 0 ) {
	$html = '';
	
	// Sanitize values for 'selected' matching (only once).
	if( $depth == 0 ) {
		$values = array_map('esc_attr', $values);
	}
	
	// Loop over choices and append to html.
	if( $choices ) {
		foreach( $choices as $value => $label ) {
			
			// Multiple (optgroup)
			if( is_array($label) ){
				$html .= sprintf(
					'<optgroup label="%s">%s</optgroup>',
					esc_attr($value),
					acf_walk_select_input( $label, $values, $depth+1 )
				);
			
			// single (option)	
			} else {
				$attrs = array(
					'value' => $value
				);
				
				// If is selected.
				$pos = array_search( esc_attr($value), $values );
				if( $pos !== false ) {
					$attrs['selected'] = 'selected';
					$attrs['data-i'] = $pos;
				}
				$html .= sprintf( '<option %s>%s</option>', acf_esc_attr($attrs), esc_html($label) );
			}
		}
	}
	return $html;
}

/**
 * acf_clean_atts
 *
 * See acf_filter_attrs().
 *
 * @date	3/10/17
 * @since	5.6.3
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_clean_atts( $attrs ) {
	return acf_filter_attrs( $attrs );
}

/**
 * acf_esc_atts
 *
 * See acf_esc_attrs().
 *
 * @date	27/6/17
 * @since	5.6.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_esc_atts( $attrs ) {
	return acf_esc_attrs( $attrs );
}

/**
 * acf_esc_attr
 *
 * See acf_esc_attrs().
 *
 * @date	13/6/19
 * @since	5.8.1
 * @deprecated	5.6.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_esc_attr( $attrs ) {
	return acf_esc_attrs( $attrs );
}

/**
 * acf_esc_attr_e
 *
 * See acf_esc_attrs().
 *
 * @date	13/6/19
 * @since	5.8.1
 * @deprecated	5.6.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_esc_attr_e( $attrs ) {
	echo acf_esc_attrs( $attrs );
}

/**
 * acf_esc_atts_e
 *
 * See acf_esc_attrs().
 *
 * @date	13/6/19
 * @since	5.8.1
 * @deprecated	5.6.0
 *
 * @param	array $attrs The array of attrs.
 * @return	string
 */
function acf_esc_atts_e( $attrs ) {
	echo acf_esc_attrs( $attrs );
}
PK�[�?�bbincludes/acf-hook-functions.phpnu�[���<?php 

// Register store.
acf_register_store( 'hook-variations' );

/**
 * acf_add_filter_variations
 *
 * Registers variations for the given filter.
 *
 * @date	26/1/19
 * @since	5.7.11
 *
 * @param	string $filter The filter name.
 * @param	array $variations An array variation keys.
 * @param	int $index The param index to find variation values.
 * @return	void
 */
function acf_add_filter_variations( $filter = '', $variations = array(), $index = 0 ) {
	
	// Store replacement data.
	acf_get_store('hook-variations')->set( $filter, array(
		'type'			=> 'filter',
		'variations' 	=> $variations,
		'index' 		=> $index,
	));
	
	// Add generic handler.
	// Use a priotiry of 10, and accepted args of 10 (ignored by WP).
	add_filter( $filter, '_acf_apply_hook_variations', 10, 10 );
}

/**
 * acf_add_action_variations
 *
 * Registers variations for the given action.
 *
 * @date	26/1/19
 * @since	5.7.11
 *
 * @param	string $action The action name.
 * @param	array $variations An array variation keys.
 * @param	int $index The param index to find variation values.
 * @return	void
 */
function acf_add_action_variations( $action = '', $variations = array(), $index = 0 ) {
	
	// Store replacement data.
	acf_get_store('hook-variations')->set( $action, array(
		'type'			=> 'action',
		'variations' 	=> $variations,
		'index' 		=> $index,
	));
	
	// Add generic handler.
	// Use a priotiry of 10, and accepted args of 10 (ignored by WP).
	add_action( $action, '_acf_apply_hook_variations', 10, 10 );
}

/**
 * _acf_apply_hook_variations
 *
 * Applys hook variations during apply_filters() or do_action().
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	mixed
 * @return	mixed
 */
function _acf_apply_hook_variations() {
	
	// Get current filter.
	$filter = current_filter();
	
	// Get args provided.
	$args = func_get_args();
	
	// Get variation information.
	$variations = acf_get_store('hook-variations')->get( $filter );
	extract( $variations );
	
	// Find field in args using index.
	$field = $args[ $index ];
	
	// Loop over variations and apply filters.
	foreach( $variations as $variation ) {
		
		// Get value from field.
		// First look for "backup" value ("_name", "_key").
		if( isset($field[ "_$variation" ]) ) {
			$value = $field[ "_$variation" ];
		} elseif( isset($field[ $variation ]) ) {
			$value = $field[ $variation ];
		} else {
			continue;
		}
		
		// Apply filters.
		if( $type === 'filter' ) {
			$args[0] = apply_filters_ref_array( "$filter/$variation=$value", $args );
		
		// Or do action.
		} else {
			do_action_ref_array( "$filter/$variation=$value", $args );
		}
	}
	
	// Return first arg.
	return $args[0];
}

// Register store.
acf_register_store( 'deprecated-hooks' );

/**
 * acf_add_deprecated_filter
 *
 * Registers a deprecated filter to run during the replacement.
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	string $deprecated The deprecated hook.
 * @param	string $version The version this hook was deprecated.
 * @param	string $replacement The replacement hook.
 * @return	void
 */
function acf_add_deprecated_filter( $deprecated, $version, $replacement ) {
	
	// Store replacement data.
	acf_get_store('deprecated-hooks')->append(array(
		'type'			=> 'filter',
		'deprecated' 	=> $deprecated,
		'replacement' 	=> $replacement,
		'version'		=> $version
	));
	
	// Add generic handler.
	// Use a priotiry of 10, and accepted args of 10 (ignored by WP).
	add_filter( $replacement, '_acf_apply_deprecated_hook', 10, 10 );
}

/**
 * acf_add_deprecated_action
 *
 * Registers a deprecated action to run during the replacement.
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	string $deprecated The deprecated hook.
 * @param	string $version The version this hook was deprecated.
 * @param	string $replacement The replacement hook.
 * @return	void
 */
function acf_add_deprecated_action( $deprecated, $version, $replacement ) {
	
	// Store replacement data.
	acf_get_store('deprecated-hooks')->append(array(
		'type'			=> 'action',
		'deprecated' 	=> $deprecated,
		'replacement' 	=> $replacement,
		'version'		=> $version
	));
	
	// Add generic handler.
	// Use a priotiry of 10, and accepted args of 10 (ignored by WP).
	add_filter( $replacement, '_acf_apply_deprecated_hook', 10, 10 );
}

/**
 * _acf_apply_deprecated_hook
 *
 * Applys a deprecated filter during apply_filters() or do_action().
 *
 * @date	25/1/19
 * @since	5.7.11
 *
 * @param	mixed
 * @return	mixed
 */
function _acf_apply_deprecated_hook() {
	
	// Get current hook.
	$hook = current_filter();
	
	// Get args provided.
	$args = func_get_args();
	
	// Get deprecated items for this hook.
	$items = acf_get_store('deprecated-hooks')->query(array( 'replacement' => $hook ));
	
	// Loop over results.
	foreach( $items as $item ) {
		
		// Extract data.
		extract( $item );
		
		// Check if anyone is hooked into this deprecated hook.
		if( has_filter($deprecated) ) {
			
			// Log warning.
			//_deprecated_hook( $deprecated, $version, $hook );
		
			// Apply filters.
			if( $type === 'filter' ) {
				$args[0] = apply_filters_ref_array( $deprecated, $args );
			
			// Or do action.
			} else {
				do_action_ref_array( $deprecated, $args );
			}
		}
	}
	
	// Return first arg.
	return $args[0];
}

PK�[=k�I���� includes/acf-field-functions.phpnu�[���<?php 

// Register store.
acf_register_store( 'fields' )->prop( 'multisite', true );

/**
 * acf_get_field
 *
 * Retrieves a field for the given identifier.
 *
 * @date	17/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	(array|false) The field array.
 */
function acf_get_field( $id = 0 ) {
	
	// Allow WP_Post to be passed.
	if( is_object($id) ) {
		$id = $id->ID;
	}
	
	// Check store.
	$store = acf_get_store( 'fields' );
	if( $store->has( $id ) ) {
		return $store->get( $id );
	}
	
	// Check local fields first.
	if( acf_is_local_field($id) ) {
		$field = acf_get_local_field( $id );
	
	// Then check database.
	} else {
		$field = acf_get_raw_field( $id );
	}
	
	// Bail early if no field.
	if( !$field ) {
		return false;
	}
	
	// Validate field.
	$field = acf_validate_field( $field );
	
	// Set input prefix.
	$field['prefix'] = 'acf';
	
	/**
	 * Filters the $field array after it has been loaded.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array The field array.
	 */
	$field = apply_filters( "acf/load_field", $field );
	
	// Store field using aliasses to also find via key, ID and name.
	$store->set( $field['key'], $field );
	$store->alias( $field['key'], $field['ID'], $field['name'] );
	
	// Return.
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/load_field', array('type', 'name', 'key'), 0 );

/**
 * acf_get_raw_field
 *
 * Retrieves raw field data for the given identifier.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	(array|false) The field array.
 */
function acf_get_raw_field( $id = 0 ) {
	
	// Get raw field from database.
	$post = acf_get_field_post( $id );
	if( !$post ) {
		return false;
	}
	
	// Bail early if incorrect post type.
	if( $post->post_type !== 'acf-field' ) {
		return false;
	}
	
	// Unserialize post_content.
	$field = (array) maybe_unserialize( $post->post_content );
	
	// update attributes
	$field['ID'] = $post->ID;
	$field['key'] = $post->post_name;
	$field['label'] = $post->post_title;
	$field['name'] = $post->post_excerpt;
	$field['menu_order'] = $post->menu_order;
	$field['parent'] = $post->post_parent;

	// Return field.
	return $field;
}

/**
 * acf_get_field_post
 *
 * Retrieves the field's WP_Post object.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	(array|false) The field array.
 */
function acf_get_field_post( $id = 0 ) {
	
	// Get post if numeric.
	if( is_numeric($id) ) {
		return get_post( $id );
	
	// Search posts if is string.
	} elseif( is_string($id) ) {
		
		// Determine id type.
		$type = acf_is_field_key($id) ? 'key' : 'name';
		
		// Try cache.
		$cache_key = acf_cache_key( "acf_get_field_post:$type:$id" );
		$post_id = wp_cache_get( $cache_key, 'acf' );
		if( $post_id === false ) {
			
			// Query posts.
			$posts = get_posts(array(
				'posts_per_page'			=> 1,
				'post_type'					=> 'acf-field',
				'orderby' 					=> 'menu_order title',
				'order'						=> 'ASC',
				'suppress_filters'			=> false,
				'cache_results'				=> true,
				'update_post_meta_cache'	=> false,
				'update_post_term_cache'	=> false,
				"acf_field_$type"			=> $id
			));
			
			// Update $post_id with a non false value.
			$post_id = $posts ? $posts[0]->ID : 0;
			
			// Update cache.
			wp_cache_set( $cache_key, $post_id, 'acf' );
		}
		
		// Check $post_id and return the post when possible.
		if( $post_id ) {
			return get_post( $post_id );
		}
	}
	
	// Return false by default.
	return false;
}

/**
 * acf_is_field_key
 *
 * Returns true if the given identifier is a field key.
 *
 * @date	6/12/2013
 * @since	5.0.0
 *
 * @param	string $id The identifier.
 * @return	bool
 */
function acf_is_field_key( $id = '' ) {
	
	// Check if $id is a string starting with "field_".
	if( is_string($id) && substr($id, 0, 6) === 'field_' ) {
		return true;
	}
	
	/**
	 * Filters whether the $id is a field key.
	 *
	 * @date	23/1/19
	 * @since	5.7.10
	 *
	 * @param	bool $bool The result.
	 * @param	string $id The identifier.
	 */
	return apply_filters( 'acf/is_field_key', false, $id );
}

/**
 * acf_validate_field
 *
 * Ensures the given field valid.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_validate_field( $field = array() ) {
	
	// Bail early if already valid.
	if( is_array($field) && !empty($field['_valid']) ) {
		return $field;
	}
	
	// Apply defaults.
	$field = wp_parse_args($field, array(
		'ID'				=> 0,
		'key'				=> '',
		'label'				=> '',
		'name'				=> '',
		'prefix'			=> '',
		'type'				=> 'text',
		'value'				=> null,
		'menu_order'		=> 0,
		'instructions'		=> '',
		'required'			=> false,
		'id'				=> '',
		'class'				=> '',
		'conditional_logic'	=> false,
		'parent'			=> 0,
		'wrapper'			=> array()
		//'attributes'		=> array()
	));
	
	// Convert types.
	$field['ID'] = (int) $field['ID'];
	$field['menu_order'] = (int) $field['menu_order'];
	
	// Add backwards compatibility for wrapper attributes.
	// Todo: Remove need for this.
	$field['wrapper'] = wp_parse_args($field['wrapper'], array(
		'width'				=> '',
		'class'				=> '',
		'id'				=> ''
	));
	
	// Store backups.
	$field['_name'] = $field['name'];
	$field['_valid'] = 1;
	
	/**
	 * Filters the $field array to validate settings.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	$field = apply_filters( "acf/validate_field", $field );
	
	// return
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/validate_field', array('type'), 0 );

/**
 * acf_get_valid_field
 *
 * Ensures the given field valid.
 *
 * @date		28/09/13
 * @since		5.0.0
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_get_valid_field( $field = false ) {
	return acf_validate_field( $field );
}

/**
 * acf_translate_field
 *
 * Translates a field's settings.
 *
 * @date	8/03/2016
 * @since	5.3.2
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_translate_field( $field = array() ) {
	
	// Get settings.
	$l10n = acf_get_setting('l10n');
	$l10n_textdomain = acf_get_setting('l10n_textdomain');
	
	// Translate field settings if textdomain is set.
	if( $l10n && $l10n_textdomain ) {
		
		$field['label'] = acf_translate( $field['label'] );
		$field['instructions'] = acf_translate( $field['instructions'] );
		
		/**
		 * Filters the $field array to translate strings.
		 *
		 * @date	12/02/2014
		 * @since	5.0.0
		 *
		 * @param	array $field The field array.
		 */
		$field = apply_filters( "acf/translate_field", $field );	
	}
	
	// Return field.
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/translate_field', array('type'), 0 );

// Translate fields passing through validation.
add_action('acf/validate_field', 'acf_translate_field');

/**
 * acf_get_fields
 *
 * Returns and array of fields for the given $parent.
 *
 * @date	30/09/13
 * @since	5.0.0
 *
 * @param	(int|string|array) $parent The field group or field settings. Also accepts the field group ID or key.
 * @return	array
 */
function acf_get_fields( $parent ) {
	
	// Allow field group selector as $parent.
	if( !is_array($parent) ) {
		$parent = acf_get_field_group( $parent );
		if( !$parent ) {
			return array();
		}
	}
	
	// Vars.
	$fields = array();
	
	// Check local fields first.
	if( acf_have_local_fields($parent['key']) ) {
		$raw_fields = acf_get_local_fields( $parent['key'] );
		foreach( $raw_fields as $raw_field ) {
			$fields[] = acf_get_field( $raw_field['key'] );
		}
	
	// Then check database.
	} else {
		$raw_fields = acf_get_raw_fields( $parent['ID'] );
		foreach( $raw_fields as $raw_field ) {
			$fields[] = acf_get_field( $raw_field['ID'] );
		}
	}
	
	/**
	 * Filters the $fields array.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $fields The array of fields.
	 */
	$fields = apply_filters( 'acf/load_fields', $fields, $parent );
	
	// Return fields
	return $fields;	
}

/**
 * acf_get_raw_fields
 *
 * Returns and array of raw field data for the given parent id.
 *
 * @date	18/1/19
 * @since	5.7.10
 *
 * @param	int $id The field group or field id.
 * @return	array
 */
function acf_get_raw_fields( $id = 0 ) {
	
	// Try cache.
	$cache_key = acf_cache_key( "acf_get_field_posts:$id" );
	$post_ids = wp_cache_get( $cache_key, 'acf' );
	if( $post_ids === false ) {
		
		// Query posts.
		$posts = get_posts(array(
			'posts_per_page'			=> -1,
			'post_type'					=> 'acf-field',
			'orderby'					=> 'menu_order',
			'order'						=> 'ASC',
			'suppress_filters'			=> true, // DO NOT allow WPML to modify the query
			'cache_results'				=> true,
			'update_post_meta_cache'	=> false,
			'update_post_term_cache'	=> false,
			'post_parent'				=> $id,
			'post_status'				=> array('publish', 'trash'),
		));
		
		// Update $post_ids with a non false value.
		$post_ids = array();
		foreach( $posts as $post ) {
			$post_ids[] = $post->ID;
		}
		
		// Update cache.
		wp_cache_set( $cache_key, $post_ids, 'acf' );
	}
	
	// Loop over ids and populate array of fields.
	$fields = array();
	foreach( $post_ids as $post_id ) {
		$fields[] = acf_get_raw_field( $post_id );
	}
	
	// Return fields.
	return $fields;
}

/**
 * acf_get_field_count
 *
 * Return the number of fields for the given field group.
 *
 * @date	17/10/13
 * @since	5.0.0
 *
 * @param	array $parent The field group or field array.
 * @return	int
 */
function acf_get_field_count( $parent ) {
	
	// Check local fields first.
	if( acf_have_local_fields($parent['key']) ) { 
		$raw_fields = acf_get_local_fields( $parent['key'] );
	
	// Then check database.
	} else {
		$raw_fields = acf_get_raw_fields( $parent['ID'] );
	}
	
	/**
	 * Filters the counted number of fields.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	int $count The number of fields.
	  * @param	array $parent The field group or field array.
	 */
	return apply_filters( 'acf/get_field_count', count($raw_fields), $parent );
}

/**
 * acf_clone_field
 *
 * Allows customization to a field when it is cloned. Used by the clone field.
 *
 * @date	8/03/2016
 * @since	5.3.2
 *
 * @param	array $field The field being cloned.
 * @param	array $clone_field The clone field.
 * @return	array
 */
function acf_clone_field( $field, $clone_field ) {
	
	// Add reference to the clone field.
	$field['_clone'] = $clone_field['key'];
	
	/**
	 * Filters the $field array when it is being cloned.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 * @param	array $clone_field The clone field array.
	 */
	$field = apply_filters( "acf/clone_field", $field, $clone_field );
	
	// Return field.
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/clone_field', array('type'), 0 );

/**
 * acf_prepare_field
 *
 * Prepare a field for input.
 *
 * @date	20/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_prepare_field( $field ) {
	
	// Bail early if already prepared.
	if( !empty($field['_prepare']) ) {
		return $field;
	}
	
	// Use field key to override input name.
	if( $field['key'] ) {
		$field['name'] = $field['key'];
	}

	// Use field prefix to modify input name.
	if( $field['prefix'] ) {
		$field['name'] = "{$field['prefix']}[{$field['name']}]";
	}
	
	// Generate id attribute from name.
	$field['id'] = acf_idify( $field['name'] );
	
	// Add state to field.
	$field['_prepare'] = true;
	
	/**
	 * Filters the $field array.
	 *
	 * Allows developers to modify field settings or return false to remove field.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	$field = apply_filters( "acf/prepare_field", $field );
	
	// return
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/prepare_field', array('type', 'name', 'key'), 0 );

/**
 * acf_render_fields
 *
 * Renders an array of fields. Also loads the field's value.
 *
 * @date	8/10/13
 * @since	5.0.0
 * @since	5.6.9 Changed parameter order.
 *
 * @param	array $fields An array of fields.
 * @param	(int|string) $post_id The post ID to load values from.
 * @param	string $element The wrapping element type.
 * @param	string $instruction The instruction render position (label|field).
 * @return	void
 */
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];
	}
	
	/**
	 * Filters the $fields array before they are rendered.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $fields An array of fields.
	 * @param	(int|string) $post_id The post ID to load values from.
	 */
	$fields = apply_filters( 'acf/pre_render_fields', $fields, $post_id );
	
	// Filter our false results.
	$fields = array_filter( $fields );
	
	// Loop over and render fields.
	if( $fields ) {
		foreach( $fields as $field ) {
			
			// Load value if not already loaded.
			if( $field['value'] === null ) {
				$field['value'] = acf_get_value( $post_id, $field );
			} 
			
			// Render wrap.
			acf_render_field_wrap( $field, $el, $instruction );
		}
	}
	
	/**
	*  Fires after fields have been rendered.
	*
	*  @date	12/02/2014
	*  @since	5.0.0
	*
	* @param	array $fields An array of fields.
	* @param	(int|string) $post_id The post ID to load values from.
	*/
	do_action( 'acf/render_fields', $fields, $post_id );
}

/**
 * acf_render_field_wrap
 *
 * Render the wrapping element for a given field.
 *
 * @date	28/09/13
 * @since	5.0.0
 *
 * @param	array $field The field array.
 * @param	string $element The wrapping element type.
 * @param	string $instruction The instruction render position (label|field).
 * @return	void
 */
function acf_render_field_wrap( $field, $element = 'div', $instruction = 'label' ) {
	
	// Ensure field is complete (adds all settings).
	$field = acf_validate_field( $field );
	
	// Prepare field for input (modifies settings).
	$field = acf_prepare_field( $field );
	
	// Allow filters to cancel render.
	if( !$field ) {
		return;
	}
	
	// Determine wrapping element.
	$elements = array(
		'div'	=> 'div',
		'tr'	=> 'td',
		'td'	=> 'div',
		'ul'	=> 'li',
		'ol'	=> 'li',
		'dl'	=> 'dt',
	);
	
	if( isset($elements[$element]) ) {
		$inner_element = $elements[$element];
	} else {
		$element = $inner_element = 'div';
	}
		
	// Generate wrapper attributes.
	$wrapper = array(
		'id'		=> '',
		'class'		=> 'acf-field',
		'width'		=> '',
		'style'		=> '',
		'data-name'	=> $field['_name'],
		'data-type'	=> $field['type'],
		'data-key'	=> $field['key'],
	);
	
	// Add field type attributes.
	$wrapper['class'] .= " acf-field-{$field['type']}";
	
	// add field key attributes
	if( $field['key'] ) {
		$wrapper['class'] .= " acf-field-{$field['key']}";
	}
	
	// Add required attributes.
	// Todo: Remove data-required
	if( $field['required'] ) {
		$wrapper['class'] .= ' is-required';
		$wrapper['data-required'] = 1;
	}
	
	// Clean up class attribute.
	$wrapper['class'] = str_replace( '_', '-', $wrapper['class'] );
	$wrapper['class'] = str_replace( 'field-field-', 'field-', $wrapper['class'] );
	
	// Merge in field 'wrapper' setting without destroying class and style.
	if( $field['wrapper'] ) {
		$wrapper = acf_merge_attributes( $wrapper, $field['wrapper'] );
	}
	
	// Extract wrapper width and generate style.
	// Todo: Move from $wrapper out into $field.
	$width = acf_extract_var( $wrapper, 'width' );
	if( $width ) {
		$width = acf_numval( $width );
		if( $element !== 'tr' && $element !== 'td' ) {
			$wrapper['data-width'] = $width;
			$wrapper['style'] .= " width:{$width}%;";
		}
	}
	
	// Clean up all attributes.
	$wrapper = array_map( 'trim', $wrapper );
	$wrapper = array_filter( $wrapper );
	
	/**
	 * Filters the $wrapper array before rendering.
	 *
	 * @date	21/1/19
	 * @since	5.7.10
	 *
	 * @param	array $wrapper The wrapper attributes array.
	 * @param	array $field The field array.
	 */
	$wrapper = apply_filters( 'acf/field_wrapper_attributes', $wrapper, $field );
	
	// Append conditional logic attributes.
	if( !empty($field['conditional_logic']) ) {
		$wrapper['data-conditions'] = $field['conditional_logic'];
	}
	if( !empty($field['conditions']) ) {
		$wrapper['data-conditions'] = $field['conditions'];
	}
	
	// Vars for render.
	$attributes_html = acf_esc_attr( $wrapper );
	
	// Render HTML
	echo "<$element $attributes_html>" . "\n";
		if( $element !== 'td' ) {
			echo "<$inner_element class=\"acf-label\">" . "\n";
				acf_render_field_label( $field );
				if( $instruction == 'label' ) {
					acf_render_field_instructions( $field );
				}
			echo "</$inner_element>" . "\n";
		}
		echo "<$inner_element class=\"acf-input\">" . "\n";
			acf_render_field( $field );
			if( $instruction == 'field' ) {
				acf_render_field_instructions( $field );
			}
		echo "</$inner_element>" . "\n";
	echo "</$element>" . "\n";
}

/**
 * acf_render_field
 *
 * Render the input element for a given field.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_render_field( $field ) {
	
	// Ensure field is complete (adds all settings).
	$field = acf_validate_field( $field );
	
	// Prepare field for input (modifies settings).
	$field = acf_prepare_field( $field );
	
	// Allow filters to cancel render.
	if( !$field ) {
		return;
	}
	
	/**
	 * Fires when rendering a field.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	do_action( "acf/render_field", $field );
}

// Register variation.
acf_add_action_variations( 'acf/render_field', array('type', 'name', 'key'), 0 );

/**
 * acf_render_field_label
 *
 * Renders the field's label.
 *
 * @date	19/9/17
 * @since	5.6.3
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_render_field_label( $field ) {
	
	// Get label.
	$label = acf_get_field_label( $field );
	
	// Output label.
	if( $label ) {
		echo '<label' . ($field['id'] ? ' for="' . esc_attr($field['id']) . '"' : '' ) . '>' . acf_esc_html($label) . '</label>';
	}
}

/**
 * acf_get_field_label
 *
 * Returns the field's label with appropriate required label.
 *
 * @date	4/11/2013
 * @since	5.0.0
 *
 * @param	array $field The field array.
 * @param	string $context The output context (admin).
 * @return	void
 */
function acf_get_field_label( $field, $context = '' ) {
	
	// Get label.
	$label = $field['label'];
	
	// Display empty text when editing field.
	if( $context == 'admin' && $label === '' ) {
		$label = __('(no label)', 'acf');
	}
	
	// Add required HTML.
	if( $field['required'] ) {
		$label .= ' <span class="acf-required">*</span>';
	}
	
	/**
	 * Filters the field's label HTML.
	 *
	 * @date	21/1/19
	 * @since	5.7.10
	 *
	 * @param	string The label HTML.
	 * @param	array $field The field array.
	 * @param	string $context The output context (admin).
	 */
	$label = apply_filters( "acf/get_field_label", $label, $field, $context );
	
	// Return label.
	return $label;
}

/**
 * acf_render_field_instructions
 *
 * Renders the field's instructions.
 *
 * @date	19/9/17
 * @since	5.6.3
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_render_field_instructions( $field ) {
	
	// Output instructions.
	if( $field['instructions'] ) {
		echo '<p class="description">' . acf_esc_html($field['instructions']) . '</p>';
	}
}

/**
 * acf_render_field_setting
 *
 * Renders a field setting used in the admin edit screen.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @param	array $setting The settings field array.
 * @param	bool $global Whether this setting is a global or field type specific one.
 * @return	void
 */
function acf_render_field_setting( $field, $setting, $global = false ) {
	
	// Validate field.
	$setting = acf_validate_field( $setting );
	
	// Add custom attributes to setting wrapper.
	$setting['wrapper']['data-key'] = $setting['name'];
	$setting['wrapper']['class'] .= ' acf-field-setting-' . $setting['name'];
	if( !$global ) {
		$setting['wrapper']['data-setting'] = $field['type'];
	}
	
	// Copy across prefix.
	$setting['prefix'] = $field['prefix'];
		
	// Find setting value from field.
	if( $setting['value'] === null ) {
		
		// Name.
		if( isset($field[ $setting['name'] ]) ) {
			$setting['value'] = $field[ $setting['name'] ];
		
		// Default value.
		} elseif( isset($setting['default_value']) ) {
			$setting['value'] = $setting['default_value'];
		}
	}
	
	// Add append attribute used by JS to join settings.
	if( isset($setting['_append']) ) {
		$setting['wrapper']['data-append'] = $setting['_append'];
	}
	
	// Render setting.
	acf_render_field_wrap( $setting, 'tr', 'label' );
}

/**
 * acf_update_field
 *
 * Updates a field in the database.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @param	array $specific An array of specific field attributes to update.
 * @return	void
 */
function acf_update_field( $field, $specific = array() ) {
	
	// Validate field.
	$field = acf_validate_field( $field );
	
	// May have been posted. Remove slashes.
	$field = wp_unslash( $field );
	
	// Parse types (converts string '0' to int 0).
	$field = acf_parse_types( $field );
	
	// Clean up conditional logic keys.
	if( $field['conditional_logic'] ) {
		
		// Remove empty values and convert to associated array.
		$field['conditional_logic'] = array_filter( $field['conditional_logic'] );
		$field['conditional_logic'] = array_values( $field['conditional_logic'] );
		$field['conditional_logic'] = array_map( 'array_filter', $field['conditional_logic'] );
		$field['conditional_logic'] = array_map( 'array_values', $field['conditional_logic'] );
	}
	
	// Parent may be provided as a field key.
	if( $field['parent'] && !is_numeric($field['parent']) ) {
		$parent = acf_get_field_post( $field['parent'] );
		$field['parent'] = $parent ? $parent->ID : 0;
	}
	
	/**
	 * Filters the $field array before it is updated.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	$field = apply_filters( "acf/update_field", $field );
	
	// Make a backup of field data and remove some args.
	$_field = $field;
	acf_extract_vars( $_field, array( 'ID', 'key', 'label', 'name', 'prefix', 'value', 'menu_order', 'id', 'class', 'parent', '_name', '_prepare', '_valid' ) );
	
	// Create array of data to save.
	$save = array(
		'ID'			=> $field['ID'],
		'post_status'	=> 'publish',
		'post_type'		=> 'acf-field',
		'post_title'	=> $field['label'],
		'post_name'		=> $field['key'],
		'post_excerpt'	=> $field['name'],
		'post_content'	=> maybe_serialize( $_field ),
		'post_parent'	=> $field['parent'],
		'menu_order'	=> $field['menu_order'],
	);
	
	// Reduce save data if specific key list is provided.
	if( $specific ) {
		$specific[] = 'ID';
		$save = acf_get_sub_array( $save, $specific );
	}
	
	// Unhook wp_targeted_link_rel() filter from WP 5.1 corrupting serialized data.
	remove_filter( 'content_save_pre', 'wp_targeted_link_rel' );
	
	// Slash data.
	// WP expects all data to be slashed and will unslash it (fixes '\' character issues).
	$save = wp_slash( $save );
	
	// Update or Insert.
	if( $field['ID'] ) {
		wp_update_post( $save );
	} else	{
		$field['ID'] = wp_insert_post( $save );
	}
	
	// Flush field cache.
	acf_flush_field_cache( $field );
	
	/**
	 * Fires after a field has been updated, and the field cache has been cleaned.
	 *
	 * @date	24/1/19
	 * @since	5.7.10
	 *
	 * @param	array $field The field array.
	 */
	do_action( "acf/updated_field", $field );	
	
	// Return field.
	return $field;
}

// Register variation.
acf_add_filter_variations( 'acf/update_field', array('type', 'name', 'key'), 0 );

/**
 * _acf_apply_unique_field_slug
 *
 * Allows full control over 'acf-field' slugs.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param string $slug          The post slug.
 * @param int    $post_ID       Post ID.
 * @param string $post_status   The post status.
 * @param string $post_type     Post type.
 * @param int    $post_parent   Post parent ID
 * @param string $original_slug The original post slug.
 */
function _acf_apply_unique_field_slug( $slug, $post_ID, $post_status, $post_type, $post_parent, $original_slug ) {
	
	// Check post type and reset to original value.
	if( $post_type === 'acf-field' ) {
		return $original_slug;
	}
	
	// Return slug.
	return $slug;
}

// Hook into filter.
add_filter( 'wp_unique_post_slug', '_acf_apply_unique_field_slug', 999, 6 );

/**
 * acf_flush_field_cache
 *
 * Deletes all caches for this field.
 *
 * @date	22/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @return	void
 */
function acf_flush_field_cache( $field ) {
	
	// Delete stored data.
	acf_get_store( 'fields' )->remove( $field['key'] );
	
	// Flush cached post_id for this field's name and key.
	wp_cache_delete( acf_cache_key("acf_get_field_post:name:{$field['name']}"), 'acf' );
	wp_cache_delete( acf_cache_key("acf_get_field_post:key:{$field['key']}"), 'acf' );
	
	// Flush cached array of post_ids for this field's parent.
	wp_cache_delete( acf_cache_key("acf_get_field_posts:{$field['parent']}"), 'acf' );
}

/**
 * acf_delete_field
 *
 * Deletes a field from the database.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	bool True if field was deleted.
 */
function acf_delete_field( $id = 0 ) {
	
	// Get the field.
	$field = acf_get_field( $id );
	
	// Bail early if field was not found.
	if( !$field || !$field['ID'] ) {
		return false;
	}
	
	// Delete post.
	wp_delete_post( $field['ID'], true );
	
	// Flush field cache.
	acf_flush_field_cache( $field );
	
	/**
	 * Fires immediately after a field has been deleted.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	do_action( "acf/delete_field", $field );
	
	// Return true.
	return true;
}

// Register variation.
acf_add_action_variations( 'acf/delete_field', array('type', 'name', 'key'), 0 );

/**
 * acf_trash_field
 *
 * Trashes a field from the database.
 *
 * @date	2/10/13
 * @since	5.0.0
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	bool True if field was trashed.
 */
function acf_trash_field( $id = 0 ) {
	
	// Get the field.
	$field = acf_get_field( $id );
	
	// Bail early if field was not found.
	if( !$field || !$field['ID'] ) {
		return false;
	}
	
	// Trash post.
	wp_trash_post( $field['ID'], true );
	
	/**
	 * Fires immediately after a field has been trashed.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	do_action( 'acf/trash_field', $field );
	
	// Return true.
	return true;
}

/**
 * acf_untrash_field
 *
 * Restores a field from the trash.
 *
 * @date	2/10/13
 * @since	5.0.0
 *
 * @param	(int|string) $id The field ID, key or name.
 * @return	bool True if field was trashed.
 */
function acf_untrash_field( $id = 0 ) {
	
	// Get the field.
	$field = acf_get_field( $id );
	
	// Bail early if field was not found.
	if( !$field || !$field['ID'] ) {
		return false;
	}
	
	// Untrash post.
	wp_untrash_post( $field['ID'], true );
	
	// Flush field cache.
	acf_flush_field_cache( $field );
	
	/**
	 * Fires immediately after a field has been trashed.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	do_action( 'acf/untrash_field', $field );
	
	// Return true.
	return true;
}

/**
 * acf_prefix_fields
 *
 * Changes the prefix for an array of fields by reference.
 *
 * @date	5/9/17
 * @since	5.6.0
 *
 * @param	array $fields An array of fields.
 * @param	string $prefix The new prefix.
 * @return	void
 */
function acf_prefix_fields( &$fields, $prefix = 'acf' ) {
	
	// Loopover fields.
	foreach( $fields as &$field ) {
		
		// Replace 'acf' with $prefix.
		$field['prefix'] = $prefix . substr($field['prefix'], 3);
	}
}

/**
 * acf_get_sub_field
 *
 * Searches a field for sub fields matching the given selector. 
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	(int|string) $id The field ID, key or name.
 * @param	array $field The parent field array.
 * @return	(array|false)
 */
function acf_get_sub_field( $id, $field ) {
	
	// Vars.
	$sub_field = false;
	
	// Search sub fields.
	if( isset($field['sub_fields']) ) {
		$sub_field = acf_search_fields( $id, $field['sub_fields'] );
	}
	
	/**
	 * Filters the $sub_field found.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $sub_field The found sub field array.
	 * @param	string $selector The selector used to search.
	 * @param	array $field The parent field array.
	 */
	$sub_field = apply_filters( "acf/get_sub_field", $sub_field, $id, $field );
	
	// return
	return $sub_field;
	
}

// Register variation.
acf_add_filter_variations( 'acf/get_sub_field', array('type'), 2 );

/**
 * acf_search_fields
 *
 * Searches an array of fields for one that matches the given identifier.
 *
 * @date	12/2/19
 * @since	5.7.11
 *
 * @param	(int|string) $id The field ID, key or name.
 * @param	array $haystack The array of fields.
 * @return	(int|false)
 */
function acf_search_fields( $id, $fields ) {
	
	// Loop over searchable keys in order of priority.
	// Important to search "name" on all fields before "_name" backup.
	foreach( array( 'key', 'name', '_name', '__name' ) as $key ) {
		
		// Loop over fields and compare.
		foreach( $fields as $field ) {
			if( isset($field[$key]) && $field[$key] === $id ) {
				return $field;
			}
		}
	}
	
	// Return not found.
	return false;
}

/**
 * acf_is_field
 *
 * Returns true if the given params match a field.
 *
 * @date	21/1/19
 * @since	5.7.10
 *
 * @param	array $field The field array.
 * @param	mixed $id An optional identifier to search for.
 * @return	bool
 */
function acf_is_field( $field = false, $id = '' ) {
	return ( 
		is_array($field)
		&& isset($field['key'])
		&& isset($field['name'])
	);
}

/**
 * acf_get_field_ancestors
 *
 * Returns an array of ancestor field ID's or keys.
 *
 * @date	22/06/2016
 * @since	5.3.8
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_get_field_ancestors( $field ) {
	
	// Vars.
	$ancestors = array();
	
	// Loop over parents.
	while( $field['parent'] && $field = acf_get_field($field['parent']) ) {
		$ancestors[] = $field['ID'] ? $field['ID'] : $field['key'];
	}
	
	// return
	return $ancestors;
}

/**
 * acf_duplicate_fields
 *
 * Duplicate an array of fields.
 *
 * @date	16/06/2014
 * @since	5.0.0
 *
 * @param	array $fields An array of fields.
 * @param	int $parent_id The new parent ID.
 * @return	array
 */
function acf_duplicate_fields( $fields = array(), $parent_id = 0 ) {
	
	// Vars.
	$duplicates = array();
	
	// Loop over fields and pre-generate new field keys (needed for conditional logic).
	$keys = array();
	foreach( $fields as $field ) {
		
		// Delay for a microsecond to ensure a unique ID.
		usleep(1);
		$keys[ $field['key'] ] = uniqid('field_');
	}
	
	// Store these keys for later use.
	acf_set_data( 'duplicates', $keys );
		
	// Duplicate fields.
	foreach( $fields as $field ) {
		$field_id = $field['ID'] ? $field['ID'] : $field['key'];
		$duplicates[] = acf_duplicate_field( $field_id, $parent_id );
	}
	
	// Return.
	return $duplicates;
}

/**
 * acf_duplicate_field
 *
 * Duplicates a field.
 *
 * @date	16/06/2014
 * @since	5.0.0
 *
 * @param	(int|string) $id The field ID, key or name.
 * @param	int $parent_id The new parent ID.
 * @return	bool True if field was duplicated.
 */
function acf_duplicate_field( $id = 0, $parent_id = 0 ){
	
	// Get the field.
	$field = acf_get_field( $id );
	
	// Bail early if field was not found.
	if( !$field ) {
		return false;
	}
	
	// Remove ID to avoid update.
	$field['ID'] = 0;
	
	// Generate key.
	$keys = acf_get_data( 'duplicates' );
	$field['key'] = isset($keys[ $field['key'] ]) ? $keys[ $field['key'] ] : uniqid('field_');
	
	// Set parent.
	if( $parent_id ) {
		$field['parent'] = $parent_id;
	}
	
	// Update conditional logic references because field keys have changed.
	if( $field['conditional_logic'] ) {
		
		// Loop over groups
		foreach( $field['conditional_logic'] as $group_i => $group ) {
			
			// Loop over rules
			foreach( $group as $rule_i => $rule ) {
				$field['conditional_logic'][ $group_i ][ $rule_i ]['field'] = isset($keys[ $rule['field'] ]) ? $keys[ $rule['field'] ] : $rule['field'];
			}
		}
	}
	
	/**
	 * Filters the $field array after it has been duplicated.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	$field = apply_filters( "acf/duplicate_field", $field);
	
	// Update and return.
	return acf_update_field( $field );
}

// Register variation.
acf_add_filter_variations( 'acf/duplicate_field', array('type'), 0 );

/**
 * acf_prepare_fields_for_export
 *
 * Returns a modified array of fields ready for export.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $fields An array of fields.
 * @return	array
 */
function acf_prepare_fields_for_export( $fields = array() ) {
	
	// Map function and return.
	return array_map( 'acf_prepare_field_for_export', $fields );
}

/**
 * acf_prepare_field_for_export
 *
 * Returns a modified field ready for export.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_prepare_field_for_export( $field ) {
	
	// Remove args.
	acf_extract_vars( $field, array( 'ID', 'prefix', 'value', 'menu_order', 'id', 'class', 'parent', '_name', '_prepare', '_valid' ) );
	
	/**
	 * Filters the $field array before being returned to the export tool.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	return apply_filters( "acf/prepare_field_for_export", $field );
}

// Register variation.
acf_add_filter_variations( 'acf/prepare_field_for_export', array('type'), 0 );

/**
 * acf_prepare_field_for_import
 *
 * Returns a modified array of fields ready for import.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $fields An array of fields.
 * @return	array
 */
function acf_prepare_fields_for_import( $fields = array() ) {
	
	// Ensure array is sequential.
	$fields = array_values($fields);
	
	// Prepare each field for import making sure to detect additional sub fields.
	$i = 0;
	while( $i < count($fields) ) {
		
		// Prepare field.
		$field = acf_prepare_field_for_import( $fields[ $i ] );
		
		// Update single field.
		if( isset($field['key']) ) {
			$fields[ $i ] = $field;
			
		// Insert multiple fields.	
		} else {
			array_splice( $fields, $i, 1, $field );
		}
		
		// Iterate.
		$i++;
	}
	
	/**
	 * Filters the $fields array before being returned to the import tool.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $fields The array of fields.
	 */
	return apply_filters( 'acf/prepare_fields_for_import', $fields );
}

/**
 * acf_prepare_field_for_import
 *
 * Returns a modified field ready for import.
 * Allows parent fields to modify themselves and also return sub fields.
 *
 * @date	11/03/2014
 * @since	5.0.0
 *
 * @param	array $field The field array.
 * @return	array
 */
function acf_prepare_field_for_import( $field ) {
	
	/**
	 * Filters the $field array before being returned to the import tool.
	 *
	 * @date	12/02/2014
	 * @since	5.0.0
	 *
	 * @param	array $field The field array.
	 */
	return apply_filters( "acf/prepare_field_for_import", $field );
}

// Register variation.
acf_add_filter_variations( 'acf/prepare_field_for_import', array('type'), 0 );PK�[9��#cc-includes/ajax/class-acf-ajax-user-setting.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Ajax_User_Setting') ) :

class ACF_Ajax_User_Setting extends ACF_Ajax {
	
	/** @var string The AJAX action name. */
	var $action = 'acf/ajax/user_setting';
	
	/** @var bool Prevents access for non-logged in users. */
	var $public = true;
	
	/**
	 * get_response
	 *
	 * Returns the response data to sent back.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	array $request The request args.
	 * @return	mixed The response data or WP_Error.
	 */
	function get_response( $request ) {
		
		// update
		if( $this->has('value') ) {
			return acf_update_user_setting( $this->get('name'), $this->get('value') );
		
		// get
		} else {
			return acf_get_user_setting( $this->get('name') );
		}
	}
}

acf_new_instance('ACF_Ajax_User_Setting');

endif; // class_exists check
PK�[I��D��-includes/ajax/class-acf-ajax-check-screen.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Ajax_Check_Screen') ) :

class ACF_Ajax_Check_Screen extends ACF_Ajax {
	
	/** @var string The AJAX action name. */
	var $action = 'acf/ajax/check_screen';
	
	/** @var bool Prevents access for non-logged in users. */
	var $public = false;
	
	/**
	 * get_response
	 *
	 * Returns the response data to sent back.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	array $request The request args.
	 * @return	mixed The response data or WP_Error.
	 */
	function get_response( $request ) {
		
		// vars
		$args = wp_parse_args($this->request, array(
			'screen'	=> '',
			'post_id'	=> 0,
			'ajax'		=> true,
			'exists'	=> array()
		));
		
		// vars
		$response = array(
			'results'	=> array(),
			'style'		=> ''
		);
		
		// get field groups
		$field_groups = acf_get_field_groups( $args );
		
		// loop through field groups
		if( $field_groups ) {
			foreach( $field_groups as $i => $field_group ) {
				
				// vars
				$item = array(
					'id'		=> 'acf-' . $field_group['key'],
					'key'		=> $field_group['key'],
					'title'		=> $field_group['title'],
					'position'	=> $field_group['position'],
					'style'		=> $field_group['style'],
					'label'		=> $field_group['label_placement'],
					'edit'		=> acf_get_field_group_edit_link( $field_group['ID'] ),
					'html'		=> ''
				);
				
				// append html if doesnt already exist on page
				if( !in_array($field_group['key'], $args['exists']) ) {
					
					// load fields
					$fields = acf_get_fields( $field_group );
	
					// get field HTML
					ob_start();
					
					// render
					acf_render_fields( $fields, $args['post_id'], 'div', $field_group['instruction_placement'] );
					
					$item['html'] = ob_get_clean();
				}
				
				// append
				$response['results'][] = $item;
			}
			
			// Get style from first field group.
			$response['style'] = acf_get_field_group_style( $field_groups[0] );
		}
		
		// Custom metabox order.
		if( $this->get('screen') == 'post' ) {
			$response['sorted'] = get_user_option('meta-box-order_' . $this->get('post_type'));
		}
		
		// return
		return $response;
	}
}

acf_new_instance('ACF_Ajax_Check_Screen');

endif; // class_exists check

?>PK�[�^.�� includes/ajax/class-acf-ajax.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Ajax') ) :

class ACF_Ajax {
	
	/** @var string The AJAX action name. */
	var $action = '';
	
	/** @var array The $_REQUEST data. */
	var $request;
	
	/** @var bool Prevents access for non-logged in users. */
	var $public = false;
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	void
	 * @return	void
	 */
	function __construct() {
		$this->initialize();
		$this->add_actions();
	}
	
	/**
	 * has
	 *
	 * Returns true if the request has data for the given key.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	string $key The data key.
	 * @return	boolean
	 */
	function has( $key = '' ) {
		return isset($this->request[$key]);
	}
	
	/**
	 * get
	 *
	 * Returns request data for the given key.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	string $key The data key.
	 * @return	mixed
	 */
	function get( $key = '' ) {
		return isset($this->request[$key]) ? $this->request[$key] : null;
	}
	
	/**
	 * set
	 *
	 * Sets request data for the given key.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	string $key The data key.
	 * @param	mixed $value The data value.
	 * @return	ACF_Ajax
	 */
	function set( $key = '', $value ) {
		$this->request[$key] = $value;
		return $this;
	}
	
	/**
	 * initialize
	 *
	 * Allows easy access to modifying properties without changing constructor.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		/* do nothing */
	}
	
	/**
	 * add_actions
	 *
	 * Adds the ajax actions for this response.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	void
	 * @return	void
	 */
	function add_actions() {
		
		// add action for logged-in users
		add_action( "wp_ajax_{$this->action}", array($this, 'request') );
		
		// add action for non logged-in users
		if( $this->public ) {
			add_action( "wp_ajax_nopriv_{$this->action}", array($this, 'request') );
		}
	}
	
	/**
	 * request
	 *
	 * Callback for ajax action. Sets up properties and calls the get_response() function.
	 *
	 * @date	1/8/18
	 * @since	5.7.2
	 *
	 * @param	void
	 * @return	void
	 */
	function request() {
		
		// Verify ajax request
		if( !acf_verify_ajax() ) {
			wp_send_json_error();
		}
		
		// Store data for has() and get() functions.
		$this->request = wp_unslash($_REQUEST);
		
		// Send response.
		$this->send( $this->get_response( $this->request ) );
	}
	
	/**
	 * get_response
	 *
	 * Returns the response data to sent back.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	array $request The request args.
	 * @return	mixed The response data or WP_Error.
	 */
	function get_response( $request ) {
		return true;
	}
	
	/**
	 * send
	 *
	 * Sends back JSON based on the $response as either success or failure.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	mixed $response The response to send back.
	 * @return	void
	 */
	function send( $response ) {
		
		// Return error.
		if( is_wp_error($response) ) {
			wp_send_json_error(array( 'error' => $response->get_error_message() ));
		
		// Return success.
		} else {
			wp_send_json_success($response);
		}
	}
}

endif; // class_exists check

?>PK�[�a��00(includes/ajax/class-acf-ajax-upgrade.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Ajax_Upgrade') ) :

class ACF_Ajax_Upgrade extends ACF_Ajax {
	
	/** @var string The AJAX action name */
	var $action = 'acf/ajax/upgrade';
	
	/**
	 * get_response
	 *
	 * Returns the response data to sent back.
	 *
	 * @date	31/7/18
	 * @since	5.7.2
	 *
	 * @param	array $request The request args.
	 * @return	mixed The response data or WP_Error.
	 */
	function get_response( $request ) {
		
		// Switch blog.
		if( isset($request['blog_id']) ) {
			switch_to_blog( $request['blog_id'] );
		}
		
		// Bail early if no upgrade avaiable.
		if( !acf_has_upgrade() ) {
			return new WP_Error( 'upgrade_error', __('No updates available.', 'acf') );
		}
		
		// Listen for output.
		ob_start();
		
		// Run upgrades.
		acf_upgrade_all();
		
		// Store output.
		$error = ob_get_clean();
		
		// Return error or success.
		if( $error ) {
			return new WP_Error( 'upgrade_error', $error );
		}
		return true;
	}
}

acf_new_instance('ACF_Ajax_Upgrade');

endif; // class_exists check
PK�[.W2��includes/media.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Media') ) :

class ACF_Media {
	
	
	/*
	*  __construct
	*
	*  Initialize filters, action, variables and includes
	*
	*  @type	function
	*  @date	23/06/12
	*  @since	5.0.0
	*
	*  @param	N/A
	*  @return	N/A
	*/
	
	function __construct() {
		
		// actions
		add_action('acf/enqueue_scripts',			array($this, 'enqueue_scripts'));
		add_action('acf/save_post', 				array($this, 'save_files'), 5, 1);
		
		
		// filters
		add_filter('wp_handle_upload_prefilter', 	array($this, 'handle_upload_prefilter'), 10, 1);
		
		
		// ajax
		add_action('wp_ajax_query-attachments',		array($this, 'wp_ajax_query_attachments'), -1);
	}
	
	
	/**
	*  enqueue_scripts
	*
	*  Localizes data
	*
	*  @date	27/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
	
	function enqueue_scripts(){
		
		// localize
		acf_localize_data(array(
			'mimeTypeIcon'	=> wp_mime_type_icon(),
			'mimeTypes'		=> get_allowed_mime_types()
		));
	}
		
		
	/*
	*  handle_upload_prefilter
	*
	*  description
	*
	*  @type	function
	*  @date	16/02/2015
	*  @since	5.1.5
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function handle_upload_prefilter( $file ) {
		
		// bail early if no acf field
		if( empty($_POST['_acfuploader']) ) {
			return $file;
		}
		
		
		// load field
		$field = acf_get_field( $_POST['_acfuploader'] );
		if( !$field ) {
			return $file;
		}
		
		
		// get errors
		$errors = acf_validate_attachment( $file, $field, 'upload' );
		
		
		/**
		*  Filters the errors for a file before it is uploaded to WordPress.
		*
		*  @date	16/02/2015
		*  @since	5.1.5
		*
		*  @param	array $errors An array of errors.
		*  @param	array $file An array of data for a single file.
		*  @param	array $field The field array.
		*/
		$errors = apply_filters( "acf/upload_prefilter/type={$field['type']}",	$errors, $file, $field );
		$errors = apply_filters( "acf/upload_prefilter/name={$field['_name']}",	$errors, $file, $field );
		$errors = apply_filters( "acf/upload_prefilter/key={$field['key']}", 	$errors, $file, $field );
		$errors = apply_filters( "acf/upload_prefilter", 						$errors, $file, $field );
		
		
		// append error
		if( !empty($errors) ) {
			$file['error'] = implode("\n", $errors);
		}
		
		
		// return
		return $file;
	}

	
	/*
	*  save_files
	*
	*  This function will save the $_FILES data
	*
	*  @type	function
	*  @date	24/10/2014
	*  @since	5.0.9
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function save_files( $post_id = 0 ) {
		
		// bail early if no $_FILES data
		if( empty($_FILES['acf']['name']) ) {
			return;
		}
		
		
		// upload files
		acf_upload_files();
	}
	
	
	/*
	*  wp_ajax_query_attachments
	*
	*  description
	*
	*  @type	function
	*  @date	26/06/2015
	*  @since	5.2.3
	*
	*  @param	$post_id (int)
	*  @return	$post_id (int)
	*/
	
	function wp_ajax_query_attachments() {
		
		add_filter('wp_prepare_attachment_for_js', 	array($this, 'wp_prepare_attachment_for_js'), 10, 3);
		
	}
	
	function wp_prepare_attachment_for_js( $response, $attachment, $meta ) {
		
		// append attribute
		$response['acf_errors'] = false;
		
		
		// bail early if no acf field
		if( empty($_POST['query']['_acfuploader']) ) {
			return $response;
		}
		
		
		// load field
		$field = acf_get_field( $_POST['query']['_acfuploader'] );
		if( !$field ) {
			return $response;
		}
		
		
		// get errors
		$errors = acf_validate_attachment( $response, $field, 'prepare' );
		
		
		// append errors
		if( !empty($errors) ) {
			$response['acf_errors'] = implode('<br />', $errors);
		}
		
		
		// return
		return $response;
	}
}

// instantiate
acf_new_instance('ACF_Media');

endif; // class_exists check

?>PK�[u�W��includes/wpml.phpnu�[���<?php

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_WPML_Compatibility') ) :

class ACF_WPML_Compatibility {
	
	/**
	*  __construct
	*
	*  Sets up the class functionality.
	*
	*  @date	23/06/12
	*  @since	3.1.8
	*
	*  @param	void
	*  @return	void
	*/
	function __construct() {
		
		// global
		global $sitepress;
		
		// update settings
		acf_update_setting('default_language', $sitepress->get_default_language());
		acf_update_setting('current_language', $sitepress->get_current_language());
		
		// localize data
		acf_localize_data(array(
		   	'language' => $sitepress->get_current_language()
	   	));
		
		// switch lang during AJAX action
		add_action('acf/verify_ajax', array($this, 'verify_ajax'));
		
		// prevent 'acf-field' from being translated
		add_filter('get_translatable_documents', array($this, 'get_translatable_documents'));
		
		// check if 'acf-field-group' is translatable
		if( $this->is_translatable() ) {
			
			// actions
			add_action('acf/upgrade_500_field_group',		array($this, 'upgrade_500_field_group'), 10, 2);
			add_action('icl_make_duplicate',				array($this, 'icl_make_duplicate'), 10, 4);
			
			// filters
			add_filter('acf/settings/save_json',			array($this, 'settings_save_json'));
			add_filter('acf/settings/load_json',			array($this, 'settings_load_json'));
		}
	}
	
	/**
	*  is_translatable
	*
	*  Returns true if the acf-field-group post type is translatable.
	*  Also adds compatibility with ACF4 settings
	*
	*  @date	10/04/2015
	*  @since	5.2.3
	*
	*  @param	void
	*  @return	bool
	*/
	function is_translatable() {
		
		// global
		global $sitepress;
		
		// vars
		$post_types = $sitepress->get_setting('custom_posts_sync_option');
		
		// return false if no post types
		if( !acf_is_array($post_types) ) {
			return false;
		}
		
		// prevent 'acf-field' from being translated
		if( !empty($post_types['acf-field']) ) {
			$post_types['acf-field'] = 0;
			$sitepress->set_setting('custom_posts_sync_option', $post_types);
		}
		
		// when upgrading to version 5, review 'acf' setting
		// update 'acf-field-group' if 'acf' is translatable, and 'acf-field-group' does not yet exist
		if( !empty($post_types['acf']) && !isset($post_types['acf-field-group']) ) {
			$post_types['acf-field-group'] = 1;
			$sitepress->set_setting('custom_posts_sync_option', $post_types);
		}
		
		// return true if acf-field-group is translatable
		if( !empty($post_types['acf-field-group']) ) {
			return true;
		}
		
		// return
		return false;
	}
	
	/**
	*  upgrade_500_field_group
	*
	*  Update the icl_translations table data when creating the field groups.
	*
	*  @date	10/04/2015
	*  @since	5.2.3
	*
	*  @param	array $field_group The new field group array.
	*  @param	object $ofg The old field group WP_Post object.
	*  @return	void
	*/
	function upgrade_500_field_group($field_group, $ofg) {
		
		// global
		global $wpdb;
		
		// get translation rows (old acf4 and new acf5)
		$old_row = $wpdb->get_row($wpdb->prepare(
			"SELECT * FROM {$wpdb->prefix}icl_translations WHERE element_type=%s AND element_id=%d", 
			'post_acf', $ofg->ID
		), ARRAY_A);
		
		$new_row = $wpdb->get_row($wpdb->prepare(
			"SELECT * FROM {$wpdb->prefix}icl_translations WHERE element_type=%s AND element_id=%d", 
			'post_acf-field-group', $field_group['ID']
		), ARRAY_A);
		
		// bail ealry if no rows
		if( !$old_row || !$new_row ) {
			return;
		}
		
		// create reference of old trid to new trid
		// trid is a simple int used to find associated objects
		if( empty($this->trid_ref) ) {
			$this->trid_ref = array();
		}
		
		// update trid
		if( isset($this->trid_ref[ $old_row['trid'] ]) ) {
			
			// this field group is a translation of another, update it's trid to match the previously inserted group
			$new_row['trid'] = $this->trid_ref[ $old_row['trid'] ];
		} else {
			
			// this field group is the first of it's translations, update the reference for future groups
			$this->trid_ref[ $old_row['trid'] ] = $new_row['trid'];
		}
		
		// update icl_translations
		// Row is created by WPML, and much easier to tweak it here due to the very complicated and nonsensical WPML logic
		$table = "{$wpdb->prefix}icl_translations";
		$data = array( 'trid' => $new_row['trid'], 'language_code' => $old_row['language_code'] );
		$where = array( 'translation_id' => $new_row['translation_id'] );
		$data_format = array( '%d', '%s' );
		$where_format = array( '%d' );
		
		// allow source_language_code to equal NULL
		if( $old_row['source_language_code'] ) {
			
			$data['source_language_code'] = $old_row['source_language_code'];
			$data_format[] = '%s';
		}
		
		// update wpdb
		$result = $wpdb->update( $table, $data, $where, $data_format, $where_format );
	}
	
	/**
	*  settings_save_json
	*
	*  Modifies the json path.
	*
	*  @date	19/05/2014
	*  @since	5.0.0
	*
	*  @param	string $path The json save path.
	*  @return	string
	*/
	function settings_save_json( $path ) {	

		// bail early if dir does not exist
		if( !is_writable($path) ) {
			return $path;
		}
		
		// ammend
		$path = untrailingslashit($path) . '/' . acf_get_setting('current_language');
		
		// make dir if does not exist
		if( !file_exists($path) ) {
			mkdir($path, 0777, true);
		}
		
		// return
		return $path;
	}
	
	/**
	*  settings_load_json
	*
	*  Modifies the json path.
	*
	*  @date	19/05/2014
	*  @since	5.0.0
	*
	*  @param	string $path The json save path.
	*  @return	string
	*/	
	function settings_load_json( $paths ) {
		
		// loop
		if( $paths ) {
		foreach( $paths as $i => $path ) {
			$paths[ $i ] = untrailingslashit($path) . '/' . acf_get_setting('current_language');
		}}
		
		// return
		return $paths;
	}
	
	/**
	*  icl_make_duplicate
	*
	*  description
	*
	*  @date	26/02/2014
	*  @since	5.0.0
	*
	*  @param	void
	*  @return	void
	*/
	function icl_make_duplicate( $master_post_id, $lang, $postarr, $id ) {
		
		// bail early if not acf-field-group
		if( $postarr['post_type'] != 'acf-field-group' ) {
			return;
		}
		
		// update the lang
		acf_update_setting('current_language', $lang);
		
		// duplicate field group specifying the $post_id
		acf_duplicate_field_group( $master_post_id, $id );
		
		// always translate independately to avoid many many bugs!
		// - translation post gets a new key (post_name) when origional post is saved
		// - local json creates new files due to changed key
		global $iclTranslationManagement;
		$iclTranslationManagement->reset_duplicate_flag( $id );
	}
	
	
	/**
	*  verify_ajax
	*
	*  Sets the correct language during AJAX requests.
	*
	*  @type	function
	*  @date	7/08/2015
	*  @since	5.2.3
	*
	*  @param	void
	*  @return	void
	*/
	function verify_ajax() {
		
		// set the language for this AJAX request
		// this will allow get_posts to work as expected (load posts from the correct language)
		if( isset($_REQUEST['lang']) ) {
			global $sitepress;
			$sitepress->switch_lang( $_REQUEST['lang'] );
		}
	}
	
	/**
	*  get_translatable_documents
	*
	*  Removes 'acf-field' from the available post types for translation.
	*
	*  @type	function
	*  @date	17/8/17
	*  @since	5.6.0
	*
	*  @param	array $icl_post_types The array of post types.
	*  @return	array
	*/
	function get_translatable_documents( $icl_post_types ) {
		
		// unset
		unset( $icl_post_types['acf-field'] );
		
		// return
		return $icl_post_types;
	}
}

acf_new_instance('ACF_WPML_Compatibility');

endif; // class_exists check

?>PK�[�x}!p(p(includes/assets.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Assets') ) :

class ACF_Assets {
	
	/** @var array Storage for translations */
	var $text = array();
	
	/** @var array Storage for data */
	var $data = array();
	
	
	/**
	*  __construct
	*
	*  description
	*
	*  @date	10/4/18
	*  @since	5.6.9
	*
	*  @param	void
	*  @return	void
	*/
		
	function __construct() {
		
		// actions
		add_action('init',	array($this, 'register_scripts'));
	}
	
	
	/**
	*  add_text
	*
	*  description
	*
	*  @date	13/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function add_text( $text ) {
		foreach( (array) $text as $k => $v ) {
			$this->text[ $k ] = $v;
		}
	}
	
	
	/**
	*  add_data
	*
	*  description
	*
	*  @date	13/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function add_data( $data ) {
		foreach( (array) $data as $k => $v ) {
			$this->data[ $k ] = $v;
		}
	}
	
	
	/**
	*  register_scripts
	*
	*  description
	*
	*  @date	13/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function register_scripts() {
		
		// vars
		$version = acf_get_setting('version');
		$min = defined('SCRIPT_DEBUG') && SCRIPT_DEBUG ? '' : '.min';
		
		// scripts
		wp_register_script('acf-input', acf_get_url("assets/js/acf-input{$min}.js"), array('jquery', 'jquery-ui-sortable', 'jquery-ui-resizable'), $version );
		wp_register_script('acf-field-group', acf_get_url("assets/js/acf-field-group{$min}.js"), array('acf-input'), $version );
		
		// styles
		wp_register_style('acf-global', acf_get_url('assets/css/acf-global.css'), array(), $version );
		wp_register_style('acf-input', acf_get_url('assets/css/acf-input.css'), array('acf-global'), $version );
		wp_register_style('acf-field-group', acf_get_url('assets/css/acf-field-group.css'), array('acf-input'), $version );
		
		// action
		do_action('acf/register_scripts', $version, $min);
	}
	
	
	/**
	*  enqueue_scripts
	*
	*  Enqueue scripts for input
	*
	*  @date	13/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function enqueue_scripts( $args = array() ) {
		
		// run only once
		if( acf_has_done('enqueue_scripts') ) {
			return;
		}
		
		// defaults
		$args = wp_parse_args($args, array(
			
			// force tinymce editor to be enqueued
			'uploader'			=> false,
			
			// priority used for action callbacks, defaults to 20 which runs after defaults
			'priority'			=> 20,
			
			// action prefix 
			'context'			=> is_admin() ? 'admin' : 'wp'
		));
		
		// define actions
		$actions = array(
			'admin_enqueue_scripts'			=> $args['context'] . '_enqueue_scripts',
			'admin_print_scripts'			=> $args['context'] . '_print_scripts',
			'admin_head'					=> $args['context'] . '_head',
			'admin_footer'					=> $args['context'] . '_footer',
			'admin_print_footer_scripts'	=> $args['context'] . '_print_footer_scripts',
		);
		
		// fix customizer actions where head and footer are not available
		if( $args['context'] == 'customize_controls' ) {
			$actions['admin_head'] = $actions['admin_print_scripts'];
			$actions['admin_footer'] = $actions['admin_print_footer_scripts'];
		}
		
		// add actions
		foreach( $actions as $function => $action ) {
			acf_maybe_add_action( $action, array($this, $function), $args['priority'] );
		}
		
		// enqueue uploader
		// WP requires a lot of JS + inline scripes to create the media modal and should be avoioded when possible.
		// - priority must be less than 10 to allow WP to enqueue
		if( $args['uploader'] ) {
			add_action($actions['admin_footer'], 'acf_enqueue_uploader', 5);
		}
	}
	
	
	/**
	*  admin_enqueue_scripts
	*
	*  description
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function admin_enqueue_scripts() {
		
		// Localize text.
		acf_localize_text(array(
			
			// unload
			'The changes you made will be lost if you navigate away from this page'	=> __('The changes you made will be lost if you navigate away from this page', 'acf'),
			
			// media
			'Select.verb'			=> _x('Select', 'verb', 'acf'),
			'Edit.verb'				=> _x('Edit', 'verb', 'acf'),
			'Update.verb'			=> _x('Update', 'verb', 'acf'),
			'Uploaded to this post'	=> __('Uploaded to this post', 'acf'),
			'Expand Details' 		=> __('Expand Details', 'acf'),
			'Collapse Details' 		=> __('Collapse Details', 'acf'),
			'Restricted'			=> __('Restricted', 'acf'),
			'All images'			=> __('All images', 'acf'),
			
			// validation
			'Validation successful'			=> __('Validation successful', 'acf'),
			'Validation failed'				=> __('Validation failed', 'acf'),
			'1 field requires attention'	=> __('1 field requires attention', 'acf'),
			'%d fields require attention'	=> __('%d fields require attention', 'acf'),
			
			// tooltip
			'Are you sure?'			=> __('Are you sure?','acf'),
			'Yes'					=> __('Yes','acf'),
			'No'					=> __('No','acf'),
			'Remove'				=> __('Remove','acf'),
			'Cancel'				=> __('Cancel','acf'),
			
			// conditions
			'Has any value'				=> __('Has any value', 'acf'),
			'Has no value'				=> __('Has no value', 'acf'),
			'Value is equal to'			=> __('Value is equal to', 'acf'),
			'Value is not equal to'		=> __('Value is not equal to', 'acf'),
			'Value matches pattern'		=> __('Value matches pattern', 'acf'),
			'Value contains'			=> __('Value contains', 'acf'),
			'Value is greater than'		=> __('Value is greater than', 'acf'),
			'Value is less than'		=> __('Value is less than', 'acf'),
			'Selection is greater than'	=> __('Selection is greater than', 'acf'),
			'Selection is less than'	=> __('Selection is less than', 'acf'),
			
			// misc
			'Edit field group'	=> __('Edit field group', 'acf'),
		));
		
		// enqueue
		wp_enqueue_script('acf-input');
		wp_enqueue_style('acf-input');
		
		// vars
		$text = array();
		
		// actions
		do_action('acf/enqueue_scripts');
		do_action('acf/admin_enqueue_scripts');
		do_action('acf/input/admin_enqueue_scripts');
		
		// only include translated strings
		foreach( $this->text as $k => $v ) {
			if( str_replace('.verb', '', $k) !== $v ) {
				$text[ $k ] = $v;
			}
		}
		
		// localize text
		if( $text ) {
			wp_localize_script( 'acf-input', 'acfL10n', $text );
		}
	}
	
	
	/**
	*  admin_print_scripts
	*
	*  description
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function admin_print_scripts() {
		do_action('acf/admin_print_scripts');
	}
	
	
	/**
	*  admin_head
	*
	*  description
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function admin_head() {

		// actions
		do_action('acf/admin_head');
		do_action('acf/input/admin_head');
	}
	
	
	/**
	*  admin_footer
	*
	*  description
	*
	*  @date	16/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function admin_footer() {
		
		// global
		global $wp_version;
		
		// get data
		$data = wp_parse_args($this->data, 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(),
			'ajaxurl'		=> admin_url( 'admin-ajax.php' ),
			'validation'	=> acf_get_form_data('validation'),
			'wp_version'	=> $wp_version,
			'acf_version'	=> acf_get_setting('version'),
			'browser'		=> acf_get_browser(),
			'locale'		=> acf_get_locale(),
			'rtl'			=> is_rtl(),
			'editor'		=> acf_is_block_editor() ? 'block' : 'classic'
		));
		
		// get l10n (old)
		$l10n = apply_filters( 'acf/input/admin_l10n', array() );
		
		// todo: force 'acf-input' script enqueue if not yet included
		// - fixes potential timing issue if acf_enqueue_assest() was called during body
		
		// localize data
		?>
<script type="text/javascript">
acf.data = <?php echo wp_json_encode($data); ?>;
acf.l10n = <?php echo wp_json_encode($l10n); ?>;
</script>
<?php 
		
		// actions
		do_action('acf/admin_footer');
		do_action('acf/input/admin_footer');
		
		// trigger prepare
		?>
<script type="text/javascript">
acf.doAction('prepare');
</script>
<?php
	
	}
	
	
	/**
	*  admin_print_footer_scripts
	*
	*  description
	*
	*  @date	18/4/18
	*  @since	5.6.9
	*
	*  @param	type $var Description. Default.
	*  @return	type Description.
	*/
	
	function admin_print_footer_scripts() {
		do_action('acf/admin_print_footer_scripts');
	}
	
	/*
	*  enqueue_uploader
	*
	*  This function will render a WP WYSIWYG and enqueue media
	*
	*  @type	function
	*  @date	27/10/2014
	*  @since	5.0.9
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function enqueue_uploader() {
		
		// run only once
		if( acf_has_done('enqueue_uploader') ) {
			return;
		}
		
		// bail early if doing ajax
		if( acf_is_ajax() ) {
			return;
		}
		
		// enqueue media if user can upload
		if( current_user_can('upload_files') ) {
			wp_enqueue_media();
		}
		
		// create dummy editor
		?>
		<div id="acf-hidden-wp-editor" class="acf-hidden">
			<?php wp_editor( '', 'acf_content' ); ?>
		</div>
		<?php
			
		// action
		do_action('acf/enqueue_uploader');
	}
}

// instantiate
acf_new_instance('ACF_Assets');

endif; // class_exists check


/**
*  acf_localize_text
*
*  description
*
*  @date	13/4/18
*  @since	5.6.9
*
*  @param	type $var Description. Default.
*  @return	type Description.
*/

function acf_localize_text( $text ) {
	return acf_get_instance('ACF_Assets')->add_text( $text );
}


/**
*  acf_localize_data
*
*  description
*
*  @date	13/4/18
*  @since	5.6.9
*
*  @param	type $var Description. Default.
*  @return	type Description.
*/

function acf_localize_data( $data ) {
	return acf_get_instance('ACF_Assets')->add_data( $data );
}


/*
*  acf_enqueue_scripts
*
*  
*
*  @type	function
*  @date	6/10/13
*  @since	5.0.0
*
*  @param	n/a
*  @return	n/a
*/

function acf_enqueue_scripts( $args = array() ) {
	return acf_get_instance('ACF_Assets')->enqueue_scripts( $args );
}


/*
*  acf_enqueue_uploader
*
*  This function will render a WP WYSIWYG and enqueue media
*
*  @type	function
*  @date	27/10/2014
*  @since	5.0.9
*
*  @param	n/a
*  @return	n/a
*/

function acf_enqueue_uploader() {
	return acf_get_instance('ACF_Assets')->enqueue_uploader();
}

?>PK�[D�P��includes/class-acf-data.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly.

if( ! class_exists('ACF_Data') ) :

class ACF_Data {
	
	/** @var string Unique identifier. */
	var $cid = '';
	
	/** @var array Storage for data. */
	var $data = array();
	
	/** @var array Storage for data aliases. */
	var $aliases = array();
	
	/** @var bool Enables unique data per site. */
	var $multisite = false;
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	array $data Optional data to set.
	 * @return	void
	 */
	function __construct( $data = false ) {
		
		// Set cid.
		$this->cid = acf_uniqid();
		
		// Set data.
		if( $data ) {
			$this->set( $data );
		}
		
		// Initialize.
		$this->initialize();
	}
	
	/**
	 * initialize
	 *
	 * Called during constructor to setup class functionality.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		// Do nothing.
	}
	
	/**
	 * prop
	 *
	 * Sets a property for the given name and returns $this for chaining.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	(string|array) $name The data name or an array of data.
	 * @param	mixed $value The data value.
	 * @return	ACF_Data
	 */
	function prop( $name = '', $value = null ) {
		
		// Update property.
		$this->{$name} = $value;
		
		// Return this for chaining.
		return $this;
	}
	
	/**
	 * _key
	 *
	 * Returns a key for the given name allowing aliasses to work.
	 *
	 * @date	18/1/19
	 * @since	5.7.10
	 *
	 * @param	type $var Description. Default.
	 * @return	type Description.
	 */
	function _key( $name = '' ) {
		return isset($this->aliases[ $name ]) ? $this->aliases[ $name ] : $name;
	}
	
	/**
	 * has
	 *
	 * Returns true if this has data for the given name.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	string $name The data name.
	 * @return	boolean
	 */
	function has( $name = '' ) {
		$key = $this->_key($name);
		return isset($this->data[ $key ]);
	}
	
	/**
	 * is
	 *
	 * Similar to has() but does not check aliases.
	 *
	 * @date	7/2/19
	 * @since	5.7.11
	 *
	 * @param	type $var Description. Default.
	 * @return	type Description.
	 */
	function is( $key = '' ) {
		return isset($this->data[ $key ]);
	}
	
	/**
	 * get
	 *
	 * Returns data for the given name of null if doesn't exist.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	string $name The data name.
	 * @return	mixed
	 */
	function get( $name = false ) {
		
		// Get all.
		if( $name === false ) {
			return $this->data;
		
		// Get specific.
		} else {
			$key = $this->_key($name);
			return isset($this->data[ $key ]) ? $this->data[ $key ] : null;
		}
	}
	
	/**
	 * get_data
	 *
	 * Returns an array of all data.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	void
	 * @return	array
	 */
	function get_data() {
		return $this->data;
	}
	
	/**
	 * set
	 *
	 * Sets data for the given name and returns $this for chaining.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	(string|array) $name The data name or an array of data.
	 * @param	mixed $value The data value.
	 * @return	ACF_Data
	 */
	function set( $name = '', $value = null ) {
		
		// Set multiple.
		if( is_array($name) ) {
			$this->data = array_merge($this->data, $name);
			
		// Set single.	
		} else {
			$this->data[ $name ] = $value;
		}
		
		// Return this for chaining.
		return $this;
	}
	
	/**
	 * append
	 *
	 * Appends data for the given name and returns $this for chaining.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	mixed $value The data value.
	 * @return	ACF_Data
	 */
	function append( $value = null ) {
		
		// Append.
		$this->data[] = $value;
		
		// Return this for chaining.
		return $this;
	}
	
	/**
	 * remove
	 *
	 * Removes data for the given name.
	 *
	 * @date	9/1/19
	 * @since	5.7.10
	 *
	 * @param	string $name The data name.
	 * @return	ACF_Data
	 */
	function remove( $name = '' ) {
		
		// Remove data.
		unset( $this->data[ $name ] );
		
		// Return this for chaining.
		return $this;
	}
	
	/**
	 * reset
	 *
	 * Resets the data.
	 *
	 * @date	22/1/19
	 * @since	5.7.10
	 *
	 * @param	void
	 * @return	void
	 */
	function reset() {
		$this->data = array();
		$this->aliases = array();
	}
	
	/**
	 * count
	 *
	 * Returns the data count.
	 *
	 * @date	23/1/19
	 * @since	5.7.10
	 *
	 * @param	void
	 * @return	int
	 */
	function count() {
		return count( $this->data );
	}
	
	/**
	 * query
	 *
	 * Returns a filtered array of data based on the set of key => value arguments.
	 *
	 * @date	23/1/19
	 * @since	5.7.10
	 *
	 * @param	void
	 * @return	int
	 */
	function query( $args, $operator = 'AND' ) {
		return wp_list_filter( $this->data, $args, $operator );
	}
	
	/**
	 * alias
	 *
	 * Sets an alias for the given name allowing data to be found via multiple identifiers.
	 *
	 * @date	18/1/19
	 * @since	5.7.10
	 *
	 * @param	type $var Description. Default.
	 * @return	type Description.
	 */
	function alias( $name = '' /*, $alias, $alias2, etc */ ) {
		
		// Get all aliases.
		$args = func_get_args();
		array_shift( $args );
		
		// Loop over aliases and add to data.
		foreach( $args as $alias ) {
			$this->aliases[ $alias ] = $name;
		}
		
		// Return this for chaining.
		return $this;
	}
	
	/**
	 * switch_site
	 *
	 * Triggered when switching between sites on a multisite installation.
	 *
	 * @date	13/2/19
	 * @since	5.7.11
	 *
	 * @param	int $site_id New blog ID.
	 * @param	int prev_blog_id Prev blog ID.
	 * @return	void
	 */
	function switch_site( $site_id, $prev_site_id ) {
		
		// Bail early if not multisite compatible.
		if( !$this->multisite ) {
			return;
		}
		
		// Bail early if no change in blog ID.
		if( $site_id === $prev_site_id ) {
			return;
		}
		
		// Create storage.
		if( !isset($this->site_data) ) {
			$this->site_data = array();
			$this->site_aliases = array();
		}
		
		// Save state.
		$this->site_data[ $prev_site_id ] = $this->data;
		$this->site_aliases[ $prev_site_id ] = $this->aliases;
		
		// Reset state.
		$this->data = array();
		$this->aliases = array();
		
		// Load state.
		if( isset($this->site_data[ $site_id ]) ) {
			$this->data = $this->site_data[ $site_id ];
			$this->aliases = $this->site_aliases[ $site_id ];
			unset( $this->site_data[ $site_id ] );
			unset( $this->site_aliases[ $site_id ] );
		}
	}
}

endif; // class_exists check
PK�[��%\*\*includes/upgrades.phpnu�[���<?php

/**
*  acf_has_upgrade
*
*  Returns true if this site has an upgrade avaialble.
*
*  @date	24/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	bool
*/
function acf_has_upgrade() {
	
	// vars
	$db_version = acf_get_db_version();
	
	// return true if DB version is < latest upgrade version
	if( $db_version && acf_version_compare($db_version, '<', '5.5.0') ) {
		return true;
	}
	
	// update DB version if needed
	if( $db_version !== ACF_VERSION ) {
		acf_update_db_version( ACF_VERSION );
	}
	
	// return
	return false;
}

/**
*  acf_upgrade_all
*
*  Returns true if this site has an upgrade avaialble.
*
*  @date	24/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	bool
*/
function acf_upgrade_all() {
	
	// increase time limit
	@set_time_limit(600);
	
	// start timer
	timer_start();
	
	// log
	acf_dev_log('ACF Upgrade Begin.');
	
	// vars
	$db_version = acf_get_db_version();
	
	// 5.0.0
	if( acf_version_compare($db_version, '<', '5.0.0') ) {
		acf_upgrade_500();
	}
	
	// 5.5.0
	if( acf_version_compare($db_version, '<', '5.5.0') ) {
		acf_upgrade_550();
	}
	
	// upgrade DB version once all updates are complete
	acf_update_db_version( ACF_VERSION );
	
	// log
	global $wpdb;
	acf_dev_log('ACF Upgrade Complete.', $wpdb->num_queries, timer_stop(0));
}

/**
*  acf_get_db_version
*
*  Returns the ACF DB version.
*
*  @date	10/09/2016
*  @since	5.4.0
*
*  @param	void
*  @return	string
*/
function acf_get_db_version() {
	return get_option('acf_version');
}

/*
*  acf_update_db_version
*
*  Updates the ACF DB version.
*
*  @date	10/09/2016
*  @since	5.4.0
*
*  @param	string $version The new version.
*  @return	void
*/
function acf_update_db_version( $version = '' ) {
	update_option('acf_version', $version );
}

/**
*  acf_upgrade_500
*
*  Version 5 introduces new post types for field groups and fields.
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	void
*/
function acf_upgrade_500() {
	
	// log
	acf_dev_log('ACF Upgrade 5.0.0.');
	
	// action
	do_action('acf/upgrade_500');
	
	// do tasks
	acf_upgrade_500_field_groups();
	
	// update version
	acf_update_db_version('5.0.0');
}

/**
*  acf_upgrade_500_field_groups
*
*  Upgrades all ACF4 field groups to ACF5
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	void
*/
function acf_upgrade_500_field_groups() {
	
	// log
	acf_dev_log('ACF Upgrade 5.0.0 Field Groups.');
	
	// get old field groups
	$ofgs = get_posts(array(
		'numberposts' 		=> -1,
		'post_type' 		=> 'acf',
		'orderby' 			=> 'menu_order title',
		'order' 			=> 'asc',
		'suppress_filters'	=> true,
	));
	
	// loop
	if( $ofgs ) {
		foreach( $ofgs as $ofg ){
			acf_upgrade_500_field_group( $ofg );
		}
	}
}

/**
*  acf_upgrade_500_field_group
*
*  Upgrades a ACF4 field group to ACF5
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	object $ofg	The old field group post object.
*  @return	array $nfg	The new field group array.
*/
function acf_upgrade_500_field_group( $ofg ) {
	
	// log
	acf_dev_log('ACF Upgrade 5.0.0 Field Group.', $ofg);
	
	// vars
	$nfg = array(
		'ID'			=> 0,
		'title'			=> $ofg->post_title,
		'menu_order'	=> $ofg->menu_order,
	);
	
	// construct the location rules
	$rules = get_post_meta($ofg->ID, 'rule', false);
	$anyorall = get_post_meta($ofg->ID, 'allorany', true);
	if( is_array($rules) ) {
		
		// if field group was duplicated, rules may be a serialized string!
		$rules = array_map('maybe_unserialize', $rules);
		
		// convert rules to groups
		$nfg['location'] = acf_convert_rules_to_groups( $rules, $anyorall );
	}
	
	// settings
	if( $position = get_post_meta($ofg->ID, 'position', true) ) {
		$nfg['position'] = $position;
	}
	
	if( $layout = get_post_meta($ofg->ID, 'layout', true) ) {
		$nfg['layout'] = $layout;
	}
	
	if( $hide_on_screen = get_post_meta($ofg->ID, 'hide_on_screen', true) ) {
		$nfg['hide_on_screen'] = maybe_unserialize($hide_on_screen);
	}
	
	// save field group
	// acf_upgrade_field_group will call the acf_get_valid_field_group function and apply 'compatibility' changes
	$nfg = acf_update_field_group( $nfg );
	
	// log
	acf_dev_log('> Complete.', $nfg);
	
	// action for 3rd party
	do_action('acf/upgrade_500_field_group', $nfg, $ofg);
	
	// upgrade fields
	acf_upgrade_500_fields( $ofg, $nfg );
	
	// trash?
	if( $ofg->post_status == 'trash' ) {
		acf_trash_field_group( $nfg['ID'] );
	}
	
	// return
	return $nfg;
}

/**
*  acf_upgrade_500_fields
*
*  Upgrades all ACF4 fields to ACF5 from a specific field group 
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	object $ofg	The old field group post object.
*  @param	array $nfg	The new field group array.
*  @return	void
*/
function acf_upgrade_500_fields( $ofg, $nfg ) {
	
	// log
	acf_dev_log('ACF Upgrade 5.0.0 Fields.');
	
	// global
	global $wpdb;
	
	// get field from postmeta
	$rows = $wpdb->get_results($wpdb->prepare("SELECT * FROM $wpdb->postmeta WHERE post_id = %d AND meta_key LIKE %s", $ofg->ID, 'field_%'), ARRAY_A);
	
	// check
	if( $rows ) {
		
		// vars
		$checked = array();
		
		// loop
		foreach( $rows as $row ) {
			
			// vars
			$field = $row['meta_value'];
			$field = maybe_unserialize( $field );
			$field = maybe_unserialize( $field ); // run again for WPML
			
			// bail early if key already migrated (potential duplicates in DB)
			if( isset($checked[ $field['key'] ]) ) continue;
			$checked[ $field['key'] ] = 1;
			
			// add parent
			$field['parent'] = $nfg['ID'];
			
			// migrate field
			$field = acf_upgrade_500_field( $field );
		}
 	}
}

/**
*  acf_upgrade_500_field
*
*  Upgrades a ACF4 field to ACF5
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	array $field The old field.
*  @return	array $field The new field.
*/
function acf_upgrade_500_field( $field ) {
	
	// log
	acf_dev_log('ACF Upgrade 5.0.0 Field.', $field);
	
	// order_no is now menu_order
	$field['menu_order'] = acf_extract_var( $field, 'order_no', 0 );
	
	// correct very old field keys (field2 => field_2)
	if( substr($field['key'], 0, 6) !== 'field_' ) {
		$field['key'] = 'field_' . str_replace('field', '', $field['key']);
	}
	
	// extract sub fields
	$sub_fields = array();
	if( $field['type'] == 'repeater' ) {
		
		// loop over sub fields
		if( !empty($field['sub_fields']) ) {
			foreach( $field['sub_fields'] as $sub_field ) {
				$sub_fields[] = $sub_field;
			}
		}
		
		// remove sub fields from field
		unset( $field['sub_fields'] );
	
	} elseif( $field['type'] == 'flexible_content' ) {
		
		// loop over layouts
		if( is_array($field['layouts']) ) {
			foreach( $field['layouts'] as $i => $layout ) {
				
				// generate key
				$layout['key'] = uniqid('layout_');
				
				// loop over sub fields
				if( !empty($layout['sub_fields']) ) {
					foreach( $layout['sub_fields'] as $sub_field ) {
						$sub_field['parent_layout'] = $layout['key'];
						$sub_fields[] = $sub_field;
					}
				}
				
				// remove sub fields from layout
				unset( $layout['sub_fields'] );
				
				// update
				$field['layouts'][ $i ] = $layout;
				
			}
		}
	}
	
	// save field
	$field = acf_update_field( $field );
	
	// log
	acf_dev_log('> Complete.', $field);
	
	// sub fields
	if( $sub_fields ) {
		foreach( $sub_fields as $sub_field ) {
			$sub_field['parent'] = $field['ID'];
			acf_upgrade_500_field($sub_field);
		}
	}
	
	// action for 3rd party
	do_action('acf/update_500_field', $field);
	
	// return
	return $field;
}

/**
*  acf_upgrade_550
*
*  Version 5.5 adds support for the wp_termmeta table added in WP 4.4.
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	void
*/
function acf_upgrade_550() {
	
	// log
	acf_dev_log('ACF Upgrade 5.5.0.');
	
	// action
	do_action('acf/upgrade_550');
	
	// do tasks
	acf_upgrade_550_termmeta();
	
	// update version
	acf_update_db_version('5.5.0');
}

/**
*  acf_upgrade_550_termmeta
*
*  Upgrades all ACF4 termmeta saved in wp_options to the wp_termmeta table.
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	void
*  @return	void
*/
function acf_upgrade_550_termmeta() {
	
	// log
	acf_dev_log('ACF Upgrade 5.5.0 Termmeta.');
	
	// bail early if no wp_termmeta table
	if( get_option('db_version') < 34370 ) {
		return;
	}
	
	// get all taxonomies
	$taxonomies = get_taxonomies(false, 'objects');
	
	// loop
	if( $taxonomies ) {
	foreach( $taxonomies as $taxonomy ) {
		acf_upgrade_550_taxonomy( $taxonomy->name );
	}}
	
	// action for 3rd party
	do_action('acf/upgrade_550_termmeta');
}

/*
*  acf_wp_upgrade_550_termmeta
*
*  When the database is updated to support term meta, migrate ACF term meta data across.
*
*  @date	23/8/18
*  @since	5.7.4
*
*  @param	string $wp_db_version The new $wp_db_version.
*  @param	string $wp_current_db_version The old (current) $wp_db_version.
*  @return	void
*/
function acf_wp_upgrade_550_termmeta( $wp_db_version, $wp_current_db_version ) {
	if( $wp_db_version >= 34370 && $wp_current_db_version < 34370 ) {
		if( acf_version_compare(acf_get_db_version(), '>', '5.5.0') ) {
			acf_upgrade_550_termmeta();
		}				
	}
}
add_action( 'wp_upgrade', 'acf_wp_upgrade_550_termmeta', 10, 2 );

/**
*  acf_upgrade_550_taxonomy
*
*  Upgrades all ACF4 termmeta for a specific taxonomy.
*
*  @date	24/8/18
*  @since	5.7.4
*
*  @param	string $taxonomy The taxonomy name.
*  @return	void
*/
function acf_upgrade_550_taxonomy( $taxonomy ) {
	
	// log
	acf_dev_log('ACF Upgrade 5.5.0 Taxonomy.', $taxonomy);
	
	// global
	global $wpdb;
	
	// vars
	$search = $taxonomy . '_%';
	$_search = '_' . $search;
	
	// escape '_'
	// http://stackoverflow.com/questions/2300285/how-do-i-escape-in-sql-server
	$search = str_replace('_', '\_', $search);
	$_search = str_replace('_', '\_', $_search);
	
	// search
	// results show faster query times using 2 LIKE vs 2 wildcards
	$rows = $wpdb->get_results($wpdb->prepare(
		"SELECT * 
		FROM $wpdb->options 
		WHERE option_name LIKE %s 
		OR option_name LIKE %s",
		$search,
		$_search 
	), ARRAY_A);
	
	// loop
	if( $rows ) {
	foreach( $rows as $row ) {
		
		/*
		Use regex to find "(_)taxonomy_(term_id)_(field_name)" and populate $matches:
		Array
		(
		    [0] => _category_3_color
		    [1] => _
		    [2] => 3
		    [3] => color
		)
		*/
		if( !preg_match("/^(_?){$taxonomy}_(\d+)_(.+)/", $row['option_name'], $matches) ) {
			continue;
		}
		
		// vars
		$term_id = $matches[2];
		$meta_key = $matches[1] . $matches[3];
		$meta_value = $row['option_value'];
		
		// update
		// memory usage reduced by 50% by using a manual insert vs update_metadata() function. 
		//update_metadata( 'term', $term_id, $meta_name, $meta_value );
		$wpdb->insert( $wpdb->termmeta, array(
	        'term_id'		=> $term_id,
	        'meta_key'		=> $meta_key,
	        'meta_value'	=> $meta_value
	    ));
	    
	    // log
		acf_dev_log('ACF Upgrade 5.5.0 Term.', $term_id, $meta_key);
		
		// action
		do_action('acf/upgrade_550_taxonomy_term', $term_id);
	}}
	
	// action for 3rd party
	do_action('acf/upgrade_550_taxonomy', $taxonomy);
}

?>PK�[x�%B
B
includes/acf-form-functions.phpnu�[���<?php 

// Register store for form data.
acf_register_store( 'form' );

/**
 * acf_set_form_data
 *
 * Sets data about the current form.
 *
 * @date	6/10/13
 * @since	5.0.0
 *
 * @param	string $name The store name.
 * @param	array $data Array of data to start the store with.
 * @return	ACF_Data
 */
function acf_set_form_data( $name = '', $data = false ) {
	return acf_get_store( 'form' )->set( $name, $data );
}

/**
 * acf_get_form_data
 *
 * Gets data about the current form.
 *
 * @date	6/10/13
 * @since	5.0.0
 *
 * @param	string $name The store name.
 * @return	mixed
 */
function acf_get_form_data( $name = '' ) {
	return acf_get_store( 'form' )->get( $name );
}

/**
 * acf_form_data
 *
 * Called within a form to set important information and render hidden inputs.
 *
 * @date	15/10/13
 * @since	5.0.0
 *
 * @param	void
 * @return	void
 */
function acf_form_data( $data = array() ) {
	
	// Apply defaults.
	$data = wp_parse_args($data, array(
		
		/** @type string The current screen (post, user, taxonomy, etc). */
		'screen' => 'post',
		
		/** @type int|string The ID of current post being edited. */
		'post_id' => 0,
		
		/** @type bool Enables AJAX validation. */
		'validation' => true,
	));
	
	// Create nonce using screen.
	$data['nonce'] = wp_create_nonce( $data['screen'] );
	
	// Append "changed" input used within "_wp_post_revision_fields" action.
	$data['changed'] = 0;
	
	// Set data.
	acf_set_form_data( $data );
	
	// Render HTML.
	?>
	<div id="acf-form-data" class="acf-hidden">
		<?php 
		
		// Create hidden inputs from $data
		foreach( $data as $name => $value ) {
			acf_hidden_input(array(
				'id'	=> '_acf_' . $name,
				'name'	=> '_acf_' . $name,
				'value'	=> $value
			));
		}
		
		/**
		 * Fires within the #acf-form-data element to add extra HTML.
		 *
		 * @date	15/10/13
		 * @since	5.0.0
		 *
		 * @param	array $data The form data.
		 */
		do_action( 'acf/form_data', $data );
		do_action( 'acf/input/form_data', $data );
		
		?>
	</div>
	<?php
}


/**
 * acf_save_post
 *
 * Saves the $_POST data.
 *
 * @date	15/10/13
 * @since	5.0.0
 *
 * @param	int|string $post_id The post id.
 * @param	array $values An array of values to override $_POST.
 * @return	bool True if save was successful.
 */
function acf_save_post( $post_id = 0, $values = null ) {
	
	// Override $_POST data with $values.
	if( $values !== null ) {
		$_POST['acf'] = $values;
	}
	
	// Bail early if no data to save.
	if( empty($_POST['acf']) ) {
		return false;
	}
	
	// Set form data (useful in various filters/actions).
	acf_set_form_data( 'post_id', $post_id );
	
	// Filter $_POST data for users without the 'unfiltered_html' capability.
	if( !acf_allow_unfiltered_html() ) {
		$_POST['acf'] = wp_kses_post_deep( $_POST['acf'] );
	}
	
	// Do generic action.
	do_action( 'acf/save_post', $post_id );
	
	// Return true.
	return true;
}

/**
 * _acf_do_save_post
 *
 * Private function hooked into 'acf/save_post' to actually save the $_POST data.
 * This allows developers to hook in before and after ACF has actually saved the data.
 *
 * @date	11/1/19
 * @since	5.7.10
 *
 * @param	int|string $post_id The post id.
 * @return	void
 */
function _acf_do_save_post( $post_id = 0 ) {
	
	// Check and update $_POST data.
	if( $_POST['acf'] ) {
		acf_update_values( $_POST['acf'], $post_id );
	}	
}

// Run during generic action.
add_action( 'acf/save_post', '_acf_do_save_post' );
PK�[�����4includes/walkers/class-acf-walker-taxonomy-field.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Taxonomy_Field_Walker') ) :

class ACF_Taxonomy_Field_Walker extends Walker {
	
	var $field = null,
		$tree_type = 'category',
		$db_fields = array ( 'parent' => 'parent', 'id' => 'term_id' );
	
	function __construct( $field ) {
	
		$this->field = $field;
		
	}

	function start_el( &$output, $term, $depth = 0, $args = array(), $current_object_id = 0) {
		
		// vars
		$selected = in_array( $term->term_id, $this->field['value'] );
		
		
		// append
		$output .= '<li data-id="' . $term->term_id . '"><label' . ($selected ? ' class="selected"' : '') . '><input type="' . $this->field['field_type'] . '" name="' . $this->field['name'] . '" value="' . $term->term_id . '" ' . ($selected ? 'checked="checked"' : '') . ' /> <span>' . $term->name . '</span></label>';
				
	}
	
	function end_el( &$output, $term, $depth = 0, $args = array() ) {
	
		// append
		$output .= '</li>' .  "\n";
		
	}
	
	function start_lvl( &$output, $depth = 0, $args = array() ) {
		
		// append
		$output .= '<ul class="children acf-bl">' . "\n";
		
	}

	function end_lvl( &$output, $depth = 0, $args = array() ) {
	
		// append
		$output .= '</ul>' . "\n";
		
	}
	
}

endif;

 ?>PK�[~�X��3includes/walkers/class-acf-walker-nav-menu-edit.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Walker_Nav_Menu_Edit') ) :

class ACF_Walker_Nav_Menu_Edit extends Walker_Nav_Menu_Edit {

    /**
     * Starts the element output.
     *
     * Calls the Walker_Nav_Menu_Edit start_el function and then injects the custom field HTML  
     *
	 * @since 5.0.0
	 * @since 5.7.2 Added preg_replace based on https://github.com/ineagu/wp-menu-item-custom-fields
     *
     * @param string   $output Used to append additional content (passed by reference).
     * @param WP_Post  $item   Menu item data object.
     * @param int      $depth  Depth of menu item. Used for padding.
     * @param stdClass $args   An object of wp_nav_menu() arguments.
     * @param int      $id     Current item ID.
     */
	function start_el( &$output, $item, $depth = 0, $args = array(), $id = 0 ) {
		
		// vars
		$item_output = '';
		
		// call parent function
		parent::start_el( $item_output, $item, $depth, $args, $id );
		
		// inject custom field HTML
		$output .= preg_replace(
			// NOTE: Check this regex from time to time!
			'/(?=<(fieldset|p)[^>]+class="[^"]*field-move)/',
			$this->get_fields( $item, $depth, $args, $id ),
			$item_output
		);
	}


	/**
	 * Get custom fields HTML
	 *
	 * @since 5.0.0
	 * @since 5.7.2 Added action based on https://github.com/ineagu/wp-menu-item-custom-fields
	 *
	 * @param object $item   Menu item data object.
	 * @param int    $depth  Depth of menu item. Used for padding.
	 * @param array  $args   Menu item args.
	 * @param int    $id     Nav menu ID.
	 * @return string
	 */
	function get_fields( $item, $depth, $args = array(), $id = 0 ) {
		ob_start();
		
		/**
         * Get menu item custom fields from plugins/themes
         *
         * @since 5.7.2
         *
         * @param int    $item_id	post ID of menu
         * @param object $item		Menu item data object.
         * @param int    $depth		Depth of menu item. Used for padding.
         * @param array  $args		Menu item args.
         * @param int    $id		Nav menu ID.
         */
		do_action( 'wp_nav_menu_item_custom_fields', $item->ID, $item, $depth, $args, $id );
		return ob_get_clean();
	}		
}

endif;

?>PK�[�[y�++1includes/locations/class-acf-location-comment.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_comment') ) :

class acf_location_comment extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'comment';
		$this->label = __("Comment",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$comment = acf_maybe_get( $screen, 'comment' );
		
		
		// bail early if not comment
		if( !$comment ) return false;
				
		
        // return
        return $this->compare( $comment, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// vars
		$choices = array( 'all' => __('All', 'acf') );
		$choices = array_merge( $choices, acf_get_pretty_post_types() );
		// change this to post types that support comments				
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_comment' );

endif; // class_exists check

?>PK�[���::3includes/locations/class-acf-location-user-role.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Location_User_Role') ) :

class ACF_Location_User_Role extends acf_location {
	
	/**
	 * initialize
	 *
	 * Sets up the class functionality.
	 *
	 * @date	5/03/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		$this->name = 'user_role';
		$this->label = __("User Role", 'acf');
		$this->category = 'user';
	}
	
	/**
	 * rule_match
	 *
	 * Determines if the given location $rule is a match for the current $screen.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	bool $result Whether or not this location rule is a match.
	 * @param	array $rule The locatio rule data.
	 * @param	array $screen The current screen data.
	 * @return	bool
	 */
	function rule_match( $result, $rule, $screen ) {
		
		// Extract vars.
		$user_id = acf_maybe_get( $screen, 'user_id' );
		$user_role = acf_maybe_get( $screen, 'user_role' );
		
		// Allow $user_role to be supplied (third-party compatibility).
		if( $user_role ) {
			// Do nothing
		
		// Determine $user_role from $user_id.
		} elseif( $user_id ) {
			
			// Use default role for new user.
			if( $user_id == 'new' ) {
				$user_role = get_option('default_role');
			
			// Check if user can, and if so, set the value allowing them to match.
			} elseif( user_can($user_id, $rule['value']) ) {
				$user_role = $rule['value'];
			}
		
		// Return false if not a user.
		} else {
			return false;
		}
		
		// Compare and return.
		return $this->compare( $user_role, $rule );
		
	}
	
	/**
	 * rule_values
	 *
	 * Returns an array of values for this location rule.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	array $choices An empty array.
	 * @param	array $rule The locatio rule data.
	 * @return	array
	 */
	function rule_values( $choices, $rule ) {
		global $wp_roles;
		
		// Merge roles with defaults and return.
		return wp_parse_args($wp_roles->get_names(), array(
			'all' => __('All', 'acf')
		));
	}
}

// initialize
acf_register_location_rule( 'ACF_Location_User_Role' );

endif; // class_exists check
PK�[t�t^��0includes/locations/class-acf-location-widget.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_widget') ) :

class acf_location_widget extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'widget';
		$this->label = __("Widget",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$widget = acf_maybe_get( $screen, 'widget' );
		
		
		// bail early if not widget
		if( !$widget ) return false;
				
		
        // return
        return $this->compare( $widget, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// global
		global $wp_widget_factory;
		
		
		// vars
		$choices = array( 'all' => __('All', 'acf') );
		
		
		// loop
		if( !empty( $wp_widget_factory->widgets ) ) {
					
			foreach( $wp_widget_factory->widgets as $widget ) {
			
				$choices[ $widget->id_base ] = $widget->name;
				
			}
			
		}
				
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_widget' );

endif; // class_exists check

?>PK�[;M�N	N	2includes/locations/class-acf-location-nav-menu.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_nav_menu') ) :

class acf_location_nav_menu extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'nav_menu';
		$this->label = __("Menu",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$nav_menu = acf_maybe_get( $screen, 'nav_menu' );
		
		
		// bail early if not nav_menu
		if( !$nav_menu ) return false;
		
		
		// location
		if( substr($rule['value'], 0, 9) === 'location/' ) {
			
			// vars
			$location = substr($rule['value'], 9);
			$menu_locations = get_nav_menu_locations();
			
			
			// bail ealry if no location
			if( !isset($menu_locations[$location]) ) return false;
			
			
			// if location matches, update value
			if( $menu_locations[$location] == $nav_menu ) {
				
				$nav_menu = $rule['value'];
				
			}
			
		}
		
		
        // return
        return $this->compare( $nav_menu, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// all
		$choices = array(
			'all' => __('All', 'acf'),
		);
		
		
		// locations
		$nav_locations = get_registered_nav_menus();
		if( !empty($nav_locations) ) {
			$cat = __('Menu Locations', 'acf');
			foreach( $nav_locations as $slug => $title ) {
				$choices[ $cat ][ 'location/'.$slug ] = $title;
			}
		}
		
		
		// specific menus
		$nav_menus = wp_get_nav_menus();
		if( !empty($nav_menus) ) {
			$cat = __('Menus', 'acf');
			foreach( $nav_menus as $nav_menu ) {
				$choices[ $cat ][ $nav_menu->term_id ] = $nav_menu->name;
			}
		}
				
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_nav_menu' );

endif; // class_exists check

?>PK�[}I���7includes/locations/class-acf-location-post-template.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_template') ) :

class acf_location_post_template extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_template';
		$this->label = __("Post Template",'acf');
		$this->category = 'post';
		$this->public = acf_version_compare('wp', '>=', '4.7');
    	
	}
	
	
	/*
	*  get_post_type
	*
	*  This function will return the current post_type
	*
	*  @type	function
	*  @date	25/11/16
	*  @since	5.5.0
	*
	*  @param	$options (int)
	*  @return	(mixed)
	*/
	
	function get_post_type( $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$post_type = acf_maybe_get( $screen, 'post_type' );
		
		
		// post_type
		if( $post_type ) return $post_type;
		
		
		// $post_id
		if( $post_id ) return get_post_type( $post_id );
		
		
		// return
		return false;
		
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// Check if this rule is relevant to the current screen.
		// Find $post_id in the process.
		if( isset($screen['post_type']) ) {
			$post_type = $screen['post_type'];
		} elseif( isset($screen['post_id']) ) {
			$post_type = get_post_type( $screen['post_id'] );
		} else {
			return false;
		}
		
		// Check if this post type has templates.
		$post_templates = acf_get_post_templates();
		if( !isset($post_templates[ $post_type ]) ) {
			return false;
		}
		
		// get page template allowing for screen or database value.
		$page_template = acf_maybe_get( $screen, 'page_template' );
		$post_id = acf_maybe_get( $screen, 'post_id' );
		if( $page_template === null ) {
			$page_template = get_post_meta( $post_id, '_wp_page_template', true );
		}
		
		// Treat empty value as default template.
		if( $page_template === '' ) {
			$page_template = 'default';
		}
		
		// Compare.
		return $this->compare( $page_template, $rule );
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// Default choices.
		$choices = array(
			'default' => apply_filters( 'default_page_template_title',  __('Default Template', 'acf') )
		);
		
		// Merge in all post templates.
		$post_templates = acf_get_post_templates();
		$choices = array_merge($choices, $post_templates);
				
		// Return choices.
		return $choices;
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_template' );

endif; // class_exists check

?>PK�[ϟ���3includes/locations/class-acf-location-post-type.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_type') ) :

class acf_location_post_type extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_type';
		$this->label = __("Post Type",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  get_post_type
	*
	*  This function will return the current post_type
	*
	*  @type	function
	*  @date	25/11/16
	*  @since	5.5.0
	*
	*  @param	$options (int)
	*  @return	(mixed)
	*/
	
	function get_post_type( $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$post_type = acf_maybe_get( $screen, 'post_type' );
		
		
		// post_type
		if( $post_type ) return $post_type;
		
		
		// $post_id
		if( $post_id ) return get_post_type( $post_id );
		
		
		// return
		return false;
		
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_type = $this->get_post_type( $screen );
		
		
		// bail early if no post_type found (not a post)
		if( !$post_type ) return false;
		
		
		// match
		return $this->compare( $post_type, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// 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, 
			'exclude'	=> array('attachment')
		));
		
		
		// return choices
		return acf_get_pretty_post_types( $post_types );
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_type' );

endif; // class_exists check

?>PK�[�x����;includes/locations/class-acf-location-current-user-role.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_current_user_role') ) :

class acf_location_current_user_role extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'current_user_role';
		$this->label = __("Current User Role",'acf');
		$this->category = 'user';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// bail early if not logged in
		if( !is_user_logged_in() ) return false;
		
		
		// vars
		$user = wp_get_current_user();
		
		
		// super_admin
		if( $rule['value'] == 'super_admin' ) {
			
			$result = is_super_admin( $user->ID );
			
		// role
		} else {
			
			$result = in_array( $rule['value'], $user->roles );
			
		}
		
		
		// reverse if 'not equal to'
        if( $rule['operator'] == '!=' ) {
	        	
        	$result = !$result;
        
        }
		
		
        // return
        return $result;
        
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// global
		global $wp_roles;
		
		
		// specific roles
		$choices = $wp_roles->get_names();
		
		
		// multi-site
		if( is_multisite() ) {
			
			$prepend = array( 'super_admin' => __('Super Admin', 'acf') );
			$choices = array_merge( $prepend, $choices );
			
		}
		
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_current_user_role' );

endif; // class_exists check

?>PK�[ˇ���7includes/locations/class-acf-location-post-category.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_category') ) :

class acf_location_post_category extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_category';
		$this->label = __("Post Category",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		return acf_get_location_rule('post_taxonomy')->rule_match( $result, $rule, $screen );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		$terms = acf_get_taxonomy_terms( 'category' );
				
		if( !empty($terms) ) {
			
			$choices = array_pop($terms);
			
		}
		
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_category' );

endif; // class_exists check

?>PK�[�.�XPP4includes/locations/class-acf-location-attachment.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_attachment') ) :

class acf_location_attachment extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'attachment';
		$this->label = __("Attachment",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$attachment = acf_maybe_get( $screen, 'attachment' );
		
				
		// validate
		if( !$attachment ) return false;
		
		
		// get attachment mime type
		$mime_type = get_post_mime_type( $attachment );
		
		
		// no specific mime
		if( !strpos($rule['value'], '/') ) {
			
			// explode into [0] => type, [1] => mime
			$bits = explode('/', $mime_type);
			
			
			// if type matches, fake the $mime_type to match
			if( $rule['value'] === $bits[0] ) {
				
				$mime_type = $rule['value'];
				
			}
		}
		
		
		// match
		return $this->compare( $mime_type, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// vars
		$mimes = get_allowed_mime_types();
		$choices = array(
			'all' => __('All', 'acf')
		);
		
		
		// loop
		foreach( $mimes as $type => $mime ) {
			
			$group = current( explode('/', $mime) );
			$choices[ $group ][ $group ] = sprintf( __('All %s formats', 'acf'), $group);
			$choices[ $group ][ $mime ] = "$type ($mime)";
			
		}
		
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_attachment' );

endif; // class_exists check

?>PK�[n�k~	~	)includes/locations/class-acf-location.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Location') ) :

class ACF_Location {
	
	/** @var string The location rule name. */
	public $name = '';
	
	/** @var string The location rule label. */
	public $label = '';
	
	/** @var string The location rule category. */
	public $category = 'post';
	
	/** @var string The location rule visibility. */
	public $public = true;
	
	/**
	 * __construct
	 *
	 * Sets up the class functionality.
	 *
	 * @date	5/03/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function __construct() {
		
		// Call initialize to setup props.
		$this->initialize();
		
		// Add filters.
		$this->add_filter( 'acf/location/rule_match/' . $this->name, array($this, 'rule_match'), 5, 3 );
		$this->add_filter( 'acf/location/rule_operators/' . $this->name, array($this, 'rule_operators'), 5, 2 );
		$this->add_filter( 'acf/location/rule_values/' . $this->name, array($this, 'rule_values'), 5, 2 );
	}
	
	/**
	 * add_filter
	 *
	 * Maybe adds a filter callback.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	string $tag The filter name.
	 * @param	callable $function_to_add The callback function.
	 * @param	int $priority The filter priority.
	 * @param	int $accepted_args The number of args to accept.
	 * @return	void
	 */
	function add_filter( $tag = '', $function_to_add = '', $priority = 10, $accepted_args = 1 ) {
		if( is_callable($function_to_add) ) {
			add_filter( $tag, $function_to_add, $priority, $accepted_args );
		}
	}
	
	/**
	 * initialize
	 *
	 * Sets up the class functionality.
	 *
	 * @date	5/03/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		// Do nothing.
	}
	
	/**
	 * compare
	 *
	 * Compares the given value and rule params returning true when they match.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	mixed $value The value to compare against.
	 * @param	array $rule The locatio rule data.
	 * @return	bool
	 */
	function compare( $value, $rule ) {
		
		// Allow "all" to match any value.
        if( $rule['value'] === 'all' ) {
	        $match = true;
	        
        // Compare all other values.
        } else {
	        $match = ( $value == $rule['value'] );
        }
		
		// Allow for "!=" operator.
        if( $rule['operator'] == '!=' ) {
        	$match = !$match;
        }
		
		// Return.
		return $match;
	}
}

endif; // class_exists check
PK�[�3�!��2includes/locations/class-acf-location-taxonomy.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_taxonomy') ) :

class acf_location_taxonomy extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'taxonomy';
		$this->label = __("Taxonomy",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$taxonomy = acf_maybe_get( $screen, 'taxonomy' );
		
		
		// bail early if not taxonomy
		if( !$taxonomy ) return false;
				
		
        // return
        return $this->compare( $taxonomy, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// vars
		$choices = array( 'all' => __('All', 'acf') );
		$choices = array_merge( $choices, acf_get_taxonomy_labels() );
		
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_taxonomy' );

endif; // class_exists check

?>PK�[��)��5includes/locations/class-acf-location-page-parent.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_page_parent') ) :

class acf_location_page_parent extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'page_parent';
		$this->label = __("Page Parent",'acf');
		$this->category = 'page';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$page_parent = acf_maybe_get( $screen, 'page_parent' );
		
		
		// no page parent
		if( $page_parent === null ) {
			
			// bail early if no post id
			if( !$post_id ) return false;
			
			
			// get post parent
			$post = get_post( $post_id );
			$page_parent = $post->post_parent;
			
		}
		
		
		// compare
		return $this->compare( $page_parent, $rule );
        
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		return acf_get_location_rule('page')->rule_values( $choices, $rule );
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_page_parent' );

endif; // class_exists check

?>PK�[�Cn7.includes/locations/class-acf-location-post.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post') ) :

class acf_location_post extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post';
		$this->label = __("Post",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		
		
		// bail early if not post
		if( !$post_id ) return false;
		
		
		// compare
		return $this->compare( $post_id, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// get post types
		$post_types = acf_get_post_types(array(
			'show_ui'	=> 1,
			'exclude'	=> array('page', 'attachment')
		));
		
		
		// get posts grouped by post type
		$groups = acf_get_grouped_posts(array(
			'post_type' => $post_types
		));
		
		
		if( !empty($groups) ) {
	
			foreach( array_keys($groups) as $group_title ) {
				
				// vars
				$posts = acf_extract_var( $groups, $group_title );
				
				
				// override post data
				foreach( array_keys($posts) as $post_id ) {
					
					// update
					$posts[ $post_id ] = acf_get_post_title( $posts[ $post_id ] );
					
				};
				
				
				// append to $choices
				$choices[ $group_title ] = $posts;
				
			}
			
		}
			
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post' );

endif; // class_exists check

?>PK�[w䦕��7includes/locations/class-acf-location-page-template.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_page_template') ) :

class acf_location_page_template extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'page_template';
		$this->label = __("Page Template",'acf');
		$this->category = 'page';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// Check if this rule is relevant to the current screen.
		// Find $post_id in the process.
		if( isset($screen['post_type']) ) {
			$post_type = $screen['post_type'];
		} elseif( isset($screen['post_id']) ) {
			$post_type = get_post_type( $screen['post_id'] );
		} else {
			return false;
		}
		
		// If this rule is set to "default" template, avoid matching on non "page" post types.
		// Fixes issue where post templates were added in WP 4.7 and field groups appeared on all post type edit screens.
		if( $rule['value'] === 'default' && $post_type !== 'page' ) {
			return false;
		}
		
		// Return.
		return acf_get_location_rule('post_template')->rule_match( $result, $rule, $screen );
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// Default choices.
		$choices = array(
			'default' => apply_filters( 'default_page_template_title',  __('Default Template', 'acf') )
		);
		
		// Load all templates, and merge in 'page' templates.
		$post_templates = acf_get_post_templates();
		if( isset($post_templates['page']) ) {
			$choices = array_merge($choices, $post_templates['page']);
		}
		
		// Return choices.
		return $choices;
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_page_template' );

endif; // class_exists check

?>PK�[����	�	5includes/locations/class-acf-location-post-status.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_status') ) :

class acf_location_post_status extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_status';
		$this->label = __("Post Status",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  get_post_type
	*
	*  This function will return the current post_type
	*
	*  @type	function
	*  @date	25/11/16
	*  @since	5.5.0
	*
	*  @param	$options (int)
	*  @return	(mixed)
	*/
	
	function get_post_type( $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$post_type = acf_maybe_get( $screen, 'post_type' );
		
		
		// post_type
		if( $post_type ) return $post_type;
		
		
		// $post_id
		if( $post_id ) return get_post_type( $post_id );
		
		
		// return
		return false;
		
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_status = acf_maybe_get( $screen, 'post_status' );
		
		
	    // find post format
		if( !$post_status ) {	
			
			// get post id
			$post_id = acf_maybe_get( $screen, 'post_id' );
			
			
			// bail early if not a post
			if( !$post_id ) return false;
			
			
			// update
			$post_status = get_post_status( $post_id );
			
		}
		
			
	    // auto-draft = draft
	    if( $post_status == 'auto-draft' )  {
	    
		    $post_status = 'draft';
		    
	    }
	    
		
		// match
		return $this->compare( $post_status, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// globals
		global $wp_post_statuses;
		
		
		// append
		if( !empty($wp_post_statuses) ) {
			
			foreach( $wp_post_statuses as $status ) {
				
				$choices[ $status->name ] = $status->label;
				
			}
			
		}
		
		
		// return choices
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_status' );

endif; // class_exists check

?>PK�[�+�##3includes/locations/class-acf-location-user-form.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('ACF_Location_User_Form') ) :

class ACF_Location_User_Form extends ACF_Location {
	
	/**
	 * initialize
	 *
	 * Sets up the class functionality.
	 *
	 * @date	5/03/2014
	 * @since	5.0.0
	 *
	 * @param	void
	 * @return	void
	 */
	function initialize() {
		$this->name = 'user_form';
		$this->label = __("User Form", 'acf');
		$this->category = 'user';
	}
	
	/**
	 * rule_match
	 *
	 * Determines if the given location $rule is a match for the current $screen.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	bool $result Whether or not this location rule is a match.
	 * @param	array $rule The locatio rule data.
	 * @param	array $screen The current screen data.
	 * @return	bool
	 */
	function rule_match( $result, $rule, $screen ) {
		
		// Extract vars.
		$user_form = acf_maybe_get($screen, 'user_form');
		
		// Return false if no user_form data.
		if( !$user_form ) {
			return false;
		}
		
		// The "Add / Edit" choice (foolishly valued "edit") should match true for either "add" or "edit".
		if( $rule['value'] === 'edit' && $user_form === 'add' ) {
			$user_form = 'edit';
		}
				
		// Compare and return.
		return $this->compare( $user_form, $rule );
	}
	
	/**
	 * rule_values
	 *
	 * Returns an array of values for this location rule.
	 *
	 * @date	17/9/19
	 * @since	5.8.1
	 *
	 * @param	array $choices An empty array.
	 * @param	array $rule The locatio rule data.
	 * @return	type Description.
	 */
	function rule_values( $choices, $rule ) {
		return array(
			'all' 		=> __('All', 'acf'),
			'add' 		=> __('Add', 'acf'),
			'edit' 		=> __('Add / Edit', 'acf'),
			'register' 	=> __('Register', 'acf')
		);		
	}
}

// Register.
acf_register_location_rule( 'ACF_Location_User_Form' );

endif; // class_exists check
PK�[2.includes/locations/class-acf-location-page.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_page') ) :

class acf_location_page extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'page';
		$this->label = __("Page",'acf');
		$this->category = 'page';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		return acf_get_location_rule('post')->rule_match( $result, $rule, $screen );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// get posts grouped by post type
		$groups = acf_get_grouped_posts(array(
			'post_type' => 'page'
		));
		
		
		// pop
		$choices = array_pop( $groups );
		
		
		// convert posts to titles
		foreach( $choices as &$item ) {
			
			$item = acf_get_post_title( $item );
			
		}
					
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_page' );

endif; // class_exists check

?>PK�[gge�P	P	5includes/locations/class-acf-location-post-format.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_format') ) :

class acf_location_post_format extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_format';
		$this->label = __("Post Format",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  get_post_type
	*
	*  This function will return the current post_type
	*
	*  @type	function
	*  @date	25/11/16
	*  @since	5.5.0
	*
	*  @param	$options (int)
	*  @return	(mixed)
	*/
	
	function get_post_type( $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$post_type = acf_maybe_get( $screen, 'post_type' );
		
		
		// post_type
		if( $post_type ) return $post_type;
		
		
		// $post_id
		if( $post_id ) return get_post_type( $post_id );
		
		
		// return
		return false;
		
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_format = acf_maybe_get( $screen, 'post_format' );
		
		
		// find post format
		if( !$post_format ) {	
			
			// get post id
			$post_id = acf_maybe_get( $screen, 'post_id' );
			$post_type = $this->get_post_type( $screen );
			
			
			// bail early if not a post
			if( !$post_id || !$post_type ) return false;
			
			
			// does post_type support 'post-format'
			if( post_type_supports($post_type, 'post-formats') ) {
				
				// update
				$post_format = get_post_format($post_id);
				$post_format = $post_format ? $post_format : 'standard';
				
			}
			
		}
	    
		
		// compare
		return $this->compare( $post_format, $rule );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		return get_post_format_strings();
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_format' );

endif; // class_exists check

?>PK�[86���7includes/locations/class-acf-location-nav-menu-item.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_nav_menu_item') ) :

class acf_location_nav_menu_item extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'nav_menu_item';
		$this->label = __("Menu Item",'acf');
		$this->category = 'forms';
    	
	}
	

	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$nav_menu_item = acf_maybe_get( $screen, 'nav_menu_item' );
		
		
		// bail early if not nav_menu_item
		if( !$nav_menu_item ) return false;
		
		
		// append nav_menu data
		if( !isset($screen['nav_menu']) ) {
			$screen['nav_menu'] = acf_get_data('nav_menu_id');
		}
		
		
        // return
        return acf_get_location_rule('nav_menu')->rule_match( $result, $rule, $screen );
		
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// get menu choices
		$choices = acf_get_location_rule('nav_menu')->rule_values( $choices, $rule );
		
		
		// append item types?
		// dificult to get these details
			
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_nav_menu_item' );

endif; // class_exists check

?>PK�[���@776includes/locations/class-acf-location-current-user.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_current_user') ) :

class acf_location_current_user extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'current_user';
		$this->label = __("Current User",'acf');
		$this->category = 'user';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// logged in
		if( $rule['value'] == 'logged_in' ) {
			
			$result = is_user_logged_in();
			
		// viewing_front
		} elseif( $rule['value'] == 'viewing_front' ) {
			
			$result = !is_admin();
			
		// viewing_back
		} elseif( $rule['value'] == 'viewing_back' ) {
			
			$result = is_admin();
			
		}
		
		
		// reverse if 'not equal to'
        if( $rule['operator'] == '!=' ) {
	        	
        	$result = !$result;
        
        }
		
		
        // return
        return $result;
        
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		return array(
			'logged_in'		=> __('Logged in', 'acf'),
			'viewing_front'	=> __('Viewing front end', 'acf'),
			'viewing_back'	=> __('Viewing back end', 'acf')
		);
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_current_user' );

endif; // class_exists check

?>PK�[��
km
m
7includes/locations/class-acf-location-post-taxonomy.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_post_taxonomy') ) :

class acf_location_post_taxonomy extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'post_taxonomy';
		$this->label = __("Post Taxonomy",'acf');
		$this->category = 'post';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// vars
		$post_id = acf_maybe_get( $screen, 'post_id' );
		$post_terms = acf_maybe_get( $screen, 'post_terms' );
		
		// Allow compatibility for attachments.
		if( !$post_id ) {
			$post_id = acf_maybe_get( $screen, 'attachment_id' );
		}
		
		// bail early if not a post
		if( !$post_id ) return false;
		
		// get selected term from rule
		$term = acf_get_term( $rule['value'] );
		
		// bail early if no term
		if( !$term || is_wp_error($term) ) return false;
		
		// if ajax, find the terms for the correct category
		if( $post_terms !== null ) {
			$post_terms = acf_maybe_get( $post_terms, $term->taxonomy, array() );
		
		// if not ajax, load post's terms
		} else {
			$post_terms = wp_get_post_terms( $post_id, $term->taxonomy, array('fields' => 'ids') );
		}
		
		// If no terms, this is a new post and should be treated as if it has the "Uncategorized" (1) category ticked
		if( !$post_terms && $term->taxonomy == 'category' ) {
			$post_terms = array( 1 );
		}
		
		// compare term IDs and slugs
		if( in_array($term->term_id, $post_terms) || in_array($term->slug, $post_terms) ) {
			$result = true;
		}
		
		 // reverse if 'not equal to'
        if( $rule['operator'] == '!=' ) {
			$result = !$result;
        }
        
        // return
        return $result;
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		// get
		$choices = acf_get_taxonomy_terms();
		
			
		// unset post_format
		if( isset($choices['post_format']) ) {
		
			unset( $choices['post_format']) ;
			
		}
		
		
		// return
		return $choices;
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_post_taxonomy' );

endif; // class_exists check

?>PK�[ƍkҿ�3includes/locations/class-acf-location-page-type.phpnu�[���<?php 

if( ! defined( 'ABSPATH' ) ) exit; // Exit if accessed directly

if( ! class_exists('acf_location_page_type') ) :

class acf_location_page_type extends acf_location {
	
	
	/*
	*  __construct
	*
	*  This function will setup the class functionality
	*
	*  @type	function
	*  @date	5/03/2014
	*  @since	5.0.0
	*
	*  @param	n/a
	*  @return	n/a
	*/
	
	function initialize() {
		
		// vars
		$this->name = 'page_type';
		$this->label = __("Page Type",'acf');
		$this->category = 'page';
    	
	}
	
	
	/*
	*  rule_match
	*
	*  This function is used to match this location $rule to the current $screen
	*
	*  @type	function
	*  @date	3/01/13
	*  @since	3.5.7
	*
	*  @param	$match (boolean) 
	*  @param	$rule (array)
	*  @return	$options (array)
	*/
	
	function rule_match( $result, $rule, $screen ) {
		
		// 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') {
        	
        	// vars
	        $front_page = (int) get_option('page_on_front');
	        
	        
	        // compare
	        $result = ( $front_page === $post->ID );
	        
        } elseif( $rule['value'] == 'posts_page') {
        	
        	// vars
	        $posts_page = (int) get_option('page_for_posts');
	        
	        
	        // compare
	        $result = ( $posts_page === $post->ID );
	        
        } elseif( $rule['value'] == 'top_level') {
        	
        	// vars
        	$page_parent = acf_maybe_get( $screen, 'page_parent', $post->post_parent );
        	
        	
        	// compare
			$result = ( $page_parent == 0 );
	            
        } elseif( $rule['value'] == 'parent' ) {
        	
        	// get children
        	$children = get_posts(array(
        		'post_type' 		=> $post->post_type,
        		'post_parent' 		=> $post->ID,
        		'posts_per_page'	=> 1,
				'fields'			=> 'ids',
        	));
        	
	        
	        // compare
	        $result = !empty( $children );
	        
        } elseif( $rule['value'] == 'child') {
        	
        	// vars
        	$page_parent = acf_maybe_get( $screen, 'page_parent', $post->post_parent );
        	
	        
	        // compare
			$result = ( $page_parent > 0 );
	        
        }
        
        
        // reverse if 'not equal to'
        if( $rule['operator'] == '!=' ) {
	        	
        	$result = !$result;
        
        }
        
        
        // return
        return $result;
        
	}
	
	
	/*
	*  rule_operators
	*
	*  This function returns the available values for this rule type
	*
	*  @type	function
	*  @date	30/5/17
	*  @since	5.6.0
	*
	*  @param	n/a
	*  @return	(array)
	*/
	
	function rule_values( $choices, $rule ) {
		
		return array(
			'front_page'	=> __("Front Page",'acf'),
			'posts_page'	=> __("Posts Page",'acf'),
			'top_level'		=> __("Top Level Page (no parent)",'acf'),
			'parent'		=> __("Parent Page (has children)",'acf'),
			'child'			=> __("Child Page (has parent)",'acf'),
		);
		
	}
	
}

// initialize
acf_register_location_rule( 'acf_location_page_type' );

endif; // class_exists check

?>PK�
�[���U3U3pro/blocks.phpnu�[���PK�
�[�����
�
�3pro/acf-pro.phpnu�[���PK�
�[�͖��Apro/updates.phpnu�[���PK�
�[�*��	 	 �Ppro/admin/admin-updates.phpnu�[���PK�
�[}sP��� -qpro/admin/admin-options-page.phpnu�[���PK�
�[B
q���%@�pro/admin/views/html-options-page.phpnu�[���PK�
�[�q;uu)A�pro/admin/views/html-settings-updates.phpnu�[���PK�
�[jT�d�M�M&�pro/fields/class-acf-field-gallery.phpnu�[���PK�
�[Ԧ�g�g$�pro/fields/class-acf-field-clone.phpnu�[���PK�
�[[q��U�U'Wpro/fields/class-acf-field-repeater.phpnu�[���PK�
�[�v�eօօ/�pro/fields/class-acf-field-flexible-content.phpnu�[���PK�
�[���	�%�% 3pro/options-page.phpnu�[���PK�
�[^�:	����`Ypro/assets/js/acf-pro-input.jsnu�[���PK�
�[�l�'�'#0�pro/assets/js/acf-pro-blocks.min.jsnu�[���PK�
�[��7S%S%$pro/assets/js/acf-pro-field-group.jsnu�[���PK�
�[�O���(�-pro/assets/js/acf-pro-field-group.min.jsnu�[���PK�
�[Cm��HH"�>pro/assets/js/acf-pro-input.min.jsnu�[���PK�
�[�%�Y3Y3 ,�pro/assets/css/acf-pro-input.cssnu�[���PK�
�[��Z[��&պpro/assets/css/acf-pro-field-group.cssnu�[���PK�
�[�\�221�pro/locations/class-acf-location-options-page.phpnu�[���PK�
�[�2Z{!!*r�pro/locations/class-acf-location-block.phpnu�[���PK�
�[�b��E�E��acf.phpnu�[���PK�
�[A��Q���assets/js/acf-input.jsnu�[���PK�
�[ o��1�1��assets/js/acf-field-group.jsnu�[���PK�
�[��b\\ cm	assets/js/acf-field-group.min.jsnu�[���PK�
�[$����2�	assets/js/acf-input.min.jsnu�[���PK�
�[Z\D������assets/css/acf-input.cssnu�[���PK�
�[��1�rrzXassets/css/acf-dark.cssnu�[���PK�
�[�D��3nassets/css/acf-field-group.cssnu�[���PK�
�[b��L�LT�assets/css/acf-global.cssnu�[���PK�
�[y	T�D�D R�assets/inc/select2/4/select2.cssnu�[���PK�
�[&T�R(x(x$f
assets/inc/select2/4/select2.full.jsnu�[���PK�
�[8ދ�$�$(�assets/inc/select2/4/select2.full.min.jsnu�[���PK�
�[iybx\;\;$7�assets/inc/select2/4/select2.min.cssnu�[���PK�
�[	%�n*n*�assets/inc/select2/4/select2.jsnu�[���PK�
�[v�Ahh#�"assets/inc/select2/4/select2.min.jsnu�[���PK�
�[;��LL _'assets/inc/select2/3/select2.cssnu�[���PK�
�[\i���(�sassets/inc/select2/3/select2-spinner.gifnu�[���PK�
�[k�䎍�"�yassets/inc/select2/3/select2x2.pngnu�[���PK�
�[g�j�8D8D�|assets/inc/select2/3/select2.jsnu�[���PK�
�[��w

 �assets/inc/select2/3/select2.pngnu�[���PK�
�[cC�_$$#e�assets/inc/select2/3/select2.min.jsnu�[���PK�
�[7@)��[�['��assets/inc/datepicker/jquery-ui.min.cssnu�[���PK�
�[�z��LgLg#�#assets/inc/datepicker/jquery-ui.cssnu�[���PK�
�[+����8��assets/inc/datepicker/images/ui-icons_444444_256x240.pngnu�[���PK�
�[&�M)��8��assets/inc/datepicker/images/ui-icons_DDDDDD_256x240.pngnu�[���PK�
�[\�Z���8ʩassets/inc/datepicker/images/ui-icons_ffffff_256x240.pngnu�[���PK�
�[���TTD�assets/inc/datepicker/images/ui-bg_highlight-soft_0_ffffff_1x100.pngnu�[���PK�
�[!M�h����7��assets/inc/timepicker/jquery-ui-timepicker-addon.min.jsnu�[���PK�
�[��a�mm8�Zassets/inc/timepicker/jquery-ui-timepicker-addon.min.cssnu�[���PK�
�[�0��333�bassets/inc/timepicker/jquery-ui-timepicker-addon.jsnu�[���PK�
�[� ��4�assets/inc/timepicker/jquery-ui-timepicker-addon.cssnu�[���PK�
�[04�!�!�assets/images/spinner@2x.gifnu�[���PK�
�[ԋO��5�assets/images/spinner.gifnu�[���PK�
�[p�(͖
�
'�assets/images/acf-logo.pngnu�[���PK�
�[J&�E���assets/font/acf.woffnu�[���PK�
�[&pW�@@��assets/font/acf.woff2nu�[���PK�
�[��_�2
2
`assets/font/config.jsonnu�[���PK�
�[TX��  �assets/font/acf.eotnu�[���PK�
�[�Ƕ��00assets/font/acf.svgnu�[���PK�
�[��-<<>Fassets/font/README.txtnu�[���PK�
�[}�=[���Qassets/font/acf.ttfnu�[���PK�
�[,D����qassets/font/LICENSE.txtnu�[���PK�
�[h�9g6g6
]ureadme.txtnu�[���PK�
�[���b������lang/acf-fr_FR.ponu�[���PK�
�[F�=�		�Clang/acf-sk_SK.ponu�[���PK�
�[V.�\����Xlang/acf-de_DE.monu�[���PK�
�[yj%m�m��)lang/acf-uk.ponu�[���PK�
�[$MjnN�N��� lang/acf-uk.monu�[���PK�
�[  ������'J!lang/acf-ro_RO.monu�[���PK�
�[�x�#>�>���!lang/acf-tr_TR.ponu�[���PK�
�[�������q�#lang/acf-bg_BG.ponu�[���PK�
�[h2�P����9\%lang/acf-zh_TW.ponu�[���PK�
�[H��nu�u�]4'lang/acf-pt_BR.ponu�[���PK�
�[�~�����(lang/acf-de_CH.monu�[���PK�
�[�P�~���)lang/acf-he_IL.monu�[���PK�
�[�}�?�?�D6*lang/acf-de_CH.ponu�[���PK�
�[	l$�����+lang/acf-pl_PL.ponu�[���PK�
�[�\�������-lang/acf-pt_PT.ponu�[���PK�
�[��W���g/lang/acf-ru_RU.monu�[���PK�
�[3�iUU�h0lang/acf-zh_CN.ponu�[���PK�
�[��/ ���1lang/acf-sk_SK.monu�[���PK�
�[<'-"�"�1]2lang/acf-ja.ponu�[���PK�
�[@\D%��3lang/acf-zh_CN.monu�[���PK�
�[Ĩ�f�f��4lang/acf-hr_HR.monu�[���PK�
�[j!Y�����;C5lang/acf-cs_CZ.monu�[���PK�
�[�9i����f6lang/acf-nb_NO.monu�[���PK�
�[�����'�6lang/acf-sv_SE.monu�[���PK�
�[��bz<�<�p�7lang/acf-hr_HR.ponu�[���PK�
�[kO6�m�m��9lang/acf-it_IT.ponu�[���PK�
�[�%�!}}��:lang/acf-id_ID.ponu�[���PK�
�[��|����Y�;lang/acf-cs_CZ.ponu�[���PK�
�[�����o�=lang/acf-pt_BR.monu�[���PK�
�[c_�����S>lang/acf-nl_NL.ponu�[���PK�
�[��3�����@lang/acf-fr_CA.monu�[���PK�
�[���Ġ�����@lang/acf-zh_TW.monu�[���PK�[������q�Alang/acf-bg_BG.monu�[���PK�[KR壤���sBlang/acf-es_ES.ponu�[���PK�[�~�'�'��Dlang/acf-de_DE_formal.ponu�[���PK�[���և�����Elang/acf-fr_CA.ponu�[���PK�[/t����}Glang/acf-nb_NO.ponu�[���PK�[
֛��Ilang/acf-fr_FR.monu�[���PK�[�f��)�)�l�Ilang/acf-he_IL.ponu�[���PK�[m<yq8v8v�ZKlang/acf-sv_SE.ponu�[���PK�[��5
�;�;O�Llang/acf.potnu�[���PK�[�����R
Nlang/acf-ar.ponu�[���PK�[��z�K�K�q�Olang/acf-pl_PL.monu�[���PK�[���P""�zPlang/acf-hu_HU.ponu�[���PK�[=Ab��Z�ZJ�Qlang/acf-ru_RU.ponu�[���PK�[͓�0��h�Slang/acf-fi.monu�[���PK�[�*�'������Tlang/acf-ro_RO.ponu�[���PK�[A��vs�s�xTVlang/acf-ar.monu�[���PK�[~�NP����)9Wlang/acf-pt_PT.monu�[���PK�[�`rDX�X�Xlang/acf-de_DE_formal.monu�[���PK�[�+:������Xlang/acf-ca.ponu�[���PK�[S�`���bZlang/acf-nl_NL.monu�[���PK�[��±���$[lang/acf-it_IT.monu�[���PK�[r��p����>�[lang/acf-tr_TR.monu�[���PK�[�JrK�K�x�\lang/acf-ja.monu�[���PK�[o��i�i�i]lang/acf-es_ES.monu�[���PK�[~^�Z�Z��2^lang/acf-fi.ponu�[���PK�[�E¤���C�_lang/acf-hu_HU.monu�[���PK�[v����(W`lang/acf-id_ID.monu�[���PK�[��B�<�<�o�`lang/acf-de_DE.ponu�[���PK�[��������blang/acf-ca.monu�[���PK�[�ɗ�{�{���clang/acf-fa_IR.monu�[���PK�[��'uFuFp�dlang/acf-fa_IR.ponu�[���PK�[q��1-1-&�fincludes/local-fields.phpnu�[���PK�[�y�$�$"��fincludes/forms/form-customizer.phpnu�[���PK�[\��^A0A0�gincludes/forms/form-front.phpnu�[���PK�[C��y��~Pgincludes/forms/form-comment.phpnu�[���PK�[�'g� �hgincludes/forms/form-nav-menu.phpnu�[���PK�[<�zd||"��gincludes/forms/form-attachment.phpnu�[���PK�[#8�vv͖gincludes/forms/form-widget.phpnu�[���PK�[}Z�fhh��gincludes/forms/form-post.phpnu�[���PK�[pP��%%E�gincludes/forms/form-user.phpnu�[���PK�[7<9Q�� ��gincludes/forms/form-taxonomy.phpnu�[���PK�[7�lFF!�hincludes/forms/form-gutenberg.phpnu�[���PK�[m�	2%2%_hincludes/revisions.phpnu�[���PK�[��协��<hincludes/acf-post-functions.phpnu�[���PK�[%�6����?hincludes/loop.phpnu�[���PK�[iBqɗ��Shincludes/l10n.phpnu�[���PK�[��*���|bhincludes/acf-user-functions.phpnu�[���PK�[�Ed���}khincludes/json.phpnu�[���PK�['�ҵ�@hincludes/local-meta.phpnu�[���PK�[��E��� <�hincludes/acf-value-functions.phpnu�[���PK�[��`zzv�hincludes/validation.phpnu�[���PK�[
9�)�)7�hincludes/api/api-term.phpnu�[���PK�[�DbK!n!nX�hincludes/api/api-template.phpnu�[���PK�[l(D�I�I�hiincludes/api/api-helpers.phpnu�[���PK�[^\�FfFf&��jincludes/acf-field-group-functions.phpnu�[���PK�[~�z,,Rkincludes/updates.phpnu�[���PK�[��~P^^<�Ekincludes/admin/views/field-group-field-conditional-logic.phpnu�[���PK�[D�G,fUkincludes/admin/views/field-group-options.phpnu�[���PK�[3ˏ��,�ekincludes/admin/views/html-notice-upgrade.phpnu�[���PK�[�/�e

0�lkincludes/admin/views/html-admin-page-upgrade.phpnu�[���PK�[h�ڀ��&wkincludes/admin/views/settings-info.phpnu�[���PK�[����99,K�kincludes/admin/views/html-location-group.phpnu�[���PK�[l��a��*�kincludes/admin/views/field-group-field.phpnu�[���PK�[���X��)/�kincludes/admin/views/html-admin-tools.phpnu�[���PK�[l��U\\+&�kincludes/admin/views/field-group-fields.phpnu�[���PK�[_Y���.ݱkincludes/admin/views/field-group-locations.phpnu�[���PK�[J�/M��8��kincludes/admin/views/html-admin-page-upgrade-network.phpnu�[���PK�[�,b"��+�kincludes/admin/views/html-location-rule.phpnu�[���PK�[D�֑�� 3�kincludes/admin/admin-upgrade.phpnu�[���PK�[|��(�(4P�kincludes/admin/tools/class-acf-admin-tool-export.phpnu�[���PK�[:�_�		-tlincludes/admin/tools/class-acf-admin-tool.phpnu�[���PK�[\c?f
f
4�lincludes/admin/tools/class-acf-admin-tool-import.phpnu�[���PK�[��	��G�G%�%lincludes/admin/admin-field-groups.phpnu�[���PK�[)�� �mlincludes/admin/admin-notices.phpnu�[���PK�[@m@��@�@$ylincludes/admin/admin-field-group.phpnu�[���PK�[bU����lincludes/admin/admin.phpnu�[���PK�[���t��5�lincludes/admin/admin-tools.phpnu�[���PK�[YeA	��^�lincludes/fields.phpnu�[���PK�[v�mz"2�lincludes/acf-utility-functions.phpnu�[���PK�[P�.��lincludes/fields/class-acf-field-google-map.phpnu�[���PK�[]27;;,mincludes/fields/class-acf-field-textarea.phpnu�[���PK�[Й�QQ'�,mincludes/fields/class-acf-field-url.phpnu�[���PK�[έ�4$$)A8mincludes/fields/class-acf-field-image.phpnu�[���PK�[P��..(�\mincludes/fields/class-acf-field-user.phpnu�[���PK�[)��
�
+��mincludes/fields/class-acf-field-message.phpnu�[���PK�[?��t�N�N,�mincludes/fields/class-acf-field-taxonomy.phpnu�[���PK�[�S{�#�#(v�mincludes/fields/class-acf-field-file.phpnu�[���PK�[�՞�

'�nincludes/fields/class-acf-field-tab.phpnu�[���PK�[����,�,,nincludes/fields/class-acf-field-checkbox.phpnu�[���PK�[SIa�,�,+�Fnincludes/fields/class-acf-field-wysiwyg.phpnu�[���PK�[o%Ð?�?08tnincludes/fields/class-acf-field-relationship.phpnu�[���PK�[�`~M__*(�nincludes/fields/class-acf-field-output.phpnu�[���PK�[�ʼn{I-I-/�nincludes/fields/class-acf-field-post_object.phpnu�[���PK�[C�)\\0��nincludes/fields/class-acf-field-button-group.phpnu�[���PK�[1�����(E�nincludes/fields/class-acf-field-link.phpnu�[���PK�[ô����#eoincludes/fields/class-acf-field.phpnu�[���PK�[�;�E5E5*M.oincludes/fields/class-acf-field-select.phpnu�[���PK�[	���!'!')�coincludes/fields/class-acf-field-radio.phpnu�[���PK�[5K23��*f�oincludes/fields/class-acf-field-number.phpnu�[���PK�[f���.��oincludes/fields/class-acf-field-true_false.phpnu�[���PK�[\���/�/-w�oincludes/fields/class-acf-field-page_link.phpnu�[���PK�[���NAA/��oincludes/fields/class-acf-field-date_picker.phpnu�[���PK�[�#8G
G
-ppincludes/fields/class-acf-field-accordion.phpnu�[���PK�[Zv��77)pincludes/fields/class-acf-field-range.phpnu�[���PK�[W�S�22)�!pincludes/fields/class-acf-field-group.phpnu�[���PK�[X:2�]]/Tpincludes/fields/class-acf-field-time_picker.phpnu�[���PK�[kLԎww-�bpincludes/fields/class-acf-field-separator.phpnu�[���PK�[�*'�77)�hpincludes/fields/class-acf-field-email.phpnu�[���PK�[o6]��*%upincludes/fields/class-acf-field-oembed.phpnu�[���PK�[��l4c�pincludes/fields/class-acf-field-date_time_picker.phpnu�[���PK�[�ѷ�(ܧpincludes/fields/class-acf-field-text.phpnu�[���PK�[_'_�0�pincludes/fields/class-acf-field-color_picker.phpnu�[���PK�[�HE*pp,L�pincludes/fields/class-acf-field-password.phpnu�[���PK�[�	bU66!�pincludes/acf-helper-functions.phpnu�[���PK�[D�e�)�)��pincludes/acf-meta-functions.phpnu�[���PK�[j'����qincludes/third-party.phpnu�[���PK�[�E��z!qincludes/deprecated.phpnu�[���PK�[�M���1qincludes/locations.phpnu�[���PK�[ɀ|�//�Jqincludes/compatibility.phpnu�[���PK�[T�/�e#e# &zqincludes/acf-input-functions.phpnu�[���PK�[�?�bb۝qincludes/acf-hook-functions.phpnu�[���PK�[=k�I���� ��qincludes/acf-field-functions.phpnu�[���PK�[9��#cc-y=rincludes/ajax/class-acf-ajax-user-setting.phpnu�[���PK�[I��D��-9Arincludes/ajax/class-acf-ajax-check-screen.phpnu�[���PK�[�^.�� XJrincludes/ajax/class-acf-ajax.phpnu�[���PK�[�a��00(`Wrincludes/ajax/class-acf-ajax-upgrade.phpnu�[���PK�[.W2���[rincludes/media.phpnu�[���PK�[u�W���jrincludes/wpml.phpnu�[���PK�[�x}!p(p(�rincludes/assets.phpnu�[���PK�[D�P����rincludes/class-acf-data.phpnu�[���PK�[��%\*\*��rincludes/upgrades.phpnu�[���PK�[x�%B
B
C�rincludes/acf-form-functions.phpnu�[���PK�[�����4�sincludes/walkers/class-acf-walker-taxonomy-field.phpnu�[���PK�[~�X��3sincludes/walkers/class-acf-walker-nav-menu-edit.phpnu�[���PK�[�[y�++1#sincludes/locations/class-acf-location-comment.phpnu�[���PK�[���::3�sincludes/locations/class-acf-location-user-role.phpnu�[���PK�[t�t^��0Lsincludes/locations/class-acf-location-widget.phpnu�[���PK�[;M�N	N	2J&sincludes/locations/class-acf-location-nav-menu.phpnu�[���PK�[}I���7�/sincludes/locations/class-acf-location-post-template.phpnu�[���PK�[ϟ���3"<sincludes/locations/class-acf-location-post-type.phpnu�[���PK�[�x����;Esincludes/locations/class-acf-location-current-user-role.phpnu�[���PK�[ˇ���7yMsincludes/locations/class-acf-location-post-category.phpnu�[���PK�[�.�XPP4mSsincludes/locations/class-acf-location-attachment.phpnu�[���PK�[n�k~	~	)!\sincludes/locations/class-acf-location.phpnu�[���PK�[�3�!��2�esincludes/locations/class-acf-location-taxonomy.phpnu�[���PK�[��)��5Wlsincludes/locations/class-acf-location-page-parent.phpnu�[���PK�[�Cn7.Gssincludes/locations/class-acf-location-post.phpnu�[���PK�[w䦕��7�{sincludes/locations/class-acf-location-page-template.phpnu�[���PK�[����	�	5�sincludes/locations/class-acf-location-post-status.phpnu�[���PK�[�+�##3�sincludes/locations/class-acf-location-user-form.phpnu�[���PK�[2.��sincludes/locations/class-acf-location-page.phpnu�[���PK�[gge�P	P	5�sincludes/locations/class-acf-location-post-format.phpnu�[���PK�[86���7��sincludes/locations/class-acf-location-nav-menu-item.phpnu�[���PK�[���@776�sincludes/locations/class-acf-location-current-user.phpnu�[���PK�[��
km
m
7��sincludes/locations/class-acf-location-post-taxonomy.phpnu�[���PK�[ƍkҿ�3��sincludes/locations/class-acf-location-page-type.phpnu�[���PK��m^��s

F1le Man4ger